diff --git a/MIGRATION_TASKS.md b/MIGRATION_TASKS.md new file mode 100644 index 0000000..c91d071 --- /dev/null +++ b/MIGRATION_TASKS.md @@ -0,0 +1,158 @@ +# Worker-API Migration Project Tasks + +## Project Overview +- Migration from Nova to Filament +- Integration of Prism package to replace OpenAI +- Implementation of multi-model support +- Development of direct agent chat functionality +- Creation of Filament-based tool building interface + +## Task List + +### Initial Assessment (December 10, 2024 - 14:30 PST) +- [x] Initial repository structure analysis +- [x] Review current Nova implementation + - Found AskAgent and RecentMessages components + - Filament already included in dependencies (v3.2) +- [x] Analyze OpenAI dependencies + - Currently using openai-php/laravel v0.8.1 +- [ ] Document current feature set + +### Phase 1: Nova to Filament Migration +#### Nova Component Migration +- [ ] Migrate AskAgent + - [ ] Create equivalent Filament resource + - [ ] Port Vue component to Livewire + - [ ] Update routing + - [ ] Migrate any existing data +- [ ] Migrate RecentMessages + - [ ] Create Filament widget + - [ ] Port functionality to Livewire + - [ ] Ensure real-time updates work + +#### Core Migration Steps +- [ ] Remove Nova dependencies + - [ ] Remove Laravel Nova package + - [ ] Clean up Nova routes + - [ ] Remove Nova service provider +- [ ] Enhance Filament Setup + - [ ] Configure theme + - [ ] Set up navigation + - [ ] Migrate user permissions + - [ ] Configure dark mode support + +### Phase 2: Prism Integration (Priority) +- [ ] Research Prism package + - [ ] Document API differences from OpenAI + - [ ] Identify required adaptations +- [ ] Create abstraction layer + - [ ] Define model interface + - [ ] Implement Prism adapter + - [ ] Create fallback mechanisms +- [ ] Update existing integrations + - [ ] Update AskAgent to use Prism + - [ ] Modify any direct OpenAI calls + - [ ] Update environment variables + +### Phase 3: Multi-Model Support +#### Database Updates +- [ ] Create models table + - [ ] Model configuration + - [ ] API credentials + - [ ] Usage statistics +- [ ] Update agents table + - [ ] Add model relationship + - [ ] Add configuration fields + +#### Implementation +- [ ] Create model registry +- [ ] Implement model switching +- [ ] Add monitoring + +### Phase 4: Direct Agent Chat +#### Backend +- [ ] Create chat system + - [ ] Message storage + - [ ] Real-time handlers + - [ ] Agent state management +- [ ] WebSocket implementation + - [ ] Set up Laravel Echo + - [ ] Configure broadcasting + +#### Frontend +- [ ] Chat interface + - [ ] Real-time messages + - [ ] Agent status + - [ ] Message history +- [ ] Agent controls + - [ ] Model switching + - [ ] Context management + +### Phase 5: Tool Building Interface +#### Filament Integration +- [ ] Design tool creation interface + - [ ] Form builder + - [ ] Code editor + - [ ] Testing interface +- [ ] Tool management + - [ ] Version control + - [ ] Deployment system + - [ ] Usage tracking + +## Technical Notes + +### December 10, 2024 - 14:30 PST +Initial Analysis Findings: +1. Project already has Filament 3.2 installed +2. Two Nova components need migration: + - AskAgent: Main agent interaction interface + - RecentMessages: Message history widget +3. Current dependencies include: + - Laravel 11.0 + - OpenAI PHP Laravel 0.8.1 + - Laravel Nova 4.0 +4. Existing tools and monitoring: + - Laravel Pulse + - Laravel Horizon + - Activity Log + +### Architecture Decisions +1. Will use Livewire for real-time functionality +2. Model abstraction layer will be interface-based +3. Tool building will leverage Filament's form builder +4. Will implement repository pattern for model interactions + +### Migration Strategy +1. Parallel development: + - Keep Nova functional while building Filament + - Feature parity testing before switch +2. Database updates will be incremental +3. Will use feature flags for gradual rollout + +## Immediate Next Steps +1. Create new branch: `feature/filament-migration` +2. Begin Filament resource creation for AskAgent +3. Research Prism package integration +4. Set up initial database migrations for multi-model support + +## Timeline +- Phase 1: December 10-24, 2024 +- Phase 2: December 24-31, 2024 +- Phase 3: January 1-15, 2025 +- Phase 4: January 15-22, 2025 +- Phase 5: January 22-February 5, 2025 + +## Risk Assessment +- Data migration complexity +- Real-time performance with WebSockets +- Tool system security +- Model switching stability +- User experience consistency + +## Questions to Resolve +1. How will we handle existing Nova licenses? +2. What is the Prism pricing model? +3. How do we handle model-specific features? +4. What is the backup strategy for chat history? + +This document will be updated daily with progress, challenges, and decisions. diff --git a/PRISM_INTEGRATION.md b/PRISM_INTEGRATION.md new file mode 100644 index 0000000..c14eca7 --- /dev/null +++ b/PRISM_INTEGRATION.md @@ -0,0 +1,246 @@ +# Prism Integration Analysis + +## Overview +Prism is a powerful API that provides a unified interface for multiple LLM providers, making it an excellent choice for our multi-model architecture. + +## Key Features to Leverage +1. Multi-Provider Support + - OpenAI + - Anthropic + - Google VertexAI + - AWS Bedrock + - Azure OpenAI + - Cohere + - Mistral + +2. Unified API Interface + - Single interface for all models + - Consistent response format + - Standardized error handling + +3. Advanced Features + - Function calling + - Vision capabilities + - Streaming responses + - Tool usage + - System prompts + +## Integration Plan + +### 1. Initial Setup +```php +composer require echolabs/prism-client +``` + +### 2. Configuration +- Update .env file: +```env +PRISM_API_KEY=your_api_key +PRISM_BASE_URL=https://api.prism.echolabs.dev +``` + +### 3. Model Abstraction Layer + +```php +namespace App\Services\AI; + +interface ModelInterface +{ + public function chat(array $messages, array $options = []); + public function complete(string $prompt, array $options = []); + public function embeddings(array $input); +} + +class PrismModelAdapter implements ModelInterface +{ + private $client; + private $model; + + public function __construct(string $model) + { + $this->client = new \EchoLabs\PrismClient\Client([ + 'api_key' => config('services.prism.api_key'), + 'base_url' => config('services.prism.base_url'), + ]); + $this->model = $model; + } + + public function chat(array $messages, array $options = []) + { + return $this->client->chat->create([ + 'model' => $this->model, + 'messages' => $messages, + ...$options + ]); + } + + // Additional method implementations... +} +``` + +### 4. Database Updates Needed + +Add to ai_models table: +- provider_specific_config +- max_tokens +- supports_functions +- supports_vision +- cost_input_tokens +- cost_output_tokens + +### 5. Feature Implementation Plan + +#### Phase 1: Basic Integration +- [ ] Set up Prism client +- [ ] Create basic model adapter +- [ ] Test with simple completions +- [ ] Implement error handling + +#### Phase 2: Advanced Features +- [ ] Implement streaming responses +- [ ] Add function calling support +- [ ] Set up vision capabilities +- [ ] Create tool usage framework + +#### Phase 3: Multi-Model Management +- [ ] Implement model switching +- [ ] Add fallback mechanisms +- [ ] Create model selection logic +- [ ] Set up cost tracking + +### 6. Prism-Specific Features to Implement + +1. Model Management +```php +public function getAvailableModels() +{ + return $this->client->models->list(); +} +``` + +2. Streaming Support +```php +public function streamChat(array $messages) +{ + return $this->client->chat->create([ + 'model' => $this->model, + 'messages' => $messages, + 'stream' => true + ]); +} +``` + +3. Function Calling +```php +public function chatWithFunctions(array $messages, array $functions) +{ + return $this->client->chat->create([ + 'model' => $this->model, + 'messages' => $messages, + 'functions' => $functions, + 'function_call' => 'auto' + ]); +} +``` + +### 7. Filament Integration + +Create Filament resources for: + +1. Model Management +```php +namespace App\Filament\Resources; + +use App\Filament\Resources\AIModelResource\Pages; +use App\Models\AIModel; +use Filament\Forms; +use Filament\Resources\Resource; + +class AIModelResource extends Resource +{ + protected static ?string $model = AIModel::class; + + protected static ?string $navigationIcon = 'heroicon-o-cpu-chip'; + + public static function form(Forms\Form $form): Forms\Form + { + return $form + ->schema([ + Forms\Components\TextInput::make('name') + ->required(), + Forms\Components\Select::make('provider') + ->options([ + 'openai' => 'OpenAI', + 'anthropic' => 'Anthropic', + 'vertexai' => 'Google VertexAI', + 'bedrock' => 'AWS Bedrock', + 'azure' => 'Azure OpenAI', + 'cohere' => 'Cohere', + 'mistral' => 'Mistral', + ]) + ->required(), + // Additional fields... + ]); + } +} +``` + +### 8. Testing Strategy + +1. Unit Tests +```php +namespace Tests\Unit; + +use App\Services\AI\PrismModelAdapter; +use Tests\TestCase; + +class PrismModelAdapterTest extends TestCase +{ + public function test_can_chat_with_model() + { + $adapter = new PrismModelAdapter('gpt-4'); + $response = $adapter->chat([ + ['role' => 'user', 'content' => 'Hello'] + ]); + + $this->assertNotNull($response); + $this->assertArrayHasKey('choices', $response); + } +} +``` + +### 9. Monitoring and Logging + +Implement monitoring using Laravel Pulse: +- Token usage +- Response times +- Error rates +- Cost tracking +- Model performance metrics + +## Migration Notes + +1. Replace OpenAI calls: + - Search for direct OpenAI usage + - Replace with Prism adapter + - Test each replacement + - Monitor for errors + +2. Update environment configuration: + - Remove OpenAI specific configs + - Add Prism configurations + - Update documentation + +3. Database updates: + - Add new model capabilities + - Migrate existing model data + - Update indexes for performance + +## Next Steps + +1. Set up development environment with Prism +2. Create proof of concept with basic chat +3. Test streaming capabilities +4. Implement model switching logic +5. Create Filament interface for model management + diff --git a/app/Filament/Pages/AskAgent.php b/app/Filament/Pages/AskAgent.php new file mode 100644 index 0000000..7802b05 --- /dev/null +++ b/app/Filament/Pages/AskAgent.php @@ -0,0 +1,126 @@ +currentChat) { + $this->currentChat = Chat::create([ + 'user_id' => auth()->id(), + 'title' => 'New Chat', + ]); + } + + // Set context based on agent type + $context = match($this->selectedAgent) { + 'code' => ['type' => 'code'], + 'writing' => ['type' => 'writing'], + default => ['type' => 'general'], + }; + + $response = $chatService->sendMessage( + $this->currentChat, + $this->message, + $context + ); + + $this->message = null; + $this->reset('message'); + + Notification::make() + ->title('Message sent') + ->success() + ->send(); + + } catch (\Exception $e) { + Notification::make() + ->title('Error sending message') + ->body($e->getMessage()) + ->danger() + ->send(); + } + } + + protected function getHeaderActions(): array + { + return [ + \Filament\Actions\Action::make('newThread') + ->label('New Chat') + ->icon('heroicon-o-plus') + ->button() + ->color('warning') + ->action(fn () => $this->currentChat = null) + ->outlined() + ->extraAttributes([ + 'class' => 'dark:bg-gray-800 dark:text-amber-400 dark:border-amber-400 + dark:hover:bg-amber-400 dark:hover:text-gray-900', + ]), + ]; + } + + #[Computed] + public function chats() + { + return Chat::latest() + ->with(['messages' => function ($query) { + $query->orderBy('created_at', 'asc'); + }]) + ->paginate(10); + } + + protected function getFormSchema(): array + { + return [ + Select::make('selectedAgent') + ->label('Select Agent') + ->options([ + 'general' => 'General Assistant', + 'code' => 'Code Assistant', + 'writing' => 'Writing Assistant', + ]) + ->default('general') + ->required() + ->extraAttributes([ + 'class' => 'dark:bg-gray-800 dark:border-gray-700 + dark:text-gray-200 dark:focus:border-amber-400', + ]), + + Textarea::make('message') + ->label('Message') + ->rows(3) + ->placeholder('Type your message here...') + ->required() + ->extraAttributes([ + 'class' => 'dark:bg-gray-800 dark:border-gray-700 + dark:text-gray-200 dark:focus:border-amber-400 + dark:placeholder-gray-500', + ]), + ]; + } +} \ No newline at end of file diff --git a/app/Filament/Pages/Auth/Login.php b/app/Filament/Pages/Auth/Login.php new file mode 100644 index 0000000..62c8c8d --- /dev/null +++ b/app/Filament/Pages/Auth/Login.php @@ -0,0 +1,39 @@ +environment('local'); + } + + protected function getFormSchema(): array + { + $schema = parent::getFormSchema(); + + if ($this->hasLoginLink()) { + $schema[] = \Filament\Forms\Components\View::make('filament.pages.auth.login-link'); + } + + return $schema; + } + + public function loginLink() + { + $user = auth()->user() ?? \App\Models\User::first(); + + if (!$user) { + return; + } + + $link = LoginLink::createForUser($user); + + return redirect($link->url); + } +} \ No newline at end of file diff --git a/app/Http/Livewire/AskAgent.php b/app/Http/Livewire/AskAgent.php new file mode 100644 index 0000000..3377747 --- /dev/null +++ b/app/Http/Livewire/AskAgent.php @@ -0,0 +1,46 @@ + +chat = Chat::findOrFail($chatId); + $this->messages = $this->chat->messages; + } + + public function render() + { + $converter = new CommonMarkConverter(); + + return view('livewire.ask-agent', [ + 'messages' => $this->messages->map(function ($message) use ($converter) { + $message->content = $converter->convert($message->content)->getContent(); + return $message; + }), + ]); + } + + public function sendMessage() + { + // Add the new message to the messages array + $this->messages[] = [ + 'text' => $this->newMessage, + 'sender' => 'user', + ]; + + $this->newMessage = ''; + + // TODO: Implement sending message to the AI agent and receiving response + } +} diff --git a/app/Models/Chat.php b/app/Models/Chat.php new file mode 100644 index 0000000..5091239 --- /dev/null +++ b/app/Models/Chat.php @@ -0,0 +1,31 @@ + 'array', + ]; + + public function user(): BelongsTo + { + return $this->belongsTo(User::class); + } + + public function messages(): HasMany + { + return $this->hasMany(Message::class); + } +} \ No newline at end of file diff --git a/app/Models/Message.php b/app/Models/Message.php index 520a286..a899449 100644 --- a/app/Models/Message.php +++ b/app/Models/Message.php @@ -2,47 +2,24 @@ namespace App\Models; -use Illuminate\Database\Eloquent\Factories\HasFactory; use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\Relations\BelongsTo; -use Illuminate\Database\Eloquent\Relations\HasMany; class Message extends Model { - use HasFactory; - protected $fillable = [ - 'content', - 'user_id', - 'assistant_id', - 'thread_id', - 'processed', + 'chat_id', 'role', - 'provider_value', + 'content', + 'metadata', ]; - public function user(): BelongsTo - { - return $this->belongsTo(User::class); - } - - public function thread(): BelongsTo - { - return $this->belongsTo(Thread::class); - } - - public function assistant(): BelongsTo - { - return $this->belongsTo(Assistant::class); - } - - public function messageRecommendations(): HasMany - { - return $this->hasMany(MessageRecommendation::class); - } + protected $casts = [ + 'metadata' => 'array', + ]; - public function getAbstractAttribute(): string + public function chat(): BelongsTo { - return substr($this->content, 0, 50); + return $this->belongsTo(Chat::class); } -} +} \ No newline at end of file diff --git a/app/Observers/MessageObserver.php b/app/Observers/MessageObserver.php index 4765d13..92815f5 100644 --- a/app/Observers/MessageObserver.php +++ b/app/Observers/MessageObserver.php @@ -15,14 +15,14 @@ class MessageObserver */ public function creating(Message $message): void { - $this->createThread($message); - $this->handleOpenAiIntegration($message); +// $this->createThread($message); +// $this->handleOpenAiIntegration($message); } public function created(Message $message): void { - Artisan::call('messages:assign'); - $message->thread->summarize(); +// Artisan::call('messages:assign'); +// $message->thread->summarize(); } /** @@ -30,48 +30,47 @@ public function created(Message $message): void */ private function handleOpenAiIntegration(Message $message): void { - $openAiInfo = ['content' => $message->content, 'role' => 'user']; - $thread = $message->thread; - if ($thread->provider_value === null) { - $openAiResponse = OpenAI::threads()->create(['metadata' => ['name' => $thread->name]]); - $thread->provider_value = $openAiResponse->id; - $thread->save(); - } - - $openAiResponse = OpenAI::threads()->messages()->create($thread->provider_value, $openAiInfo); - $message->provider_value = $openAiResponse->id; - - } - - private function createThread(Message $message) - { - // assign a message to a thread or create a new thread - - // don't create a thread if the message already belongs to a thread - if ($message->thread_id) { - return; - } - - $query = OpenAI::chat()->create( - [ - 'model' => 'gpt-3.5-turbo', - 'messages' => [ - [ - 'role' => 'system', 'content' => 'Given the following message from the user please return a json - object with the following keys: threadName, threadDescription, contexts. - The threadName should be a string that is the name of the thread. The description should be summary of the thread thus far context should be any categories from the users message.', - ], - ['role' => 'user', 'content' => $message->content], - ], - ]); - - dd($query->choices[0]->message->content); - $message->thread()->create([ - 'name' => $query->threadName, - 'description' => $query->threadDescription, - 'user_id' => $message->user_id, - ]); - - \Laravel\Prompts\info('Thread created successfully'.$message->thread->name.'context" '.$query->contexts); +// $openAiInfo = ['content' => $message->content, 'role' => 'user']; +// $thread = $message->thread; +// if ($thread->provider_value === null) { +// $openAiResponse = OpenAI::threads()->create(['metadata' => ['name' => $thread->name]]); +// $thread->provider_value = $openAiResponse->id; +// $thread->save(); +// } +// +// $openAiResponse = OpenAI::threads()->messages()->create($thread->provider_value, $openAiInfo); +// $message->provider_value = $openAiResponse->id; +// +// } +// +// private function createThread(Message $message) +// { +// // assign a message to a thread or create a new thread +// +// // don't create a thread if the message already belongs to a thread +// if ($message->thread_id) { +// return; +// } +// +// $query = OpenAI::chat()->create( +// [ +// 'model' => 'gpt-3.5-turbo', +// 'messages' => [ +// [ +// 'role' => 'system', 'content' => 'Given the following message from the user please return a json +// object with the following keys: threadName, threadDescription, contexts. +// The threadName should be a string that is the name of the thread. The description should be summary of the thread thus far context should be any categories from the users message.', +// ], +// ['role' => 'user', 'content' => $message->content], +// ], +// ]); +// +// $message->thread()->create([ +// 'name' => $query->threadName, +// 'description' => $query->threadDescription, +// 'user_id' => $message->user_id, +// ]); +// +// \Laravel\Prompts\info('Thread created successfully'.$message->thread->name.'context" '.$query->contexts); } } diff --git a/app/Providers/AiServiceProvider.php b/app/Providers/AiServiceProvider.php new file mode 100644 index 0000000..a0269a7 --- /dev/null +++ b/app/Providers/AiServiceProvider.php @@ -0,0 +1,21 @@ +app->singleton(ModelSelector::class, function () { + return new ModelSelector(); + }); + } + + public function boot(): void + { + // + } +} \ No newline at end of file diff --git a/app/Providers/Filament/AdminPanelProvider.php b/app/Providers/Filament/AdminPanelProvider.php new file mode 100644 index 0000000..e0b32d3 --- /dev/null +++ b/app/Providers/Filament/AdminPanelProvider.php @@ -0,0 +1,64 @@ +default() + ->id('admin') + ->path('admin') + ->login() + ->colors([ + 'primary' => Color::Amber, + ]) + ->discoverResources(in: app_path('Filament/Resources'), for: 'App\\Filament\\Resources') + ->discoverPages(in: app_path('Filament/Pages'), for: 'App\\Filament\\Pages') + ->pages([ + Pages\Dashboard::class, + ]) + ->discoverWidgets(in: app_path('Filament/Widgets'), for: 'App\\Filament\\Widgets') + ->widgets([ + Widgets\AccountWidget::class, + Widgets\FilamentInfoWidget::class, + ]) + ->middleware([ + EncryptCookies::class, + AddQueuedCookiesToResponse::class, + StartSession::class, + AuthenticateSession::class, + ShareErrorsFromSession::class, + VerifyCsrfToken::class, + SubstituteBindings::class, + DisableBladeIconComponents::class, + DispatchServingFilamentEvent::class, + ]) + ->authMiddleware([ + Authenticate::class, + ]) + ->renderHook( + 'panels::auth.login.form.after', + fn (): string => Blade::render('@env(\'local\')@endenv'), + ); + } +} diff --git a/app/Providers/PrismServiceProvider.php b/app/Providers/PrismServiceProvider.php new file mode 100644 index 0000000..381ee43 --- /dev/null +++ b/app/Providers/PrismServiceProvider.php @@ -0,0 +1,24 @@ +app->singleton(PrismClient::class, function ($app) { + return new PrismClient([ + 'api_key' => config('services.prism.api_key'), + 'base_url' => config('services.prism.base_url'), + ]); + }); + } + + public function boot(): void + { + // + } +} diff --git a/app/Services/AI/ChatService.php b/app/Services/AI/ChatService.php new file mode 100644 index 0000000..8e6af7f --- /dev/null +++ b/app/Services/AI/ChatService.php @@ -0,0 +1,104 @@ +modelSelector = $modelSelector; + } + + public function sendMessage(Chat $chat, string $message, array $context = []): Message + { + try { + // Select the appropriate model + $model = $this->modelSelector->selectModel($message, $context); + + // Store user message + $userMessage = $chat->messages()->create([ + 'role' => 'user', + 'content' => $message, + 'metadata' => ['model' => $model], + ]); + + // Get chat history for context + $history = $this->formatChatHistory($chat); + + // Configure provider based on model + $provider = str_contains($model, 'claude') ? 'anthropic' : 'openai'; + + + $response = Prism::text() + ->using(Provider::OpenAI, 'gpt-3.5-turbo') + ->withPrompt($message)->generate(); + + + // Store AI response + $aiMessage = $chat->messages()->create([ + 'role' => 'assistant', + 'content' => $response->text, + 'metadata' => [ + 'model' => $model, + 'provider' => $provider, + 'usage' => $response->usage ?? null, + ], + ]); + + return $aiMessage; + + } catch (\Exception $e) { + Log::error('AI Chat Error', [ + 'error' => $e->getMessage(), + 'chat_id' => $chat->id, + 'model' => $model ?? null, + ]); + + // Try fallback model if available + if (isset($model) && $fallbackModel = $this->modelSelector->getFallbackModel($model)) { + return $this->sendMessageWithModel($chat, $message, $fallbackModel, $context); + } + + throw $e; + } + } + + protected function formatChatHistory(Chat $chat): array + { + return $chat->messages() + ->orderBy('created_at', 'asc') + ->get() + ->map(fn($message) => [ + 'role' => $message->role, + 'content' => $message->content, + ])->toArray(); + } + + protected function sendMessageWithModel(Chat $chat, string $message, string $model, array $context = []): Message + { + $provider = str_contains($model, 'claude') ? 'anthropic' : 'openai'; + + $response = Prism::text()->using(Provider::OpenAI, 'gpt-3.5-turbo') + ->withPrompt($message)->generate(); + + + return $chat->messages()->create([ + 'role' => 'assistant', + 'content' => $response->text, + 'metadata' => [ + 'model' => $model, + 'provider' => $provider, + 'usage' => $response->usage ?? null, + 'fallback' => true, + ], + ]); + } +} diff --git a/app/Services/AI/ModelSelector.php b/app/Services/AI/ModelSelector.php new file mode 100644 index 0000000..7a092e3 --- /dev/null +++ b/app/Services/AI/ModelSelector.php @@ -0,0 +1,113 @@ + [ + 'primary' => 'claude-3-opus-20240229', + 'fallback' => 'gpt-4-turbo-preview', + ], + 'analysis' => [ + 'primary' => 'claude-3-opus-20240229', + 'fallback' => 'gpt-4-turbo-preview', + ], + 'chat' => [ + 'primary' => 'claude-3-sonnet-20240229', + 'fallback' => 'gpt-3.5-turbo', + ], + 'function' => [ + 'primary' => 'gpt-4-turbo-preview', + 'fallback' => 'claude-3-sonnet-20240229', + ], + 'vision' => [ + 'primary' => 'gpt-4-vision-preview', + 'fallback' => null, + ], + ]; + + public function selectModel(string $content, array $context = []): string + { + // Detect code-related queries + if ($this->isCodeRelated($content)) { + return self::MODEL_PREFERENCES['code']['primary']; + } + + // Detect analysis queries + if ($this->isAnalysisQuery($content)) { + return self::MODEL_PREFERENCES['analysis']['primary']; + } + + // Check for function calling needs + if ($this->needsFunctionCalling($context)) { + return self::MODEL_PREFERENCES['function']['primary']; + } + + // Check for vision requirements + if ($this->hasImageContent($context)) { + return self::MODEL_PREFERENCES['vision']['primary']; + } + + // Default to general chat + return self::MODEL_PREFERENCES['chat']['primary']; + } + + protected function isCodeRelated(string $content): bool + { + $codeIndicators = [ + 'code', + 'function', + 'class', + 'programming', + 'debug', + 'error', + 'syntax', + 'compile', + 'git', + 'npm', + 'composer', + ]; + + return Str::contains(strtolower($content), $codeIndicators); + } + + protected function isAnalysisQuery(string $content): bool + { + $analysisIndicators = [ + 'analyze', + 'review', + 'evaluate', + 'assess', + 'compare', + 'explain', + 'describe in detail', + 'what are the implications', + ]; + + return Str::contains(strtolower($content), $analysisIndicators); + } + + protected function needsFunctionCalling(array $context): bool + { + return isset($context['require_functions']) && $context['require_functions'] === true; + } + + protected function hasImageContent(array $context): bool + { + return isset($context['has_image']) && $context['has_image'] === true; + } + + public function getFallbackModel(string $primaryModel): ?string + { + foreach (self::MODEL_PREFERENCES as $category) { + if ($category['primary'] === $primaryModel) { + return $category['fallback']; + } + } + + return self::MODEL_PREFERENCES['chat']['fallback']; + } +} \ No newline at end of file diff --git a/bootstrap/providers.php b/bootstrap/providers.php index 8901663..b2bd6e0 100644 --- a/bootstrap/providers.php +++ b/bootstrap/providers.php @@ -2,6 +2,7 @@ return [ App\Providers\AppServiceProvider::class, + App\Providers\Filament\AdminPanelProvider::class, App\Providers\HorizonServiceProvider::class, App\Providers\NovaServiceProvider::class, ]; diff --git a/composer.json b/composer.json index fccf4fa..f74a6f6 100644 --- a/composer.json +++ b/composer.json @@ -1,15 +1,14 @@ { - "name": "laravel/laravel", + "name": "synapse-sentinel/worker-api", "type": "project", - "description": "The skeleton application for the Laravel framework.", - "keywords": [ - "laravel", - "framework" - ], + "description": "Your personal productivity army.", + "keywords": ["laravel", "framework"], "license": "MIT", "require": { "php": "^8.2", "denniseilander/pulse-log-files": "^0.2.0", + "echolabsdev/prism": "^0.21.1", + "filament/filament": "^3.2", "inertiajs/inertia-laravel": "^1.0", "laravel/framework": "^11.0", "laravel/horizon": "^5.24", @@ -20,7 +19,7 @@ "laravel/sanctum": "^4.0", "laravel/slack-notification-channel": "^3.2", "laravel/tinker": "^2.9", - "league/commonmark": "^2.4", + "league/commonmark": "^2.6", "nunomaduro/laravel-console-summary": "^1.11", "nunomaduro/termwind": "^2.0", "openai-php/laravel": "^0.8.1", @@ -28,7 +27,7 @@ "scrivo/highlight.php": "^9.18", "silber/bouncer": "^1.0", "spatie/laravel-activitylog": "^4.8", - "spatie/laravel-login-link": "^1.2", + "spatie/laravel-login-link": "^1.5", "symfony/http-client": "^7.0", "synapse-sentinel/ask-agent": "@dev", "tightenco/ziggy": "^2.0" @@ -61,7 +60,8 @@ "scripts": { "post-autoload-dump": [ "Illuminate\\Foundation\\ComposerScripts::postAutoloadDump", - "@php artisan package:discover --ansi" + "@php artisan package:discover --ansi", + "@php artisan filament:upgrade" ], "post-update-cmd": [ "@php artisan vendor:publish --tag=laravel-assets --ansi --force" diff --git a/composer.lock b/composer.lock index 8155c62..b65cdc3 100644 --- a/composer.lock +++ b/composer.lock @@ -4,8 +4,224 @@ "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#installing-dependencies", "This file is @generated automatically" ], - "content-hash": "264d855c636005e5eca9dcd8e94e13d3", + "content-hash": "0aa46d607a47ac712b64051631697fd6", "packages": [ + { + "name": "anourvalar/eloquent-serialize", + "version": "1.2.27", + "source": { + "type": "git", + "url": "https://github.com/AnourValar/eloquent-serialize.git", + "reference": "f1c4fcd41a6db1467ed75bc295b62f582d6fd0fe" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/AnourValar/eloquent-serialize/zipball/f1c4fcd41a6db1467ed75bc295b62f582d6fd0fe", + "reference": "f1c4fcd41a6db1467ed75bc295b62f582d6fd0fe", + "shasum": "" + }, + "require": { + "laravel/framework": "^8.0|^9.0|^10.0|^11.0", + "php": "^7.4|^8.0" + }, + "require-dev": { + "friendsofphp/php-cs-fixer": "^3.26", + "laravel/legacy-factories": "^1.1", + "orchestra/testbench": "^6.0|^7.0|^8.0|^9.0", + "phpstan/phpstan": "^1.10", + "phpunit/phpunit": "^9.5|^10.5", + "psalm/plugin-laravel": "^2.8", + "squizlabs/php_codesniffer": "^3.7" + }, + "type": "library", + "extra": { + "laravel": { + "aliases": { + "EloquentSerialize": "AnourValar\\EloquentSerialize\\Facades\\EloquentSerializeFacade" + } + } + }, + "autoload": { + "psr-4": { + "AnourValar\\EloquentSerialize\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "description": "Laravel Query Builder (Eloquent) serialization", + "homepage": "https://github.com/AnourValar/eloquent-serialize", + "keywords": [ + "anourvalar", + "builder", + "copy", + "eloquent", + "job", + "laravel", + "query", + "querybuilder", + "queue", + "serializable", + "serialization", + "serialize" + ], + "support": { + "issues": "https://github.com/AnourValar/eloquent-serialize/issues", + "source": "https://github.com/AnourValar/eloquent-serialize/tree/1.2.27" + }, + "time": "2024-11-30T08:27:24+00:00" + }, + { + "name": "blade-ui-kit/blade-heroicons", + "version": "2.5.0", + "source": { + "type": "git", + "url": "https://github.com/blade-ui-kit/blade-heroicons.git", + "reference": "4ed3ed08e9ac192d0d126b2f12711d6fb6576a48" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/blade-ui-kit/blade-heroicons/zipball/4ed3ed08e9ac192d0d126b2f12711d6fb6576a48", + "reference": "4ed3ed08e9ac192d0d126b2f12711d6fb6576a48", + "shasum": "" + }, + "require": { + "blade-ui-kit/blade-icons": "^1.6", + "illuminate/support": "^9.0|^10.0|^11.0", + "php": "^8.0" + }, + "require-dev": { + "orchestra/testbench": "^7.0|^8.0|^9.0", + "phpunit/phpunit": "^9.0|^10.5|^11.0" + }, + "type": "library", + "extra": { + "laravel": { + "providers": [ + "BladeUI\\Heroicons\\BladeHeroiconsServiceProvider" + ] + } + }, + "autoload": { + "psr-4": { + "BladeUI\\Heroicons\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Dries Vints", + "homepage": "https://driesvints.com" + } + ], + "description": "A package to easily make use of Heroicons in your Laravel Blade views.", + "homepage": "https://github.com/blade-ui-kit/blade-heroicons", + "keywords": [ + "Heroicons", + "blade", + "laravel" + ], + "support": { + "issues": "https://github.com/blade-ui-kit/blade-heroicons/issues", + "source": "https://github.com/blade-ui-kit/blade-heroicons/tree/2.5.0" + }, + "funding": [ + { + "url": "https://github.com/sponsors/driesvints", + "type": "github" + }, + { + "url": "https://www.paypal.com/paypalme/driesvints", + "type": "paypal" + } + ], + "time": "2024-11-18T19:59:07+00:00" + }, + { + "name": "blade-ui-kit/blade-icons", + "version": "1.7.2", + "source": { + "type": "git", + "url": "https://github.com/blade-ui-kit/blade-icons.git", + "reference": "75a54a3f5a2810fcf6574ab23e91b6cc229a1b53" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/blade-ui-kit/blade-icons/zipball/75a54a3f5a2810fcf6574ab23e91b6cc229a1b53", + "reference": "75a54a3f5a2810fcf6574ab23e91b6cc229a1b53", + "shasum": "" + }, + "require": { + "illuminate/contracts": "^8.0|^9.0|^10.0|^11.0", + "illuminate/filesystem": "^8.0|^9.0|^10.0|^11.0", + "illuminate/support": "^8.0|^9.0|^10.0|^11.0", + "illuminate/view": "^8.0|^9.0|^10.0|^11.0", + "php": "^7.4|^8.0", + "symfony/console": "^5.3|^6.0|^7.0", + "symfony/finder": "^5.3|^6.0|^7.0" + }, + "require-dev": { + "mockery/mockery": "^1.5.1", + "orchestra/testbench": "^6.0|^7.0|^8.0|^9.0", + "phpunit/phpunit": "^9.0|^10.5|^11.0" + }, + "bin": [ + "bin/blade-icons-generate" + ], + "type": "library", + "extra": { + "laravel": { + "providers": [ + "BladeUI\\Icons\\BladeIconsServiceProvider" + ] + } + }, + "autoload": { + "files": [ + "src/helpers.php" + ], + "psr-4": { + "BladeUI\\Icons\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Dries Vints", + "homepage": "https://driesvints.com" + } + ], + "description": "A package to easily make use of icons in your Laravel Blade views.", + "homepage": "https://github.com/blade-ui-kit/blade-icons", + "keywords": [ + "blade", + "icons", + "laravel", + "svg" + ], + "support": { + "issues": "https://github.com/blade-ui-kit/blade-icons/issues", + "source": "https://github.com/blade-ui-kit/blade-icons" + }, + "funding": [ + { + "url": "https://github.com/sponsors/driesvints", + "type": "github" + }, + { + "url": "https://www.paypal.com/paypalme/driesvints", + "type": "paypal" + } + ], + "time": "2024-10-17T17:38:00+00:00" + }, { "name": "brick/math", "version": "0.12.1", @@ -68,30 +284,29 @@ }, { "name": "brick/money", - "version": "0.9.0", + "version": "0.10.0", "source": { "type": "git", "url": "https://github.com/brick/money.git", - "reference": "60f8b6ceab2e1c9527e625198a76498fa477804a" + "reference": "08b0198a05c6eeac416486da053cbdc02ddff56c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/brick/money/zipball/60f8b6ceab2e1c9527e625198a76498fa477804a", - "reference": "60f8b6ceab2e1c9527e625198a76498fa477804a", + "url": "https://api.github.com/repos/brick/money/zipball/08b0198a05c6eeac416486da053cbdc02ddff56c", + "reference": "08b0198a05c6eeac416486da053cbdc02ddff56c", "shasum": "" }, "require": { "brick/math": "~0.12.0", - "ext-json": "*", "php": "^8.1" }, "require-dev": { - "brick/varexporter": "~0.3.0", + "brick/varexporter": "~0.4.0", "ext-dom": "*", "ext-pdo": "*", "php-coveralls/php-coveralls": "^2.2", "phpunit/phpunit": "^10.1", - "vimeo/psalm": "5.16.0" + "vimeo/psalm": "5.26.1" }, "suggest": { "ext-intl": "Required to format Money objects" @@ -114,7 +329,7 @@ ], "support": { "issues": "https://github.com/brick/money/issues", - "source": "https://github.com/brick/money/tree/0.9.0" + "source": "https://github.com/brick/money/tree/0.10.0" }, "funding": [ { @@ -122,7 +337,7 @@ "type": "github" } ], - "time": "2023-11-26T16:51:39+00:00" + "time": "2024-10-12T21:33:29+00:00" }, { "name": "carbonphp/carbon-doctrine-types", @@ -193,6 +408,111 @@ ], "time": "2024-02-09T16:56:22+00:00" }, + { + "name": "danharrin/date-format-converter", + "version": "v0.3.1", + "source": { + "type": "git", + "url": "https://github.com/danharrin/date-format-converter.git", + "reference": "7c31171bc981e48726729a5f3a05a2d2b63f0b1e" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/danharrin/date-format-converter/zipball/7c31171bc981e48726729a5f3a05a2d2b63f0b1e", + "reference": "7c31171bc981e48726729a5f3a05a2d2b63f0b1e", + "shasum": "" + }, + "require": { + "php": "^7.2|^8.0" + }, + "type": "library", + "autoload": { + "files": [ + "src/helpers.php", + "src/standards.php" + ], + "psr-4": { + "DanHarrin\\DateFormatConverter\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Dan Harrin", + "email": "dan@danharrin.com" + } + ], + "description": "Convert token-based date formats between standards.", + "homepage": "https://github.com/danharrin/date-format-converter", + "support": { + "issues": "https://github.com/danharrin/date-format-converter/issues", + "source": "https://github.com/danharrin/date-format-converter" + }, + "funding": [ + { + "url": "https://github.com/danharrin", + "type": "github" + } + ], + "time": "2024-06-13T09:38:44+00:00" + }, + { + "name": "danharrin/livewire-rate-limiting", + "version": "v1.3.1", + "source": { + "type": "git", + "url": "https://github.com/danharrin/livewire-rate-limiting.git", + "reference": "1a1b299e20de61f88ed6e94ea0bbcfc33aab1ddb" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/danharrin/livewire-rate-limiting/zipball/1a1b299e20de61f88ed6e94ea0bbcfc33aab1ddb", + "reference": "1a1b299e20de61f88ed6e94ea0bbcfc33aab1ddb", + "shasum": "" + }, + "require": { + "illuminate/support": "^9.0|^10.0|^11.0", + "php": "^8.0" + }, + "require-dev": { + "livewire/livewire": "^3.0", + "livewire/volt": "^1.3", + "orchestra/testbench": "^7.0|^8.0|^9.0", + "phpunit/phpunit": "^9.0|^10.0" + }, + "type": "library", + "autoload": { + "psr-4": { + "DanHarrin\\LivewireRateLimiting\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Dan Harrin", + "email": "dan@danharrin.com" + } + ], + "description": "Apply rate limiters to Laravel Livewire actions.", + "homepage": "https://github.com/danharrin/livewire-rate-limiting", + "support": { + "issues": "https://github.com/danharrin/livewire-rate-limiting/issues", + "source": "https://github.com/danharrin/livewire-rate-limiting" + }, + "funding": [ + { + "url": "https://github.com/danharrin", + "type": "github" + } + ], + "time": "2024-05-06T09:10:03+00:00" + }, { "name": "denniseilander/pulse-log-files", "version": "0.2.0", @@ -265,16 +585,16 @@ }, { "name": "dflydev/dot-access-data", - "version": "v3.0.2", + "version": "v3.0.3", "source": { "type": "git", "url": "https://github.com/dflydev/dflydev-dot-access-data.git", - "reference": "f41715465d65213d644d3141a6a93081be5d3549" + "reference": "a23a2bf4f31d3518f3ecb38660c95715dfead60f" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/dflydev/dflydev-dot-access-data/zipball/f41715465d65213d644d3141a6a93081be5d3549", - "reference": "f41715465d65213d644d3141a6a93081be5d3549", + "url": "https://api.github.com/repos/dflydev/dflydev-dot-access-data/zipball/a23a2bf4f31d3518f3ecb38660c95715dfead60f", + "reference": "a23a2bf4f31d3518f3ecb38660c95715dfead60f", "shasum": "" }, "require": { @@ -334,22 +654,22 @@ ], "support": { "issues": "https://github.com/dflydev/dflydev-dot-access-data/issues", - "source": "https://github.com/dflydev/dflydev-dot-access-data/tree/v3.0.2" + "source": "https://github.com/dflydev/dflydev-dot-access-data/tree/v3.0.3" }, - "time": "2022-10-27T11:44:00+00:00" + "time": "2024-07-08T12:26:09+00:00" }, { "name": "doctrine/dbal", - "version": "4.0.2", + "version": "4.2.1", "source": { "type": "git", "url": "https://github.com/doctrine/dbal.git", - "reference": "61d79c6e379a39dc1fea6b4e50a23dfc3cd2076a" + "reference": "dadd35300837a3a2184bd47d403333b15d0a9bd0" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/doctrine/dbal/zipball/61d79c6e379a39dc1fea6b4e50a23dfc3cd2076a", - "reference": "61d79c6e379a39dc1fea6b4e50a23dfc3cd2076a", + "url": "https://api.github.com/repos/doctrine/dbal/zipball/dadd35300837a3a2184bd47d403333b15d0a9bd0", + "reference": "dadd35300837a3a2184bd47d403333b15d0a9bd0", "shasum": "" }, "require": { @@ -362,16 +682,16 @@ "doctrine/coding-standard": "12.0.0", "fig/log-test": "^1", "jetbrains/phpstorm-stubs": "2023.2", - "phpstan/phpstan": "1.10.58", - "phpstan/phpstan-phpunit": "1.3.15", - "phpstan/phpstan-strict-rules": "^1.5", - "phpunit/phpunit": "10.5.9", - "psalm/plugin-phpunit": "0.18.4", + "phpstan/phpstan": "1.12.6", + "phpstan/phpstan-phpunit": "1.4.0", + "phpstan/phpstan-strict-rules": "^1.6", + "phpunit/phpunit": "10.5.30", + "psalm/plugin-phpunit": "0.19.0", "slevomat/coding-standard": "8.13.1", - "squizlabs/php_codesniffer": "3.9.0", + "squizlabs/php_codesniffer": "3.10.2", "symfony/cache": "^6.3.8|^7.0", "symfony/console": "^5.4|^6.3|^7.0", - "vimeo/psalm": "5.21.1" + "vimeo/psalm": "5.25.0" }, "suggest": { "symfony/console": "For helpful console commands such as SQL execution and import of files." @@ -428,7 +748,7 @@ ], "support": { "issues": "https://github.com/doctrine/dbal/issues", - "source": "https://github.com/doctrine/dbal/tree/4.0.2" + "source": "https://github.com/doctrine/dbal/tree/4.2.1" }, "funding": [ { @@ -444,33 +764,31 @@ "type": "tidelift" } ], - "time": "2024-04-25T08:29:52+00:00" + "time": "2024-10-10T18:01:27+00:00" }, { "name": "doctrine/deprecations", - "version": "1.1.3", + "version": "1.1.4", "source": { "type": "git", "url": "https://github.com/doctrine/deprecations.git", - "reference": "dfbaa3c2d2e9a9df1118213f3b8b0c597bb99fab" + "reference": "31610dbb31faa98e6b5447b62340826f54fbc4e9" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/doctrine/deprecations/zipball/dfbaa3c2d2e9a9df1118213f3b8b0c597bb99fab", - "reference": "dfbaa3c2d2e9a9df1118213f3b8b0c597bb99fab", + "url": "https://api.github.com/repos/doctrine/deprecations/zipball/31610dbb31faa98e6b5447b62340826f54fbc4e9", + "reference": "31610dbb31faa98e6b5447b62340826f54fbc4e9", "shasum": "" }, "require": { "php": "^7.1 || ^8.0" }, "require-dev": { - "doctrine/coding-standard": "^9", - "phpstan/phpstan": "1.4.10 || 1.10.15", - "phpstan/phpstan-phpunit": "^1.0", + "doctrine/coding-standard": "^9 || ^12", + "phpstan/phpstan": "1.4.10 || 2.0.3", + "phpstan/phpstan-phpunit": "^1.0 || ^2", "phpunit/phpunit": "^7.5 || ^8.5 || ^9.5", - "psalm/plugin-phpunit": "0.18.4", - "psr/log": "^1 || ^2 || ^3", - "vimeo/psalm": "4.30.0 || 5.12.0" + "psr/log": "^1 || ^2 || ^3" }, "suggest": { "psr/log": "Allows logging deprecations via PSR-3 logger implementation" @@ -478,7 +796,7 @@ "type": "library", "autoload": { "psr-4": { - "Doctrine\\Deprecations\\": "lib/Doctrine/Deprecations" + "Doctrine\\Deprecations\\": "src" } }, "notification-url": "https://packagist.org/downloads/", @@ -489,9 +807,9 @@ "homepage": "https://www.doctrine-project.org/", "support": { "issues": "https://github.com/doctrine/deprecations/issues", - "source": "https://github.com/doctrine/deprecations/tree/1.1.3" + "source": "https://github.com/doctrine/deprecations/tree/1.1.4" }, - "time": "2024-01-30T19:34:25+00:00" + "time": "2024-12-07T21:18:45+00:00" }, { "name": "doctrine/inflector", @@ -582,267 +900,776 @@ "type": "tidelift" } ], - "time": "2024-02-18T20:23:39+00:00" + "time": "2024-02-18T20:23:39+00:00" + }, + { + "name": "doctrine/lexer", + "version": "3.0.1", + "source": { + "type": "git", + "url": "https://github.com/doctrine/lexer.git", + "reference": "31ad66abc0fc9e1a1f2d9bc6a42668d2fbbcd6dd" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/doctrine/lexer/zipball/31ad66abc0fc9e1a1f2d9bc6a42668d2fbbcd6dd", + "reference": "31ad66abc0fc9e1a1f2d9bc6a42668d2fbbcd6dd", + "shasum": "" + }, + "require": { + "php": "^8.1" + }, + "require-dev": { + "doctrine/coding-standard": "^12", + "phpstan/phpstan": "^1.10", + "phpunit/phpunit": "^10.5", + "psalm/plugin-phpunit": "^0.18.3", + "vimeo/psalm": "^5.21" + }, + "type": "library", + "autoload": { + "psr-4": { + "Doctrine\\Common\\Lexer\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Guilherme Blanco", + "email": "guilhermeblanco@gmail.com" + }, + { + "name": "Roman Borschel", + "email": "roman@code-factory.org" + }, + { + "name": "Johannes Schmitt", + "email": "schmittjoh@gmail.com" + } + ], + "description": "PHP Doctrine Lexer parser library that can be used in Top-Down, Recursive Descent Parsers.", + "homepage": "https://www.doctrine-project.org/projects/lexer.html", + "keywords": [ + "annotations", + "docblock", + "lexer", + "parser", + "php" + ], + "support": { + "issues": "https://github.com/doctrine/lexer/issues", + "source": "https://github.com/doctrine/lexer/tree/3.0.1" + }, + "funding": [ + { + "url": "https://www.doctrine-project.org/sponsorship.html", + "type": "custom" + }, + { + "url": "https://www.patreon.com/phpdoctrine", + "type": "patreon" + }, + { + "url": "https://tidelift.com/funding/github/packagist/doctrine%2Flexer", + "type": "tidelift" + } + ], + "time": "2024-02-05T11:56:58+00:00" + }, + { + "name": "doctrine/sql-formatter", + "version": "1.5.1", + "source": { + "type": "git", + "url": "https://github.com/doctrine/sql-formatter.git", + "reference": "b784cbde727cf806721451dde40eff4fec3bbe86" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/doctrine/sql-formatter/zipball/b784cbde727cf806721451dde40eff4fec3bbe86", + "reference": "b784cbde727cf806721451dde40eff4fec3bbe86", + "shasum": "" + }, + "require": { + "php": "^8.1" + }, + "require-dev": { + "doctrine/coding-standard": "^12", + "ergebnis/phpunit-slow-test-detector": "^2.14", + "phpstan/phpstan": "^1.10", + "phpunit/phpunit": "^10.5", + "vimeo/psalm": "^5.24" + }, + "bin": [ + "bin/sql-formatter" + ], + "type": "library", + "autoload": { + "psr-4": { + "Doctrine\\SqlFormatter\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Jeremy Dorn", + "email": "jeremy@jeremydorn.com", + "homepage": "https://jeremydorn.com/" + } + ], + "description": "a PHP SQL highlighting library", + "homepage": "https://github.com/doctrine/sql-formatter/", + "keywords": [ + "highlight", + "sql" + ], + "support": { + "issues": "https://github.com/doctrine/sql-formatter/issues", + "source": "https://github.com/doctrine/sql-formatter/tree/1.5.1" + }, + "time": "2024-10-21T18:21:57+00:00" + }, + { + "name": "dragonmantank/cron-expression", + "version": "v3.4.0", + "source": { + "type": "git", + "url": "https://github.com/dragonmantank/cron-expression.git", + "reference": "8c784d071debd117328803d86b2097615b457500" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/dragonmantank/cron-expression/zipball/8c784d071debd117328803d86b2097615b457500", + "reference": "8c784d071debd117328803d86b2097615b457500", + "shasum": "" + }, + "require": { + "php": "^7.2|^8.0", + "webmozart/assert": "^1.0" + }, + "replace": { + "mtdowling/cron-expression": "^1.0" + }, + "require-dev": { + "phpstan/extension-installer": "^1.0", + "phpstan/phpstan": "^1.0", + "phpunit/phpunit": "^7.0|^8.0|^9.0" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "3.x-dev" + } + }, + "autoload": { + "psr-4": { + "Cron\\": "src/Cron/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Chris Tankersley", + "email": "chris@ctankersley.com", + "homepage": "https://github.com/dragonmantank" + } + ], + "description": "CRON for PHP: Calculate the next or previous run date and determine if a CRON expression is due", + "keywords": [ + "cron", + "schedule" + ], + "support": { + "issues": "https://github.com/dragonmantank/cron-expression/issues", + "source": "https://github.com/dragonmantank/cron-expression/tree/v3.4.0" + }, + "funding": [ + { + "url": "https://github.com/dragonmantank", + "type": "github" + } + ], + "time": "2024-10-09T13:47:03+00:00" + }, + { + "name": "echolabsdev/prism", + "version": "v0.21.1", + "source": { + "type": "git", + "url": "https://github.com/echolabsdev/prism.git", + "reference": "58ed48a5071d5214ef47484977410d817d372b23" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/echolabsdev/prism/zipball/58ed48a5071d5214ef47484977410d817d372b23", + "reference": "58ed48a5071d5214ef47484977410d817d372b23", + "shasum": "" + }, + "require": { + "laravel/framework": "^11.0", + "php": "^8.3|^8.4" + }, + "require-dev": { + "laravel/pint": "^1.14", + "mockery/mockery": "^1.6", + "orchestra/testbench": "^9.4", + "pestphp/pest": "^3.0", + "pestphp/pest-plugin-arch": "^3.0", + "pestphp/pest-plugin-laravel": "^3.0", + "phpstan/extension-installer": "^1.3", + "phpstan/phpdoc-parser": "^1.24", + "phpstan/phpstan": "^1.11", + "phpstan/phpstan-deprecation-rules": "^1.2", + "projektgopher/whisky": "^0.7.0", + "rector/rector": "^1.1", + "symplify/rule-doc-generator-contracts": "^11.2" + }, + "type": "library", + "extra": { + "laravel": { + "aliases": { + "PrismServer": "EchoLabs\\Prism\\Facades\\PrismServer" + }, + "providers": [ + "EchoLabs\\Prism\\PrismServiceProvider" + ] + } + }, + "autoload": { + "psr-4": { + "EchoLabs\\Prism\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "TJ Miller", + "email": "hello@echolabs.dev" + } + ], + "description": "A powerful Laravel package for integrating Large Language Models (LLMs) into your applications.", + "support": { + "issues": "https://github.com/echolabsdev/prism/issues", + "source": "https://github.com/echolabsdev/prism/tree/v0.21.1" + }, + "funding": [ + { + "url": "https://github.com/sixlive", + "type": "github" + } + ], + "time": "2024-12-09T17:00:27+00:00" + }, + { + "name": "egulias/email-validator", + "version": "4.0.2", + "source": { + "type": "git", + "url": "https://github.com/egulias/EmailValidator.git", + "reference": "ebaaf5be6c0286928352e054f2d5125608e5405e" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/egulias/EmailValidator/zipball/ebaaf5be6c0286928352e054f2d5125608e5405e", + "reference": "ebaaf5be6c0286928352e054f2d5125608e5405e", + "shasum": "" + }, + "require": { + "doctrine/lexer": "^2.0 || ^3.0", + "php": ">=8.1", + "symfony/polyfill-intl-idn": "^1.26" + }, + "require-dev": { + "phpunit/phpunit": "^10.2", + "vimeo/psalm": "^5.12" + }, + "suggest": { + "ext-intl": "PHP Internationalization Libraries are required to use the SpoofChecking validation" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "4.0.x-dev" + } + }, + "autoload": { + "psr-4": { + "Egulias\\EmailValidator\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Eduardo Gulias Davis" + } + ], + "description": "A library for validating emails against several RFCs", + "homepage": "https://github.com/egulias/EmailValidator", + "keywords": [ + "email", + "emailvalidation", + "emailvalidator", + "validation", + "validator" + ], + "support": { + "issues": "https://github.com/egulias/EmailValidator/issues", + "source": "https://github.com/egulias/EmailValidator/tree/4.0.2" + }, + "funding": [ + { + "url": "https://github.com/egulias", + "type": "github" + } + ], + "time": "2023-10-06T06:47:41+00:00" + }, + { + "name": "filament/actions", + "version": "v3.2.128", + "source": { + "type": "git", + "url": "https://github.com/filamentphp/actions.git", + "reference": "1ee8b0a890b53e8b0b341134d3ba9bdaeee294d3" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/filamentphp/actions/zipball/1ee8b0a890b53e8b0b341134d3ba9bdaeee294d3", + "reference": "1ee8b0a890b53e8b0b341134d3ba9bdaeee294d3", + "shasum": "" + }, + "require": { + "anourvalar/eloquent-serialize": "^1.2", + "filament/forms": "self.version", + "filament/infolists": "self.version", + "filament/notifications": "self.version", + "filament/support": "self.version", + "illuminate/contracts": "^10.45|^11.0", + "illuminate/database": "^10.45|^11.0", + "illuminate/support": "^10.45|^11.0", + "league/csv": "^9.14", + "openspout/openspout": "^4.23", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9" + }, + "type": "library", + "extra": { + "laravel": { + "providers": [ + "Filament\\Actions\\ActionsServiceProvider" + ] + } + }, + "autoload": { + "psr-4": { + "Filament\\Actions\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "description": "Easily add beautiful action modals to any Livewire component.", + "homepage": "https://github.com/filamentphp/filament", + "support": { + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" + }, + "time": "2024-12-05T08:56:37+00:00" + }, + { + "name": "filament/filament", + "version": "v3.2.128", + "source": { + "type": "git", + "url": "https://github.com/filamentphp/panels.git", + "reference": "27b834f6f1213c547580443e28e5028dfe125bdd" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/filamentphp/panels/zipball/27b834f6f1213c547580443e28e5028dfe125bdd", + "reference": "27b834f6f1213c547580443e28e5028dfe125bdd", + "shasum": "" + }, + "require": { + "danharrin/livewire-rate-limiting": "^0.3|^1.0", + "filament/actions": "self.version", + "filament/forms": "self.version", + "filament/infolists": "self.version", + "filament/notifications": "self.version", + "filament/support": "self.version", + "filament/tables": "self.version", + "filament/widgets": "self.version", + "illuminate/auth": "^10.45|^11.0", + "illuminate/console": "^10.45|^11.0", + "illuminate/contracts": "^10.45|^11.0", + "illuminate/cookie": "^10.45|^11.0", + "illuminate/database": "^10.45|^11.0", + "illuminate/http": "^10.45|^11.0", + "illuminate/routing": "^10.45|^11.0", + "illuminate/session": "^10.45|^11.0", + "illuminate/support": "^10.45|^11.0", + "illuminate/view": "^10.45|^11.0", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9" + }, + "type": "library", + "extra": { + "laravel": { + "providers": [ + "Filament\\FilamentServiceProvider" + ] + } + }, + "autoload": { + "files": [ + "src/global_helpers.php", + "src/helpers.php" + ], + "psr-4": { + "Filament\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "description": "A collection of full-stack components for accelerated Laravel app development.", + "homepage": "https://github.com/filamentphp/filament", + "support": { + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" + }, + "time": "2024-12-05T08:56:42+00:00" + }, + { + "name": "filament/forms", + "version": "v3.2.128", + "source": { + "type": "git", + "url": "https://github.com/filamentphp/forms.git", + "reference": "c86af3606b8fd3f908b29a03e3056628e4cea57e" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/filamentphp/forms/zipball/c86af3606b8fd3f908b29a03e3056628e4cea57e", + "reference": "c86af3606b8fd3f908b29a03e3056628e4cea57e", + "shasum": "" + }, + "require": { + "danharrin/date-format-converter": "^0.3", + "filament/actions": "self.version", + "filament/support": "self.version", + "illuminate/console": "^10.45|^11.0", + "illuminate/contracts": "^10.45|^11.0", + "illuminate/database": "^10.45|^11.0", + "illuminate/filesystem": "^10.45|^11.0", + "illuminate/support": "^10.45|^11.0", + "illuminate/validation": "^10.45|^11.0", + "illuminate/view": "^10.45|^11.0", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9" + }, + "type": "library", + "extra": { + "laravel": { + "providers": [ + "Filament\\Forms\\FormsServiceProvider" + ] + } + }, + "autoload": { + "files": [ + "src/helpers.php" + ], + "psr-4": { + "Filament\\Forms\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "description": "Easily add beautiful forms to any Livewire component.", + "homepage": "https://github.com/filamentphp/filament", + "support": { + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" + }, + "time": "2024-12-05T08:56:35+00:00" + }, + { + "name": "filament/infolists", + "version": "v3.2.128", + "source": { + "type": "git", + "url": "https://github.com/filamentphp/infolists.git", + "reference": "e655ac3900ab2109022aa0243cfb4126729ef431" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/filamentphp/infolists/zipball/e655ac3900ab2109022aa0243cfb4126729ef431", + "reference": "e655ac3900ab2109022aa0243cfb4126729ef431", + "shasum": "" + }, + "require": { + "filament/actions": "self.version", + "filament/support": "self.version", + "illuminate/console": "^10.45|^11.0", + "illuminate/contracts": "^10.45|^11.0", + "illuminate/database": "^10.45|^11.0", + "illuminate/filesystem": "^10.45|^11.0", + "illuminate/support": "^10.45|^11.0", + "illuminate/view": "^10.45|^11.0", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9" + }, + "type": "library", + "extra": { + "laravel": { + "providers": [ + "Filament\\Infolists\\InfolistsServiceProvider" + ] + } + }, + "autoload": { + "psr-4": { + "Filament\\Infolists\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "description": "Easily add beautiful read-only infolists to any Livewire component.", + "homepage": "https://github.com/filamentphp/filament", + "support": { + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" + }, + "time": "2024-11-29T09:30:56+00:00" }, { - "name": "doctrine/lexer", - "version": "3.0.1", + "name": "filament/notifications", + "version": "v3.2.128", "source": { "type": "git", - "url": "https://github.com/doctrine/lexer.git", - "reference": "31ad66abc0fc9e1a1f2d9bc6a42668d2fbbcd6dd" + "url": "https://github.com/filamentphp/notifications.git", + "reference": "c19df07c801c5550de0d30957c5a316f53019533" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/doctrine/lexer/zipball/31ad66abc0fc9e1a1f2d9bc6a42668d2fbbcd6dd", - "reference": "31ad66abc0fc9e1a1f2d9bc6a42668d2fbbcd6dd", + "url": "https://api.github.com/repos/filamentphp/notifications/zipball/c19df07c801c5550de0d30957c5a316f53019533", + "reference": "c19df07c801c5550de0d30957c5a316f53019533", "shasum": "" }, "require": { - "php": "^8.1" - }, - "require-dev": { - "doctrine/coding-standard": "^12", - "phpstan/phpstan": "^1.10", - "phpunit/phpunit": "^10.5", - "psalm/plugin-phpunit": "^0.18.3", - "vimeo/psalm": "^5.21" + "filament/actions": "self.version", + "filament/support": "self.version", + "illuminate/contracts": "^10.45|^11.0", + "illuminate/filesystem": "^10.45|^11.0", + "illuminate/notifications": "^10.45|^11.0", + "illuminate/support": "^10.45|^11.0", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9" }, "type": "library", + "extra": { + "laravel": { + "providers": [ + "Filament\\Notifications\\NotificationsServiceProvider" + ] + } + }, "autoload": { + "files": [ + "src/Testing/Autoload.php" + ], "psr-4": { - "Doctrine\\Common\\Lexer\\": "src" + "Filament\\Notifications\\": "src" } }, "notification-url": "https://packagist.org/downloads/", "license": [ "MIT" ], - "authors": [ - { - "name": "Guilherme Blanco", - "email": "guilhermeblanco@gmail.com" - }, - { - "name": "Roman Borschel", - "email": "roman@code-factory.org" - }, - { - "name": "Johannes Schmitt", - "email": "schmittjoh@gmail.com" - } - ], - "description": "PHP Doctrine Lexer parser library that can be used in Top-Down, Recursive Descent Parsers.", - "homepage": "https://www.doctrine-project.org/projects/lexer.html", - "keywords": [ - "annotations", - "docblock", - "lexer", - "parser", - "php" - ], + "description": "Easily add beautiful notifications to any Livewire app.", + "homepage": "https://github.com/filamentphp/filament", "support": { - "issues": "https://github.com/doctrine/lexer/issues", - "source": "https://github.com/doctrine/lexer/tree/3.0.1" + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" }, - "funding": [ - { - "url": "https://www.doctrine-project.org/sponsorship.html", - "type": "custom" - }, - { - "url": "https://www.patreon.com/phpdoctrine", - "type": "patreon" - }, - { - "url": "https://tidelift.com/funding/github/packagist/doctrine%2Flexer", - "type": "tidelift" - } - ], - "time": "2024-02-05T11:56:58+00:00" + "time": "2024-10-23T07:36:14+00:00" }, { - "name": "doctrine/sql-formatter", - "version": "1.4.0", + "name": "filament/support", + "version": "v3.2.128", "source": { "type": "git", - "url": "https://github.com/doctrine/sql-formatter.git", - "reference": "d1ac84aef745c69ea034929eb6d65a6908b675cc" + "url": "https://github.com/filamentphp/support.git", + "reference": "437d4f3305458f29c32ef4de5ef1d9dbdc74c3fe" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/doctrine/sql-formatter/zipball/d1ac84aef745c69ea034929eb6d65a6908b675cc", - "reference": "d1ac84aef745c69ea034929eb6d65a6908b675cc", + "url": "https://api.github.com/repos/filamentphp/support/zipball/437d4f3305458f29c32ef4de5ef1d9dbdc74c3fe", + "reference": "437d4f3305458f29c32ef4de5ef1d9dbdc74c3fe", "shasum": "" }, "require": { - "php": "^8.1" - }, - "require-dev": { - "doctrine/coding-standard": "^12", - "phpstan/phpstan": "^1.10", - "phpunit/phpunit": "^10.5", - "vimeo/psalm": "^5.24" + "blade-ui-kit/blade-heroicons": "^2.5", + "doctrine/dbal": "^3.2|^4.0", + "ext-intl": "*", + "illuminate/contracts": "^10.45|^11.0", + "illuminate/support": "^10.45|^11.0", + "illuminate/view": "^10.45|^11.0", + "kirschbaum-development/eloquent-power-joins": "^3.0|^4.0", + "livewire/livewire": "3.5.12", + "php": "^8.1", + "ryangjchandler/blade-capture-directive": "^0.2|^0.3|^1.0", + "spatie/color": "^1.5", + "spatie/invade": "^1.0|^2.0", + "spatie/laravel-package-tools": "^1.9", + "symfony/console": "^6.0|^7.0", + "symfony/html-sanitizer": "^6.1|^7.0" }, - "bin": [ - "bin/sql-formatter" - ], "type": "library", + "extra": { + "laravel": { + "providers": [ + "Filament\\Support\\SupportServiceProvider" + ] + } + }, "autoload": { + "files": [ + "src/helpers.php" + ], "psr-4": { - "Doctrine\\SqlFormatter\\": "src" + "Filament\\Support\\": "src" } }, "notification-url": "https://packagist.org/downloads/", "license": [ "MIT" ], - "authors": [ - { - "name": "Jeremy Dorn", - "email": "jeremy@jeremydorn.com", - "homepage": "https://jeremydorn.com/" - } - ], - "description": "a PHP SQL highlighting library", - "homepage": "https://github.com/doctrine/sql-formatter/", - "keywords": [ - "highlight", - "sql" - ], + "description": "Core helper methods and foundation code for all Filament packages.", + "homepage": "https://github.com/filamentphp/filament", "support": { - "issues": "https://github.com/doctrine/sql-formatter/issues", - "source": "https://github.com/doctrine/sql-formatter/tree/1.4.0" + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" }, - "time": "2024-05-08T08:12:09+00:00" + "time": "2024-12-05T08:56:49+00:00" }, { - "name": "dragonmantank/cron-expression", - "version": "v3.3.3", + "name": "filament/tables", + "version": "v3.2.128", "source": { "type": "git", - "url": "https://github.com/dragonmantank/cron-expression.git", - "reference": "adfb1f505deb6384dc8b39804c5065dd3c8c8c0a" + "url": "https://github.com/filamentphp/tables.git", + "reference": "4a60fda65574f248e082f109345216a38567093a" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/dragonmantank/cron-expression/zipball/adfb1f505deb6384dc8b39804c5065dd3c8c8c0a", - "reference": "adfb1f505deb6384dc8b39804c5065dd3c8c8c0a", + "url": "https://api.github.com/repos/filamentphp/tables/zipball/4a60fda65574f248e082f109345216a38567093a", + "reference": "4a60fda65574f248e082f109345216a38567093a", "shasum": "" }, "require": { - "php": "^7.2|^8.0", - "webmozart/assert": "^1.0" - }, - "replace": { - "mtdowling/cron-expression": "^1.0" - }, - "require-dev": { - "phpstan/extension-installer": "^1.0", - "phpstan/phpstan": "^1.0", - "phpstan/phpstan-webmozart-assert": "^1.0", - "phpunit/phpunit": "^7.0|^8.0|^9.0" + "filament/actions": "self.version", + "filament/forms": "self.version", + "filament/support": "self.version", + "illuminate/console": "^10.45|^11.0", + "illuminate/contracts": "^10.45|^11.0", + "illuminate/database": "^10.45|^11.0", + "illuminate/filesystem": "^10.45|^11.0", + "illuminate/support": "^10.45|^11.0", + "illuminate/view": "^10.45|^11.0", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9" }, "type": "library", + "extra": { + "laravel": { + "providers": [ + "Filament\\Tables\\TablesServiceProvider" + ] + } + }, "autoload": { "psr-4": { - "Cron\\": "src/Cron/" + "Filament\\Tables\\": "src" } }, "notification-url": "https://packagist.org/downloads/", "license": [ "MIT" ], - "authors": [ - { - "name": "Chris Tankersley", - "email": "chris@ctankersley.com", - "homepage": "https://github.com/dragonmantank" - } - ], - "description": "CRON for PHP: Calculate the next or previous run date and determine if a CRON expression is due", - "keywords": [ - "cron", - "schedule" - ], + "description": "Easily add beautiful tables to any Livewire component.", + "homepage": "https://github.com/filamentphp/filament", "support": { - "issues": "https://github.com/dragonmantank/cron-expression/issues", - "source": "https://github.com/dragonmantank/cron-expression/tree/v3.3.3" + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" }, - "funding": [ - { - "url": "https://github.com/dragonmantank", - "type": "github" - } - ], - "time": "2023-08-10T19:36:49+00:00" + "time": "2024-12-05T08:56:53+00:00" }, { - "name": "egulias/email-validator", - "version": "4.0.2", + "name": "filament/widgets", + "version": "v3.2.128", "source": { "type": "git", - "url": "https://github.com/egulias/EmailValidator.git", - "reference": "ebaaf5be6c0286928352e054f2d5125608e5405e" + "url": "https://github.com/filamentphp/widgets.git", + "reference": "6de1c84d71168fd1c6a5b1ae1e1b4ec5ee4b6f55" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/egulias/EmailValidator/zipball/ebaaf5be6c0286928352e054f2d5125608e5405e", - "reference": "ebaaf5be6c0286928352e054f2d5125608e5405e", + "url": "https://api.github.com/repos/filamentphp/widgets/zipball/6de1c84d71168fd1c6a5b1ae1e1b4ec5ee4b6f55", + "reference": "6de1c84d71168fd1c6a5b1ae1e1b4ec5ee4b6f55", "shasum": "" }, "require": { - "doctrine/lexer": "^2.0 || ^3.0", - "php": ">=8.1", - "symfony/polyfill-intl-idn": "^1.26" - }, - "require-dev": { - "phpunit/phpunit": "^10.2", - "vimeo/psalm": "^5.12" - }, - "suggest": { - "ext-intl": "PHP Internationalization Libraries are required to use the SpoofChecking validation" + "filament/support": "self.version", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9" }, "type": "library", "extra": { - "branch-alias": { - "dev-master": "4.0.x-dev" + "laravel": { + "providers": [ + "Filament\\Widgets\\WidgetsServiceProvider" + ] } }, "autoload": { "psr-4": { - "Egulias\\EmailValidator\\": "src" + "Filament\\Widgets\\": "src" } }, "notification-url": "https://packagist.org/downloads/", "license": [ "MIT" ], - "authors": [ - { - "name": "Eduardo Gulias Davis" - } - ], - "description": "A library for validating emails against several RFCs", - "homepage": "https://github.com/egulias/EmailValidator", - "keywords": [ - "email", - "emailvalidation", - "emailvalidator", - "validation", - "validator" - ], + "description": "Easily add beautiful dashboard widgets to any Livewire component.", + "homepage": "https://github.com/filamentphp/filament", "support": { - "issues": "https://github.com/egulias/EmailValidator/issues", - "source": "https://github.com/egulias/EmailValidator/tree/4.0.2" + "issues": "https://github.com/filamentphp/filament/issues", + "source": "https://github.com/filamentphp/filament" }, - "funding": [ - { - "url": "https://github.com/egulias", - "type": "github" - } - ], - "time": "2023-10-06T06:47:41+00:00" + "time": "2024-11-27T16:52:29+00:00" }, { "name": "fruitcake/php-cors", @@ -917,24 +1744,24 @@ }, { "name": "graham-campbell/result-type", - "version": "v1.1.2", + "version": "v1.1.3", "source": { "type": "git", "url": "https://github.com/GrahamCampbell/Result-Type.git", - "reference": "fbd48bce38f73f8a4ec8583362e732e4095e5862" + "reference": "3ba905c11371512af9d9bdd27d99b782216b6945" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/GrahamCampbell/Result-Type/zipball/fbd48bce38f73f8a4ec8583362e732e4095e5862", - "reference": "fbd48bce38f73f8a4ec8583362e732e4095e5862", + "url": "https://api.github.com/repos/GrahamCampbell/Result-Type/zipball/3ba905c11371512af9d9bdd27d99b782216b6945", + "reference": "3ba905c11371512af9d9bdd27d99b782216b6945", "shasum": "" }, "require": { "php": "^7.2.5 || ^8.0", - "phpoption/phpoption": "^1.9.2" + "phpoption/phpoption": "^1.9.3" }, "require-dev": { - "phpunit/phpunit": "^8.5.34 || ^9.6.13 || ^10.4.2" + "phpunit/phpunit": "^8.5.39 || ^9.6.20 || ^10.5.28" }, "type": "library", "autoload": { @@ -963,7 +1790,7 @@ ], "support": { "issues": "https://github.com/GrahamCampbell/Result-Type/issues", - "source": "https://github.com/GrahamCampbell/Result-Type/tree/v1.1.2" + "source": "https://github.com/GrahamCampbell/Result-Type/tree/v1.1.3" }, "funding": [ { @@ -975,26 +1802,26 @@ "type": "tidelift" } ], - "time": "2023-11-12T22:16:48+00:00" + "time": "2024-07-20T21:45:45+00:00" }, { "name": "guzzlehttp/guzzle", - "version": "7.8.1", + "version": "7.9.2", "source": { "type": "git", "url": "https://github.com/guzzle/guzzle.git", - "reference": "41042bc7ab002487b876a0683fc8dce04ddce104" + "reference": "d281ed313b989f213357e3be1a179f02196ac99b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/guzzle/guzzle/zipball/41042bc7ab002487b876a0683fc8dce04ddce104", - "reference": "41042bc7ab002487b876a0683fc8dce04ddce104", + "url": "https://api.github.com/repos/guzzle/guzzle/zipball/d281ed313b989f213357e3be1a179f02196ac99b", + "reference": "d281ed313b989f213357e3be1a179f02196ac99b", "shasum": "" }, "require": { "ext-json": "*", - "guzzlehttp/promises": "^1.5.3 || ^2.0.1", - "guzzlehttp/psr7": "^1.9.1 || ^2.5.1", + "guzzlehttp/promises": "^1.5.3 || ^2.0.3", + "guzzlehttp/psr7": "^2.7.0", "php": "^7.2.5 || ^8.0", "psr/http-client": "^1.0", "symfony/deprecation-contracts": "^2.2 || ^3.0" @@ -1005,9 +1832,9 @@ "require-dev": { "bamarni/composer-bin-plugin": "^1.8.2", "ext-curl": "*", - "php-http/client-integration-tests": "dev-master#2c025848417c1135031fdf9c728ee53d0a7ceaee as 3.0.999", + "guzzle/client-integration-tests": "3.0.2", "php-http/message-factory": "^1.1", - "phpunit/phpunit": "^8.5.36 || ^9.6.15", + "phpunit/phpunit": "^8.5.39 || ^9.6.20", "psr/log": "^1.1 || ^2.0 || ^3.0" }, "suggest": { @@ -1085,7 +1912,7 @@ ], "support": { "issues": "https://github.com/guzzle/guzzle/issues", - "source": "https://github.com/guzzle/guzzle/tree/7.8.1" + "source": "https://github.com/guzzle/guzzle/tree/7.9.2" }, "funding": [ { @@ -1101,20 +1928,20 @@ "type": "tidelift" } ], - "time": "2023-12-03T20:35:24+00:00" + "time": "2024-07-24T11:22:20+00:00" }, { "name": "guzzlehttp/promises", - "version": "2.0.2", + "version": "2.0.4", "source": { "type": "git", "url": "https://github.com/guzzle/promises.git", - "reference": "bbff78d96034045e58e13dedd6ad91b5d1253223" + "reference": "f9c436286ab2892c7db7be8c8da4ef61ccf7b455" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/guzzle/promises/zipball/bbff78d96034045e58e13dedd6ad91b5d1253223", - "reference": "bbff78d96034045e58e13dedd6ad91b5d1253223", + "url": "https://api.github.com/repos/guzzle/promises/zipball/f9c436286ab2892c7db7be8c8da4ef61ccf7b455", + "reference": "f9c436286ab2892c7db7be8c8da4ef61ccf7b455", "shasum": "" }, "require": { @@ -1122,7 +1949,7 @@ }, "require-dev": { "bamarni/composer-bin-plugin": "^1.8.2", - "phpunit/phpunit": "^8.5.36 || ^9.6.15" + "phpunit/phpunit": "^8.5.39 || ^9.6.20" }, "type": "library", "extra": { @@ -1168,7 +1995,7 @@ ], "support": { "issues": "https://github.com/guzzle/promises/issues", - "source": "https://github.com/guzzle/promises/tree/2.0.2" + "source": "https://github.com/guzzle/promises/tree/2.0.4" }, "funding": [ { @@ -1184,20 +2011,20 @@ "type": "tidelift" } ], - "time": "2023-12-03T20:19:20+00:00" + "time": "2024-10-17T10:06:22+00:00" }, { "name": "guzzlehttp/psr7", - "version": "2.6.2", + "version": "2.7.0", "source": { "type": "git", "url": "https://github.com/guzzle/psr7.git", - "reference": "45b30f99ac27b5ca93cb4831afe16285f57b8221" + "reference": "a70f5c95fb43bc83f07c9c948baa0dc1829bf201" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/guzzle/psr7/zipball/45b30f99ac27b5ca93cb4831afe16285f57b8221", - "reference": "45b30f99ac27b5ca93cb4831afe16285f57b8221", + "url": "https://api.github.com/repos/guzzle/psr7/zipball/a70f5c95fb43bc83f07c9c948baa0dc1829bf201", + "reference": "a70f5c95fb43bc83f07c9c948baa0dc1829bf201", "shasum": "" }, "require": { @@ -1212,8 +2039,8 @@ }, "require-dev": { "bamarni/composer-bin-plugin": "^1.8.2", - "http-interop/http-factory-tests": "^0.9", - "phpunit/phpunit": "^8.5.36 || ^9.6.15" + "http-interop/http-factory-tests": "0.9.0", + "phpunit/phpunit": "^8.5.39 || ^9.6.20" }, "suggest": { "laminas/laminas-httphandlerrunner": "Emit PSR-7 responses" @@ -1284,7 +2111,7 @@ ], "support": { "issues": "https://github.com/guzzle/psr7/issues", - "source": "https://github.com/guzzle/psr7/tree/2.6.2" + "source": "https://github.com/guzzle/psr7/tree/2.7.0" }, "funding": [ { @@ -1300,7 +2127,7 @@ "type": "tidelift" } ], - "time": "2023-12-03T20:05:35+00:00" + "time": "2024-07-18T11:15:46+00:00" }, { "name": "guzzlehttp/uri-template", @@ -1390,26 +2217,27 @@ }, { "name": "inertiajs/inertia-laravel", - "version": "v1.1.0", + "version": "v1.3.2", "source": { "type": "git", "url": "https://github.com/inertiajs/inertia-laravel.git", - "reference": "576fba4da6f2ba6348ddf57a750c73231904d598" + "reference": "7e6a030ffab315099782a4844a2175455f511c68" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/inertiajs/inertia-laravel/zipball/576fba4da6f2ba6348ddf57a750c73231904d598", - "reference": "576fba4da6f2ba6348ddf57a750c73231904d598", + "url": "https://api.github.com/repos/inertiajs/inertia-laravel/zipball/7e6a030ffab315099782a4844a2175455f511c68", + "reference": "7e6a030ffab315099782a4844a2175455f511c68", "shasum": "" }, "require": { "ext-json": "*", "laravel/framework": "^8.74|^9.0|^10.0|^11.0", - "php": "^7.3|~8.0.0|~8.1.0|~8.2.0|~8.3.0" + "php": "^7.3|~8.0.0|~8.1.0|~8.2.0|~8.3.0|~8.4.0", + "symfony/console": "^5.3|^6.0|^7.0" }, "require-dev": { "mockery/mockery": "^1.3.3", - "orchestra/testbench": "^6.4|^7.0|^8.0|^9.0", + "orchestra/testbench": "^6.45|^7.44|^8.25|^9.3", "phpunit/phpunit": "^8.0|^9.5.8|^10.4", "roave/security-advisories": "dev-master" }, @@ -1453,7 +2281,7 @@ ], "support": { "issues": "https://github.com/inertiajs/inertia-laravel/issues", - "source": "https://github.com/inertiajs/inertia-laravel/tree/v1.1.0" + "source": "https://github.com/inertiajs/inertia-laravel/tree/v1.3.2" }, "funding": [ { @@ -1461,29 +2289,95 @@ "type": "github" } ], - "time": "2024-05-16T01:41:06+00:00" + "time": "2024-12-05T14:52:50+00:00" + }, + { + "name": "kirschbaum-development/eloquent-power-joins", + "version": "4.0.1", + "source": { + "type": "git", + "url": "https://github.com/kirschbaum-development/eloquent-power-joins.git", + "reference": "3c1af9b86b02f1e39219849c1d2fee7cf77e8638" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/kirschbaum-development/eloquent-power-joins/zipball/3c1af9b86b02f1e39219849c1d2fee7cf77e8638", + "reference": "3c1af9b86b02f1e39219849c1d2fee7cf77e8638", + "shasum": "" + }, + "require": { + "illuminate/database": "^10.0|^11.0", + "illuminate/support": "^10.0|^11.0", + "php": "^8.1" + }, + "require-dev": { + "friendsofphp/php-cs-fixer": "dev-master", + "laravel/legacy-factories": "^1.0@dev", + "orchestra/testbench": "^8.0|^9.0", + "phpunit/phpunit": "^10.0" + }, + "type": "library", + "extra": { + "laravel": { + "providers": [ + "Kirschbaum\\PowerJoins\\PowerJoinsServiceProvider" + ] + } + }, + "autoload": { + "psr-4": { + "Kirschbaum\\PowerJoins\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Luis Dalmolin", + "email": "luis.nh@gmail.com", + "role": "Developer" + } + ], + "description": "The Laravel magic applied to joins.", + "homepage": "https://github.com/kirschbaum-development/eloquent-power-joins", + "keywords": [ + "eloquent", + "join", + "laravel", + "mysql" + ], + "support": { + "issues": "https://github.com/kirschbaum-development/eloquent-power-joins/issues", + "source": "https://github.com/kirschbaum-development/eloquent-power-joins/tree/4.0.1" + }, + "time": "2024-11-26T13:22:08+00:00" }, { "name": "laminas/laminas-diactoros", - "version": "3.3.1", + "version": "3.5.0", "source": { "type": "git", "url": "https://github.com/laminas/laminas-diactoros.git", - "reference": "74cfb9a7522ffd2a161d1ebe10db2fc2abb9df45" + "reference": "143a16306602ce56b8b092a7914fef03c37f9ed2" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laminas/laminas-diactoros/zipball/74cfb9a7522ffd2a161d1ebe10db2fc2abb9df45", - "reference": "74cfb9a7522ffd2a161d1ebe10db2fc2abb9df45", + "url": "https://api.github.com/repos/laminas/laminas-diactoros/zipball/143a16306602ce56b8b092a7914fef03c37f9ed2", + "reference": "143a16306602ce56b8b092a7914fef03c37f9ed2", "shasum": "" }, "require": { - "php": "~8.1.0 || ~8.2.0 || ~8.3.0", - "psr/http-factory": "^1.0.2", + "php": "~8.1.0 || ~8.2.0 || ~8.3.0 || ~8.4.0", + "psr/http-factory": "^1.1", "psr/http-message": "^1.1 || ^2.0" }, + "conflict": { + "amphp/amp": "<2.6.4" + }, "provide": { - "psr/http-factory-implementation": "^1.1 || ^2.0", + "psr/http-factory-implementation": "^1.0", "psr/http-message-implementation": "^1.1 || ^2.0" }, "require-dev": { @@ -1491,12 +2385,12 @@ "ext-dom": "*", "ext-gd": "*", "ext-libxml": "*", - "http-interop/http-factory-tests": "^0.9.0", + "http-interop/http-factory-tests": "^2.2.0", "laminas/laminas-coding-standard": "~2.5.0", - "php-http/psr7-integration-tests": "^1.3", - "phpunit/phpunit": "^9.6.16", - "psalm/plugin-phpunit": "^0.18.4", - "vimeo/psalm": "^5.22.1" + "php-http/psr7-integration-tests": "^1.4.0", + "phpunit/phpunit": "^10.5.36", + "psalm/plugin-phpunit": "^0.19.0", + "vimeo/psalm": "^5.26.1" }, "type": "library", "extra": { @@ -1546,27 +2440,27 @@ "type": "community_bridge" } ], - "time": "2024-02-16T16:06:16+00:00" + "time": "2024-10-14T11:59:49+00:00" }, { "name": "laravel/framework", - "version": "v11.7.0", + "version": "v11.35.0", "source": { "type": "git", "url": "https://github.com/laravel/framework.git", - "reference": "e5ac72f513f635f208024aa76b8a04efc1b47f93" + "reference": "f1a7aaa3c1235b7a95ccaa58db90e0cd9d8c3fcc" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/framework/zipball/e5ac72f513f635f208024aa76b8a04efc1b47f93", - "reference": "e5ac72f513f635f208024aa76b8a04efc1b47f93", + "url": "https://api.github.com/repos/laravel/framework/zipball/f1a7aaa3c1235b7a95ccaa58db90e0cd9d8c3fcc", + "reference": "f1a7aaa3c1235b7a95ccaa58db90e0cd9d8c3fcc", "shasum": "" }, "require": { "brick/math": "^0.9.3|^0.10.2|^0.11|^0.12", "composer-runtime-api": "^2.2", "doctrine/inflector": "^2.0.5", - "dragonmantank/cron-expression": "^3.3.2", + "dragonmantank/cron-expression": "^3.4", "egulias/email-validator": "^3.2.1|^4.0", "ext-ctype": "*", "ext-filter": "*", @@ -1576,35 +2470,37 @@ "ext-session": "*", "ext-tokenizer": "*", "fruitcake/php-cors": "^1.3", - "guzzlehttp/guzzle": "^7.8", + "guzzlehttp/guzzle": "^7.8.2", "guzzlehttp/uri-template": "^1.0", - "laravel/prompts": "^0.1.18", - "laravel/serializable-closure": "^1.3", + "laravel/prompts": "^0.1.18|^0.2.0|^0.3.0", + "laravel/serializable-closure": "^1.3|^2.0", "league/commonmark": "^2.2.1", - "league/flysystem": "^3.8.0", + "league/flysystem": "^3.25.1", + "league/flysystem-local": "^3.25.1", + "league/uri": "^7.5.1", "monolog/monolog": "^3.0", - "nesbot/carbon": "^2.72.2|^3.0", + "nesbot/carbon": "^2.72.2|^3.4", "nunomaduro/termwind": "^2.0", "php": "^8.2", "psr/container": "^1.1.1|^2.0.1", "psr/log": "^1.0|^2.0|^3.0", "psr/simple-cache": "^1.0|^2.0|^3.0", "ramsey/uuid": "^4.7", - "symfony/console": "^7.0", - "symfony/error-handler": "^7.0", - "symfony/finder": "^7.0", - "symfony/http-foundation": "^7.0", - "symfony/http-kernel": "^7.0", - "symfony/mailer": "^7.0", - "symfony/mime": "^7.0", - "symfony/polyfill-php83": "^1.28", - "symfony/process": "^7.0", - "symfony/routing": "^7.0", - "symfony/uid": "^7.0", - "symfony/var-dumper": "^7.0", + "symfony/console": "^7.0.3", + "symfony/error-handler": "^7.0.3", + "symfony/finder": "^7.0.3", + "symfony/http-foundation": "^7.0.3", + "symfony/http-kernel": "^7.0.3", + "symfony/mailer": "^7.0.3", + "symfony/mime": "^7.0.3", + "symfony/polyfill-php83": "^1.31", + "symfony/process": "^7.0.3", + "symfony/routing": "^7.0.3", + "symfony/uid": "^7.0.3", + "symfony/var-dumper": "^7.0.3", "tijsverkoyen/css-to-inline-styles": "^2.2.5", - "vlucas/phpdotenv": "^5.4.1", - "voku/portable-ascii": "^2.0" + "vlucas/phpdotenv": "^5.6.1", + "voku/portable-ascii": "^2.0.2" }, "conflict": { "mockery/mockery": "1.6.8", @@ -1612,6 +2508,7 @@ }, "provide": { "psr/container-implementation": "1.1|2.0", + "psr/log-implementation": "1.0|2.0|3.0", "psr/simple-cache-implementation": "1.0|2.0|3.0" }, "replace": { @@ -1620,6 +2517,7 @@ "illuminate/bus": "self.version", "illuminate/cache": "self.version", "illuminate/collections": "self.version", + "illuminate/concurrency": "self.version", "illuminate/conditionable": "self.version", "illuminate/config": "self.version", "illuminate/console": "self.version", @@ -1652,29 +2550,32 @@ }, "require-dev": { "ably/ably-php": "^1.0", - "aws/aws-sdk-php": "^3.235.5", + "aws/aws-sdk-php": "^3.322.9", "ext-gmp": "*", - "fakerphp/faker": "^1.23", - "league/flysystem-aws-s3-v3": "^3.0", - "league/flysystem-ftp": "^3.0", - "league/flysystem-path-prefixing": "^3.3", - "league/flysystem-read-only": "^3.3", - "league/flysystem-sftp-v3": "^3.0", - "mockery/mockery": "^1.6", - "nyholm/psr7": "^1.2", - "orchestra/testbench-core": "^9.0.15", - "pda/pheanstalk": "^5.0", - "phpstan/phpstan": "^1.4.7", - "phpunit/phpunit": "^10.5|^11.0", - "predis/predis": "^2.0.2", + "fakerphp/faker": "^1.24", + "guzzlehttp/promises": "^2.0.3", + "guzzlehttp/psr7": "^2.4", + "league/flysystem-aws-s3-v3": "^3.25.1", + "league/flysystem-ftp": "^3.25.1", + "league/flysystem-path-prefixing": "^3.25.1", + "league/flysystem-read-only": "^3.25.1", + "league/flysystem-sftp-v3": "^3.25.1", + "mockery/mockery": "^1.6.10", + "orchestra/testbench-core": "^9.6", + "pda/pheanstalk": "^5.0.6", + "php-http/discovery": "^1.15", + "phpstan/phpstan": "^1.11.5", + "phpunit/phpunit": "^10.5.35|^11.3.6", + "predis/predis": "^2.3", "resend/resend-php": "^0.10.0", - "symfony/cache": "^7.0", - "symfony/http-client": "^7.0", - "symfony/psr-http-message-bridge": "^7.0" + "symfony/cache": "^7.0.3", + "symfony/http-client": "^7.0.3", + "symfony/psr-http-message-bridge": "^7.0.3", + "symfony/translation": "^7.0.3" }, "suggest": { "ably/ably-php": "Required to use the Ably broadcast driver (^1.0).", - "aws/aws-sdk-php": "Required to use the SQS queue driver, DynamoDb failed job storage, and SES mail driver (^3.235.5).", + "aws/aws-sdk-php": "Required to use the SQS queue driver, DynamoDb failed job storage, and SES mail driver (^3.322.9).", "brianium/paratest": "Required to run tests in parallel (^7.0|^8.0).", "ext-apcu": "Required to use the APC cache driver.", "ext-fileinfo": "Required to use the Filesystem class.", @@ -1684,20 +2585,20 @@ "ext-pcntl": "Required to use all features of the queue worker and console signal trapping.", "ext-pdo": "Required to use all database features.", "ext-posix": "Required to use all features of the queue worker.", - "ext-redis": "Required to use the Redis cache and queue drivers (^4.0|^5.0).", + "ext-redis": "Required to use the Redis cache and queue drivers (^4.0|^5.0|^6.0).", "fakerphp/faker": "Required to use the eloquent factory builder (^1.9.1).", "filp/whoops": "Required for friendly error pages in development (^2.14.3).", "laravel/tinker": "Required to use the tinker console command (^2.0).", - "league/flysystem-aws-s3-v3": "Required to use the Flysystem S3 driver (^3.0).", - "league/flysystem-ftp": "Required to use the Flysystem FTP driver (^3.0).", - "league/flysystem-path-prefixing": "Required to use the scoped driver (^3.3).", - "league/flysystem-read-only": "Required to use read-only disks (^3.3)", - "league/flysystem-sftp-v3": "Required to use the Flysystem SFTP driver (^3.0).", + "league/flysystem-aws-s3-v3": "Required to use the Flysystem S3 driver (^3.25.1).", + "league/flysystem-ftp": "Required to use the Flysystem FTP driver (^3.25.1).", + "league/flysystem-path-prefixing": "Required to use the scoped driver (^3.25.1).", + "league/flysystem-read-only": "Required to use read-only disks (^3.25.1)", + "league/flysystem-sftp-v3": "Required to use the Flysystem SFTP driver (^3.25.1).", "mockery/mockery": "Required to use mocking (^1.6).", - "nyholm/psr7": "Required to use PSR-7 bridging features (^1.2).", "pda/pheanstalk": "Required to use the beanstalk queue driver (^5.0).", + "php-http/discovery": "Required to use PSR-7 bridging features (^1.15).", "phpunit/phpunit": "Required to use assertions and run tests (^10.5|^11.0).", - "predis/predis": "Required to use the predis connector (^2.0.2).", + "predis/predis": "Required to use the predis connector (^2.3).", "psr/http-message": "Required to allow Storage::put to accept a StreamInterface (^1.0).", "pusher/pusher-php-server": "Required to use the Pusher broadcast driver (^6.0|^7.0).", "resend/resend-php": "Required to enable support for the Resend mail transport (^0.10.0).", @@ -1716,10 +2617,13 @@ }, "autoload": { "files": [ + "src/Illuminate/Collections/functions.php", "src/Illuminate/Collections/helpers.php", "src/Illuminate/Events/functions.php", "src/Illuminate/Filesystem/functions.php", "src/Illuminate/Foundation/helpers.php", + "src/Illuminate/Log/functions.php", + "src/Illuminate/Support/functions.php", "src/Illuminate/Support/helpers.php" ], "psr-4": { @@ -1751,20 +2655,20 @@ "issues": "https://github.com/laravel/framework/issues", "source": "https://github.com/laravel/framework" }, - "time": "2024-05-07T13:41:51+00:00" + "time": "2024-12-10T16:09:29+00:00" }, { "name": "laravel/horizon", - "version": "v5.24.4", + "version": "v5.30.0", "source": { "type": "git", "url": "https://github.com/laravel/horizon.git", - "reference": "8d31ff178bf5493efc2b2629c10612054f31f584" + "reference": "37d1f29daa7500fcd170d5c45b98b592fcaab95a" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/horizon/zipball/8d31ff178bf5493efc2b2629c10612054f31f584", - "reference": "8d31ff178bf5493efc2b2629c10612054f31f584", + "url": "https://api.github.com/repos/laravel/horizon/zipball/37d1f29daa7500fcd170d5c45b98b592fcaab95a", + "reference": "37d1f29daa7500fcd170d5c45b98b592fcaab95a", "shasum": "" }, "require": { @@ -1779,6 +2683,7 @@ "ramsey/uuid": "^4.0", "symfony/console": "^6.0|^7.0", "symfony/error-handler": "^6.0|^7.0", + "symfony/polyfill-php83": "^1.28", "symfony/process": "^6.0|^7.0" }, "require-dev": { @@ -1794,16 +2699,16 @@ }, "type": "library", "extra": { - "branch-alias": { - "dev-master": "5.x-dev" - }, "laravel": { - "providers": [ - "Laravel\\Horizon\\HorizonServiceProvider" - ], "aliases": { "Horizon": "Laravel\\Horizon\\Horizon" - } + }, + "providers": [ + "Laravel\\Horizon\\HorizonServiceProvider" + ] + }, + "branch-alias": { + "dev-master": "5.x-dev" } }, "autoload": { @@ -1828,26 +2733,26 @@ ], "support": { "issues": "https://github.com/laravel/horizon/issues", - "source": "https://github.com/laravel/horizon/tree/v5.24.4" + "source": "https://github.com/laravel/horizon/tree/v5.30.0" }, - "time": "2024-05-03T13:34:14+00:00" + "time": "2024-12-06T18:58:00+00:00" }, { "name": "laravel/nova", - "version": "4.33.3", + "version": "4.35.5", "source": { "type": "git", "url": "git@github.com:laravel/nova.git", - "reference": "0f308ea895bb202cced2493722b40ec172e0c108" + "reference": "3ff66e8325fb6e19624c26b77084f25c6c803a0b" }, "dist": { "type": "zip", - "url": "https://nova.laravel.com/dist/laravel/nova/laravel-nova-0f308ea895bb202cced2493722b40ec172e0c108-zip-e38c97.zip", - "reference": "0f308ea895bb202cced2493722b40ec172e0c108", - "shasum": "2ec5564e35e52cac368274b063880d9068a1e345" + "url": "https://nova.laravel.com/dist/laravel/nova/laravel-nova-3ff66e8325fb6e19624c26b77084f25c6c803a0b-zip-b8a291.zip", + "reference": "3ff66e8325fb6e19624c26b77084f25c6c803a0b", + "shasum": "b229f7175b1941d98ac2c106ceb2ec0adaa8a99f" }, "require": { - "brick/money": "^0.5|^0.6|^0.7|^0.8|^0.9", + "brick/money": "^0.5|^0.6|^0.7|^0.8|^0.9|^0.10", "doctrine/dbal": "^2.13.3|^3.1.2|^4.0", "ext-json": "*", "illuminate/support": "^8.83.4|^9.3.1|^10.0|^11.0", @@ -1954,28 +2859,29 @@ "laravel" ], "support": { - "source": "https://github.com/laravel/nova/tree/v4.33.3" + "source": "https://github.com/laravel/nova/tree/v4.35.5" }, - "time": "2024-04-18T00:44:42+00:00" + "time": "2024-11-21T14:25:52+00:00" }, { "name": "laravel/octane", - "version": "v2.3.10", + "version": "v2.6.0", "source": { "type": "git", "url": "https://github.com/laravel/octane.git", - "reference": "61a3e69eaba9cf71f038c9950bec1a84d9c63223" + "reference": "b8b11ef25600baa835d364e724f2e948dc1eb88b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/octane/zipball/61a3e69eaba9cf71f038c9950bec1a84d9c63223", - "reference": "61a3e69eaba9cf71f038c9950bec1a84d9c63223", + "url": "https://api.github.com/repos/laravel/octane/zipball/b8b11ef25600baa835d364e724f2e948dc1eb88b", + "reference": "b8b11ef25600baa835d364e724f2e948dc1eb88b", "shasum": "" }, "require": { "laminas/laminas-diactoros": "^3.0", "laravel/framework": "^10.10.1|^11.0", - "laravel/serializable-closure": "^1.3.0", + "laravel/prompts": "^0.1.24|^0.2.0|^0.3.0", + "laravel/serializable-closure": "^1.3|^2.0", "nesbot/carbon": "^2.66.0|^3.0", "php": "^8.1.0", "symfony/console": "^6.0|^7.0", @@ -1994,7 +2900,7 @@ "livewire/livewire": "^2.12.3|^3.0", "mockery/mockery": "^1.5.1", "nunomaduro/collision": "^6.4.0|^7.5.2|^8.0", - "orchestra/testbench": "^8.5.2|^9.0", + "orchestra/testbench": "^8.21|^9.0", "phpstan/phpstan": "^1.10.15", "phpunit/phpunit": "^10.4", "spiral/roadrunner-cli": "^2.6.0", @@ -2045,20 +2951,20 @@ "issues": "https://github.com/laravel/octane/issues", "source": "https://github.com/laravel/octane" }, - "time": "2024-05-07T13:19:11+00:00" + "time": "2024-11-25T21:47:18+00:00" }, { "name": "laravel/prompts", - "version": "v0.1.21", + "version": "v0.1.25", "source": { "type": "git", "url": "https://github.com/laravel/prompts.git", - "reference": "23ea808e8a145653e0ab29e30d4385e49f40a920" + "reference": "7b4029a84c37cb2725fc7f011586e2997040bc95" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/prompts/zipball/23ea808e8a145653e0ab29e30d4385e49f40a920", - "reference": "23ea808e8a145653e0ab29e30d4385e49f40a920", + "url": "https://api.github.com/repos/laravel/prompts/zipball/7b4029a84c37cb2725fc7f011586e2997040bc95", + "reference": "7b4029a84c37cb2725fc7f011586e2997040bc95", "shasum": "" }, "require": { @@ -2101,26 +3007,26 @@ "description": "Add beautiful and user-friendly forms to your command-line applications.", "support": { "issues": "https://github.com/laravel/prompts/issues", - "source": "https://github.com/laravel/prompts/tree/v0.1.21" + "source": "https://github.com/laravel/prompts/tree/v0.1.25" }, - "time": "2024-04-30T12:46:16+00:00" + "time": "2024-08-12T22:06:33+00:00" }, { "name": "laravel/pulse", - "version": "v1.1.0", + "version": "v1.3.0", "source": { "type": "git", "url": "https://github.com/laravel/pulse.git", - "reference": "16746346a6cb2cd12d9e93db206aaf2b9d792b21" + "reference": "56208e7762ef59aeb9c110b1c63fa95b71003346" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/pulse/zipball/16746346a6cb2cd12d9e93db206aaf2b9d792b21", - "reference": "16746346a6cb2cd12d9e93db206aaf2b9d792b21", + "url": "https://api.github.com/repos/laravel/pulse/zipball/56208e7762ef59aeb9c110b1c63fa95b71003346", + "reference": "56208e7762ef59aeb9c110b1c63fa95b71003346", "shasum": "" }, "require": { - "doctrine/sql-formatter": "^1.2", + "doctrine/sql-formatter": "^1.4.1", "guzzlehttp/promises": "^1.0|^2.0", "illuminate/auth": "^10.48.4|^11.0.8", "illuminate/cache": "^10.48.4|^11.0.8", @@ -2154,16 +3060,16 @@ }, "type": "library", "extra": { - "branch-alias": { - "dev-master": "1.x-dev" - }, "laravel": { - "providers": [ - "Laravel\\Pulse\\PulseServiceProvider" - ], "aliases": { "Pulse": "Laravel\\Pulse\\Facades\\Pulse" - } + }, + "providers": [ + "Laravel\\Pulse\\PulseServiceProvider" + ] + }, + "branch-alias": { + "dev-master": "1.x-dev" } }, "autoload": { @@ -2190,20 +3096,20 @@ "issues": "https://github.com/laravel/pulse/issues", "source": "https://github.com/laravel/pulse" }, - "time": "2024-05-06T17:11:35+00:00" + "time": "2024-12-02T15:17:11+00:00" }, { "name": "laravel/sanctum", - "version": "v4.0.2", + "version": "v4.0.6", "source": { "type": "git", "url": "https://github.com/laravel/sanctum.git", - "reference": "9cfc0ce80cabad5334efff73ec856339e8ec1ac1" + "reference": "9e069e36d90b1e1f41886efa0fe9800a6b354694" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/sanctum/zipball/9cfc0ce80cabad5334efff73ec856339e8ec1ac1", - "reference": "9cfc0ce80cabad5334efff73ec856339e8ec1ac1", + "url": "https://api.github.com/repos/laravel/sanctum/zipball/9e069e36d90b1e1f41886efa0fe9800a6b354694", + "reference": "9e069e36d90b1e1f41886efa0fe9800a6b354694", "shasum": "" }, "require": { @@ -2254,35 +3160,36 @@ "issues": "https://github.com/laravel/sanctum/issues", "source": "https://github.com/laravel/sanctum" }, - "time": "2024-04-10T19:39:58+00:00" + "time": "2024-11-26T21:18:33+00:00" }, { "name": "laravel/serializable-closure", - "version": "v1.3.3", + "version": "v2.0.0", "source": { "type": "git", "url": "https://github.com/laravel/serializable-closure.git", - "reference": "3dbf8a8e914634c48d389c1234552666b3d43754" + "reference": "0d8d3d8086984996df86596a86dea60398093a81" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/serializable-closure/zipball/3dbf8a8e914634c48d389c1234552666b3d43754", - "reference": "3dbf8a8e914634c48d389c1234552666b3d43754", + "url": "https://api.github.com/repos/laravel/serializable-closure/zipball/0d8d3d8086984996df86596a86dea60398093a81", + "reference": "0d8d3d8086984996df86596a86dea60398093a81", "shasum": "" }, "require": { - "php": "^7.3|^8.0" + "php": "^8.1" }, "require-dev": { - "nesbot/carbon": "^2.61", - "pestphp/pest": "^1.21.3", - "phpstan/phpstan": "^1.8.2", - "symfony/var-dumper": "^5.4.11" + "illuminate/support": "^10.0|^11.0", + "nesbot/carbon": "^2.67|^3.0", + "pestphp/pest": "^2.36", + "phpstan/phpstan": "^2.0", + "symfony/var-dumper": "^6.2.0|^7.0.0" }, "type": "library", "extra": { "branch-alias": { - "dev-master": "1.x-dev" + "dev-master": "2.x-dev" } }, "autoload": { @@ -2314,20 +3221,20 @@ "issues": "https://github.com/laravel/serializable-closure/issues", "source": "https://github.com/laravel/serializable-closure" }, - "time": "2023-11-08T14:08:06+00:00" + "time": "2024-11-19T01:38:44+00:00" }, { "name": "laravel/slack-notification-channel", - "version": "v3.2.0", + "version": "v3.4.2", "source": { "type": "git", "url": "https://github.com/laravel/slack-notification-channel.git", - "reference": "fc8d1873e3db63a480bc57aebb4bf5ec05332d91" + "reference": "282d52d70195283eb1b92e59d7bdc2d525361f4b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/slack-notification-channel/zipball/fc8d1873e3db63a480bc57aebb4bf5ec05332d91", - "reference": "fc8d1873e3db63a480bc57aebb4bf5ec05332d91", + "url": "https://api.github.com/repos/laravel/slack-notification-channel/zipball/282d52d70195283eb1b92e59d7bdc2d525361f4b", + "reference": "282d52d70195283eb1b92e59d7bdc2d525361f4b", "shasum": "" }, "require": { @@ -2345,13 +3252,13 @@ }, "type": "library", "extra": { - "branch-alias": { - "dev-master": "3.x-dev" - }, "laravel": { "providers": [ "Illuminate\\Notifications\\SlackChannelServiceProvider" ] + }, + "branch-alias": { + "dev-master": "3.x-dev" } }, "autoload": { @@ -2377,22 +3284,22 @@ ], "support": { "issues": "https://github.com/laravel/slack-notification-channel/issues", - "source": "https://github.com/laravel/slack-notification-channel/tree/v3.2.0" + "source": "https://github.com/laravel/slack-notification-channel/tree/v3.4.2" }, - "time": "2024-01-15T20:07:45+00:00" + "time": "2024-11-29T14:59:32+00:00" }, { "name": "laravel/tinker", - "version": "v2.9.0", + "version": "v2.10.0", "source": { "type": "git", "url": "https://github.com/laravel/tinker.git", - "reference": "502e0fe3f0415d06d5db1f83a472f0f3b754bafe" + "reference": "ba4d51eb56de7711b3a37d63aa0643e99a339ae5" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/tinker/zipball/502e0fe3f0415d06d5db1f83a472f0f3b754bafe", - "reference": "502e0fe3f0415d06d5db1f83a472f0f3b754bafe", + "url": "https://api.github.com/repos/laravel/tinker/zipball/ba4d51eb56de7711b3a37d63aa0643e99a339ae5", + "reference": "ba4d51eb56de7711b3a37d63aa0643e99a339ae5", "shasum": "" }, "require": { @@ -2443,22 +3350,22 @@ ], "support": { "issues": "https://github.com/laravel/tinker/issues", - "source": "https://github.com/laravel/tinker/tree/v2.9.0" + "source": "https://github.com/laravel/tinker/tree/v2.10.0" }, - "time": "2024-01-04T16:10:04+00:00" + "time": "2024-09-23T13:32:56+00:00" }, { "name": "laravel/ui", - "version": "v4.5.1", + "version": "v4.6.0", "source": { "type": "git", "url": "https://github.com/laravel/ui.git", - "reference": "a3562953123946996a503159199d6742d5534e61" + "reference": "a34609b15ae0c0512a0cf47a21695a2729cb7f93" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/ui/zipball/a3562953123946996a503159199d6742d5534e61", - "reference": "a3562953123946996a503159199d6742d5534e61", + "url": "https://api.github.com/repos/laravel/ui/zipball/a34609b15ae0c0512a0cf47a21695a2729cb7f93", + "reference": "a34609b15ae0c0512a0cf47a21695a2729cb7f93", "shasum": "" }, "require": { @@ -2506,22 +3413,22 @@ "ui" ], "support": { - "source": "https://github.com/laravel/ui/tree/v4.5.1" + "source": "https://github.com/laravel/ui/tree/v4.6.0" }, - "time": "2024-03-21T18:12:29+00:00" + "time": "2024-11-21T15:06:41+00:00" }, { "name": "league/commonmark", - "version": "2.4.2", + "version": "2.6.0", "source": { "type": "git", "url": "https://github.com/thephpleague/commonmark.git", - "reference": "91c24291965bd6d7c46c46a12ba7492f83b1cadf" + "reference": "d150f911e0079e90ae3c106734c93137c184f932" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/thephpleague/commonmark/zipball/91c24291965bd6d7c46c46a12ba7492f83b1cadf", - "reference": "91c24291965bd6d7c46c46a12ba7492f83b1cadf", + "url": "https://api.github.com/repos/thephpleague/commonmark/zipball/d150f911e0079e90ae3c106734c93137c184f932", + "reference": "d150f911e0079e90ae3c106734c93137c184f932", "shasum": "" }, "require": { @@ -2534,8 +3441,8 @@ }, "require-dev": { "cebe/markdown": "^1.0", - "commonmark/cmark": "0.30.3", - "commonmark/commonmark.js": "0.30.0", + "commonmark/cmark": "0.31.1", + "commonmark/commonmark.js": "0.31.1", "composer/package-versions-deprecated": "^1.8", "embed/embed": "^4.4", "erusev/parsedown": "^1.0", @@ -2546,8 +3453,9 @@ "phpstan/phpstan": "^1.8.2", "phpunit/phpunit": "^9.5.21 || ^10.5.9 || ^11.0.0", "scrutinizer/ocular": "^1.8.1", - "symfony/finder": "^5.3 | ^6.0 || ^7.0", - "symfony/yaml": "^2.3 | ^3.0 | ^4.0 | ^5.0 | ^6.0 || ^7.0", + "symfony/finder": "^5.3 | ^6.0 | ^7.0", + "symfony/process": "^5.4 | ^6.0 | ^7.0", + "symfony/yaml": "^2.3 | ^3.0 | ^4.0 | ^5.0 | ^6.0 | ^7.0", "unleashedtech/php-coding-standard": "^3.1.1", "vimeo/psalm": "^4.24.0 || ^5.0.0" }, @@ -2557,7 +3465,7 @@ "type": "library", "extra": { "branch-alias": { - "dev-main": "2.5-dev" + "dev-main": "2.7-dev" } }, "autoload": { @@ -2614,7 +3522,7 @@ "type": "tidelift" } ], - "time": "2024-02-02T11:59:32+00:00" + "time": "2024-12-07T15:34:16+00:00" }, { "name": "league/config", @@ -2698,18 +3606,105 @@ ], "time": "2022-12-11T20:36:23+00:00" }, + { + "name": "league/csv", + "version": "9.19.0", + "source": { + "type": "git", + "url": "https://github.com/thephpleague/csv.git", + "reference": "f81df48a012a9e86d077e74eaff666fd15bfab88" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/thephpleague/csv/zipball/f81df48a012a9e86d077e74eaff666fd15bfab88", + "reference": "f81df48a012a9e86d077e74eaff666fd15bfab88", + "shasum": "" + }, + "require": { + "ext-filter": "*", + "php": "^8.1.2" + }, + "require-dev": { + "ext-dom": "*", + "ext-xdebug": "*", + "friendsofphp/php-cs-fixer": "^3.64.0", + "phpbench/phpbench": "^1.3.1", + "phpstan/phpstan": "^1.12.11", + "phpstan/phpstan-deprecation-rules": "^1.2.1", + "phpstan/phpstan-phpunit": "^1.4.1", + "phpstan/phpstan-strict-rules": "^1.6.1", + "phpunit/phpunit": "^10.5.16 || ^11.4.3", + "symfony/var-dumper": "^6.4.8 || ^7.1.8" + }, + "suggest": { + "ext-dom": "Required to use the XMLConverter and the HTMLConverter classes", + "ext-iconv": "Needed to ease transcoding CSV using iconv stream filters", + "ext-mbstring": "Needed to ease transcoding CSV using mb stream filters" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "9.x-dev" + } + }, + "autoload": { + "files": [ + "src/functions_include.php" + ], + "psr-4": { + "League\\Csv\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Ignace Nyamagana Butera", + "email": "nyamsprod@gmail.com", + "homepage": "https://github.com/nyamsprod/", + "role": "Developer" + } + ], + "description": "CSV data manipulation made easy in PHP", + "homepage": "https://csv.thephpleague.com", + "keywords": [ + "convert", + "csv", + "export", + "filter", + "import", + "read", + "transform", + "write" + ], + "support": { + "docs": "https://csv.thephpleague.com", + "issues": "https://github.com/thephpleague/csv/issues", + "rss": "https://github.com/thephpleague/csv/releases.atom", + "source": "https://github.com/thephpleague/csv" + }, + "funding": [ + { + "url": "https://github.com/sponsors/nyamsprod", + "type": "github" + } + ], + "time": "2024-12-08T08:09:35+00:00" + }, { "name": "league/flysystem", - "version": "3.27.0", + "version": "3.29.1", "source": { "type": "git", "url": "https://github.com/thephpleague/flysystem.git", - "reference": "4729745b1ab737908c7d055148c9a6b3e959832f" + "reference": "edc1bb7c86fab0776c3287dbd19b5fa278347319" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/thephpleague/flysystem/zipball/4729745b1ab737908c7d055148c9a6b3e959832f", - "reference": "4729745b1ab737908c7d055148c9a6b3e959832f", + "url": "https://api.github.com/repos/thephpleague/flysystem/zipball/edc1bb7c86fab0776c3287dbd19b5fa278347319", + "reference": "edc1bb7c86fab0776c3287dbd19b5fa278347319", "shasum": "" }, "require": { @@ -2733,10 +3728,13 @@ "composer/semver": "^3.0", "ext-fileinfo": "*", "ext-ftp": "*", + "ext-mongodb": "^1.3", "ext-zip": "*", "friendsofphp/php-cs-fixer": "^3.5", "google/cloud-storage": "^1.23", + "guzzlehttp/psr7": "^2.6", "microsoft/azure-storage-blob": "^1.1", + "mongodb/mongodb": "^1.2", "phpseclib/phpseclib": "^3.0.36", "phpstan/phpstan": "^1.10", "phpunit/phpunit": "^9.5.11|^10.0", @@ -2774,32 +3772,22 @@ ], "support": { "issues": "https://github.com/thephpleague/flysystem/issues", - "source": "https://github.com/thephpleague/flysystem/tree/3.27.0" + "source": "https://github.com/thephpleague/flysystem/tree/3.29.1" }, - "funding": [ - { - "url": "https://ecologi.com/frankdejonge", - "type": "custom" - }, - { - "url": "https://github.com/frankdejonge", - "type": "github" - } - ], - "time": "2024-04-07T19:17:50+00:00" + "time": "2024-10-08T08:58:34+00:00" }, { "name": "league/flysystem-local", - "version": "3.25.1", + "version": "3.29.0", "source": { "type": "git", "url": "https://github.com/thephpleague/flysystem-local.git", - "reference": "61a6a90d6e999e4ddd9ce5adb356de0939060b92" + "reference": "e0e8d52ce4b2ed154148453d321e97c8e931bd27" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/thephpleague/flysystem-local/zipball/61a6a90d6e999e4ddd9ce5adb356de0939060b92", - "reference": "61a6a90d6e999e4ddd9ce5adb356de0939060b92", + "url": "https://api.github.com/repos/thephpleague/flysystem-local/zipball/e0e8d52ce4b2ed154148453d321e97c8e931bd27", + "reference": "e0e8d52ce4b2ed154148453d321e97c8e931bd27", "shasum": "" }, "require": { @@ -2833,32 +3821,22 @@ "local" ], "support": { - "source": "https://github.com/thephpleague/flysystem-local/tree/3.25.1" + "source": "https://github.com/thephpleague/flysystem-local/tree/3.29.0" }, - "funding": [ - { - "url": "https://ecologi.com/frankdejonge", - "type": "custom" - }, - { - "url": "https://github.com/frankdejonge", - "type": "github" - } - ], - "time": "2024-03-15T19:58:44+00:00" + "time": "2024-08-09T21:24:39+00:00" }, { "name": "league/mime-type-detection", - "version": "1.15.0", + "version": "1.16.0", "source": { "type": "git", "url": "https://github.com/thephpleague/mime-type-detection.git", - "reference": "ce0f4d1e8a6f4eb0ddff33f57c69c50fd09f4301" + "reference": "2d6702ff215bf922936ccc1ad31007edc76451b9" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/thephpleague/mime-type-detection/zipball/ce0f4d1e8a6f4eb0ddff33f57c69c50fd09f4301", - "reference": "ce0f4d1e8a6f4eb0ddff33f57c69c50fd09f4301", + "url": "https://api.github.com/repos/thephpleague/mime-type-detection/zipball/2d6702ff215bf922936ccc1ad31007edc76451b9", + "reference": "2d6702ff215bf922936ccc1ad31007edc76451b9", "shasum": "" }, "require": { @@ -2889,7 +3867,7 @@ "description": "Mime-type detection for Flysystem", "support": { "issues": "https://github.com/thephpleague/mime-type-detection/issues", - "source": "https://github.com/thephpleague/mime-type-detection/tree/1.15.0" + "source": "https://github.com/thephpleague/mime-type-detection/tree/1.16.0" }, "funding": [ { @@ -2901,20 +3879,194 @@ "type": "tidelift" } ], - "time": "2024-01-28T23:22:08+00:00" + "time": "2024-09-21T08:32:55+00:00" + }, + { + "name": "league/uri", + "version": "7.5.1", + "source": { + "type": "git", + "url": "https://github.com/thephpleague/uri.git", + "reference": "81fb5145d2644324614cc532b28efd0215bda430" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/thephpleague/uri/zipball/81fb5145d2644324614cc532b28efd0215bda430", + "reference": "81fb5145d2644324614cc532b28efd0215bda430", + "shasum": "" + }, + "require": { + "league/uri-interfaces": "^7.5", + "php": "^8.1" + }, + "conflict": { + "league/uri-schemes": "^1.0" + }, + "suggest": { + "ext-bcmath": "to improve IPV4 host parsing", + "ext-fileinfo": "to create Data URI from file contennts", + "ext-gmp": "to improve IPV4 host parsing", + "ext-intl": "to handle IDN host with the best performance", + "jeremykendall/php-domain-parser": "to resolve Public Suffix and Top Level Domain", + "league/uri-components": "Needed to easily manipulate URI objects components", + "php-64bit": "to improve IPV4 host parsing", + "symfony/polyfill-intl-idn": "to handle IDN host via the Symfony polyfill if ext-intl is not present" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "7.x-dev" + } + }, + "autoload": { + "psr-4": { + "League\\Uri\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Ignace Nyamagana Butera", + "email": "nyamsprod@gmail.com", + "homepage": "https://nyamsprod.com" + } + ], + "description": "URI manipulation library", + "homepage": "https://uri.thephpleague.com", + "keywords": [ + "data-uri", + "file-uri", + "ftp", + "hostname", + "http", + "https", + "middleware", + "parse_str", + "parse_url", + "psr-7", + "query-string", + "querystring", + "rfc3986", + "rfc3987", + "rfc6570", + "uri", + "uri-template", + "url", + "ws" + ], + "support": { + "docs": "https://uri.thephpleague.com", + "forum": "https://thephpleague.slack.com", + "issues": "https://github.com/thephpleague/uri-src/issues", + "source": "https://github.com/thephpleague/uri/tree/7.5.1" + }, + "funding": [ + { + "url": "https://github.com/sponsors/nyamsprod", + "type": "github" + } + ], + "time": "2024-12-08T08:40:02+00:00" + }, + { + "name": "league/uri-interfaces", + "version": "7.5.0", + "source": { + "type": "git", + "url": "https://github.com/thephpleague/uri-interfaces.git", + "reference": "08cfc6c4f3d811584fb09c37e2849e6a7f9b0742" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/thephpleague/uri-interfaces/zipball/08cfc6c4f3d811584fb09c37e2849e6a7f9b0742", + "reference": "08cfc6c4f3d811584fb09c37e2849e6a7f9b0742", + "shasum": "" + }, + "require": { + "ext-filter": "*", + "php": "^8.1", + "psr/http-factory": "^1", + "psr/http-message": "^1.1 || ^2.0" + }, + "suggest": { + "ext-bcmath": "to improve IPV4 host parsing", + "ext-gmp": "to improve IPV4 host parsing", + "ext-intl": "to handle IDN host with the best performance", + "php-64bit": "to improve IPV4 host parsing", + "symfony/polyfill-intl-idn": "to handle IDN host via the Symfony polyfill if ext-intl is not present" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "7.x-dev" + } + }, + "autoload": { + "psr-4": { + "League\\Uri\\": "" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Ignace Nyamagana Butera", + "email": "nyamsprod@gmail.com", + "homepage": "https://nyamsprod.com" + } + ], + "description": "Common interfaces and classes for URI representation and interaction", + "homepage": "https://uri.thephpleague.com", + "keywords": [ + "data-uri", + "file-uri", + "ftp", + "hostname", + "http", + "https", + "parse_str", + "parse_url", + "psr-7", + "query-string", + "querystring", + "rfc3986", + "rfc3987", + "rfc6570", + "uri", + "url", + "ws" + ], + "support": { + "docs": "https://uri.thephpleague.com", + "forum": "https://thephpleague.slack.com", + "issues": "https://github.com/thephpleague/uri-src/issues", + "source": "https://github.com/thephpleague/uri-interfaces/tree/7.5.0" + }, + "funding": [ + { + "url": "https://github.com/sponsors/nyamsprod", + "type": "github" + } + ], + "time": "2024-12-08T08:18:47+00:00" }, { "name": "livewire/livewire", - "version": "v3.4.12", + "version": "v3.5.12", "source": { "type": "git", "url": "https://github.com/livewire/livewire.git", - "reference": "54dd265c17f7b5200627eb9690590e7cbbad1027" + "reference": "3c8d1f9d7d9098aaea663093ae168f2d5d2ae73d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/livewire/livewire/zipball/54dd265c17f7b5200627eb9690590e7cbbad1027", - "reference": "54dd265c17f7b5200627eb9690590e7cbbad1027", + "url": "https://api.github.com/repos/livewire/livewire/zipball/3c8d1f9d7d9098aaea663093ae168f2d5d2ae73d", + "reference": "3c8d1f9d7d9098aaea663093ae168f2d5d2ae73d", "shasum": "" }, "require": { @@ -2922,6 +4074,7 @@ "illuminate/routing": "^10.0|^11.0", "illuminate/support": "^10.0|^11.0", "illuminate/validation": "^10.0|^11.0", + "laravel/prompts": "^0.1.24|^0.2|^0.3", "league/mime-type-detection": "^1.9", "php": "^8.1", "symfony/console": "^6.0|^7.0", @@ -2930,7 +4083,6 @@ "require-dev": { "calebporzio/sushi": "^2.1", "laravel/framework": "^10.15.0|^11.0", - "laravel/prompts": "^0.1.6", "mockery/mockery": "^1.3.1", "orchestra/testbench": "^8.21.0|^9.0", "orchestra/testbench-dusk": "^8.24|^9.1", @@ -2939,21 +4091,76 @@ }, "type": "library", "extra": { - "laravel": { - "providers": [ - "Livewire\\LivewireServiceProvider" - ], - "aliases": { - "Livewire": "Livewire\\Livewire" - } + "laravel": { + "aliases": { + "Livewire": "Livewire\\Livewire" + }, + "providers": [ + "Livewire\\LivewireServiceProvider" + ] + } + }, + "autoload": { + "files": [ + "src/helpers.php" + ], + "psr-4": { + "Livewire\\": "src/" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Caleb Porzio", + "email": "calebporzio@gmail.com" + } + ], + "description": "A front-end framework for Laravel.", + "support": { + "issues": "https://github.com/livewire/livewire/issues", + "source": "https://github.com/livewire/livewire/tree/v3.5.12" + }, + "funding": [ + { + "url": "https://github.com/livewire", + "type": "github" + } + ], + "time": "2024-10-15T19:35:06+00:00" + }, + { + "name": "masterminds/html5", + "version": "2.9.0", + "source": { + "type": "git", + "url": "https://github.com/Masterminds/html5-php.git", + "reference": "f5ac2c0b0a2eefca70b2ce32a5809992227e75a6" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/Masterminds/html5-php/zipball/f5ac2c0b0a2eefca70b2ce32a5809992227e75a6", + "reference": "f5ac2c0b0a2eefca70b2ce32a5809992227e75a6", + "shasum": "" + }, + "require": { + "ext-dom": "*", + "php": ">=5.3.0" + }, + "require-dev": { + "phpunit/phpunit": "^4.8.35 || ^5.7.21 || ^6 || ^7 || ^8 || ^9" + }, + "type": "library", + "extra": { + "branch-alias": { + "dev-master": "2.7-dev" } }, "autoload": { - "files": [ - "src/helpers.php" - ], "psr-4": { - "Livewire\\": "src/" + "Masterminds\\": "src" } }, "notification-url": "https://packagist.org/downloads/", @@ -2962,35 +4169,47 @@ ], "authors": [ { - "name": "Caleb Porzio", - "email": "calebporzio@gmail.com" + "name": "Matt Butcher", + "email": "technosophos@gmail.com" + }, + { + "name": "Matt Farina", + "email": "matt@mattfarina.com" + }, + { + "name": "Asmir Mustafic", + "email": "goetas@gmail.com" } ], - "description": "A front-end framework for Laravel.", + "description": "An HTML5 parser and serializer.", + "homepage": "http://masterminds.github.io/html5-php", + "keywords": [ + "HTML5", + "dom", + "html", + "parser", + "querypath", + "serializer", + "xml" + ], "support": { - "issues": "https://github.com/livewire/livewire/issues", - "source": "https://github.com/livewire/livewire/tree/v3.4.12" + "issues": "https://github.com/Masterminds/html5-php/issues", + "source": "https://github.com/Masterminds/html5-php/tree/2.9.0" }, - "funding": [ - { - "url": "https://github.com/livewire", - "type": "github" - } - ], - "time": "2024-05-02T17:10:37+00:00" + "time": "2024-03-31T07:05:07+00:00" }, { "name": "monolog/monolog", - "version": "3.6.0", + "version": "3.8.1", "source": { "type": "git", "url": "https://github.com/Seldaek/monolog.git", - "reference": "4b18b21a5527a3d5ffdac2fd35d3ab25a9597654" + "reference": "aef6ee73a77a66e404dd6540934a9ef1b3c855b4" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/Seldaek/monolog/zipball/4b18b21a5527a3d5ffdac2fd35d3ab25a9597654", - "reference": "4b18b21a5527a3d5ffdac2fd35d3ab25a9597654", + "url": "https://api.github.com/repos/Seldaek/monolog/zipball/aef6ee73a77a66e404dd6540934a9ef1b3c855b4", + "reference": "aef6ee73a77a66e404dd6540934a9ef1b3c855b4", "shasum": "" }, "require": { @@ -3010,12 +4229,14 @@ "guzzlehttp/psr7": "^2.2", "mongodb/mongodb": "^1.8", "php-amqplib/php-amqplib": "~2.4 || ^3", - "phpstan/phpstan": "^1.9", - "phpstan/phpstan-deprecation-rules": "^1.0", - "phpstan/phpstan-strict-rules": "^1.4", - "phpunit/phpunit": "^10.5.17", + "php-console/php-console": "^3.1.8", + "phpstan/phpstan": "^2", + "phpstan/phpstan-deprecation-rules": "^2", + "phpstan/phpstan-strict-rules": "^2", + "phpunit/phpunit": "^10.5.17 || ^11.0.7", "predis/predis": "^1.1 || ^2", - "ruflin/elastica": "^7", + "rollbar/rollbar": "^4.0", + "ruflin/elastica": "^7 || ^8", "symfony/mailer": "^5.4 || ^6", "symfony/mime": "^5.4 || ^6" }, @@ -3066,7 +4287,7 @@ ], "support": { "issues": "https://github.com/Seldaek/monolog/issues", - "source": "https://github.com/Seldaek/monolog/tree/3.6.0" + "source": "https://github.com/Seldaek/monolog/tree/3.8.1" }, "funding": [ { @@ -3078,24 +4299,24 @@ "type": "tidelift" } ], - "time": "2024-04-12T21:02:21+00:00" + "time": "2024-12-05T17:15:07+00:00" }, { "name": "nesbot/carbon", - "version": "3.3.1", + "version": "3.8.2", "source": { "type": "git", "url": "https://github.com/briannesbitt/Carbon.git", - "reference": "8ff64b92c1b1ec84fcde9f8bb9ff2ca34cb8a77a" + "reference": "e1268cdbc486d97ce23fef2c666dc3c6b6de9947" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/8ff64b92c1b1ec84fcde9f8bb9ff2ca34cb8a77a", - "reference": "8ff64b92c1b1ec84fcde9f8bb9ff2ca34cb8a77a", + "url": "https://api.github.com/repos/briannesbitt/Carbon/zipball/e1268cdbc486d97ce23fef2c666dc3c6b6de9947", + "reference": "e1268cdbc486d97ce23fef2c666dc3c6b6de9947", "shasum": "" }, "require": { - "carbonphp/carbon-doctrine-types": "*", + "carbonphp/carbon-doctrine-types": "<100.0", "ext-json": "*", "php": "^8.1", "psr/clock": "^1.0", @@ -3109,13 +4330,13 @@ "require-dev": { "doctrine/dbal": "^3.6.3 || ^4.0", "doctrine/orm": "^2.15.2 || ^3.0", - "friendsofphp/php-cs-fixer": "^3.52.1", + "friendsofphp/php-cs-fixer": "^3.57.2", "kylekatarnls/multi-tester": "^2.5.3", "ondrejmirtes/better-reflection": "^6.25.0.4", "phpmd/phpmd": "^2.15.0", "phpstan/extension-installer": "^1.3.1", - "phpstan/phpstan": "^1.10.65", - "phpunit/phpunit": "^10.5.15", + "phpstan/phpstan": "^1.11.2", + "phpunit/phpunit": "^10.5.20", "squizlabs/php_codesniffer": "^3.9.0" }, "bin": [ @@ -3184,28 +4405,28 @@ "type": "tidelift" } ], - "time": "2024-05-01T06:54:22+00:00" + "time": "2024-11-07T17:46:48+00:00" }, { "name": "nette/schema", - "version": "v1.3.0", + "version": "v1.3.2", "source": { "type": "git", "url": "https://github.com/nette/schema.git", - "reference": "a6d3a6d1f545f01ef38e60f375d1cf1f4de98188" + "reference": "da801d52f0354f70a638673c4a0f04e16529431d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nette/schema/zipball/a6d3a6d1f545f01ef38e60f375d1cf1f4de98188", - "reference": "a6d3a6d1f545f01ef38e60f375d1cf1f4de98188", + "url": "https://api.github.com/repos/nette/schema/zipball/da801d52f0354f70a638673c4a0f04e16529431d", + "reference": "da801d52f0354f70a638673c4a0f04e16529431d", "shasum": "" }, "require": { "nette/utils": "^4.0", - "php": "8.1 - 8.3" + "php": "8.1 - 8.4" }, "require-dev": { - "nette/tester": "^2.4", + "nette/tester": "^2.5.2", "phpstan/phpstan-nette": "^1.0", "tracy/tracy": "^2.8" }, @@ -3244,26 +4465,26 @@ ], "support": { "issues": "https://github.com/nette/schema/issues", - "source": "https://github.com/nette/schema/tree/v1.3.0" + "source": "https://github.com/nette/schema/tree/v1.3.2" }, - "time": "2023-12-11T11:54:22+00:00" + "time": "2024-10-06T23:10:23+00:00" }, { "name": "nette/utils", - "version": "v4.0.4", + "version": "v4.0.5", "source": { "type": "git", "url": "https://github.com/nette/utils.git", - "reference": "d3ad0aa3b9f934602cb3e3902ebccf10be34d218" + "reference": "736c567e257dbe0fcf6ce81b4d6dbe05c6899f96" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nette/utils/zipball/d3ad0aa3b9f934602cb3e3902ebccf10be34d218", - "reference": "d3ad0aa3b9f934602cb3e3902ebccf10be34d218", + "url": "https://api.github.com/repos/nette/utils/zipball/736c567e257dbe0fcf6ce81b4d6dbe05c6899f96", + "reference": "736c567e257dbe0fcf6ce81b4d6dbe05c6899f96", "shasum": "" }, "require": { - "php": ">=8.0 <8.4" + "php": "8.0 - 8.4" }, "conflict": { "nette/finder": "<3", @@ -3330,22 +4551,22 @@ ], "support": { "issues": "https://github.com/nette/utils/issues", - "source": "https://github.com/nette/utils/tree/v4.0.4" + "source": "https://github.com/nette/utils/tree/v4.0.5" }, - "time": "2024-01-17T16:50:36+00:00" + "time": "2024-08-07T15:39:19+00:00" }, { "name": "nikic/php-parser", - "version": "v5.0.2", + "version": "v5.3.1", "source": { "type": "git", "url": "https://github.com/nikic/PHP-Parser.git", - "reference": "139676794dc1e9231bf7bcd123cfc0c99182cb13" + "reference": "8eea230464783aa9671db8eea6f8c6ac5285794b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nikic/PHP-Parser/zipball/139676794dc1e9231bf7bcd123cfc0c99182cb13", - "reference": "139676794dc1e9231bf7bcd123cfc0c99182cb13", + "url": "https://api.github.com/repos/nikic/PHP-Parser/zipball/8eea230464783aa9671db8eea6f8c6ac5285794b", + "reference": "8eea230464783aa9671db8eea6f8c6ac5285794b", "shasum": "" }, "require": { @@ -3356,7 +4577,7 @@ }, "require-dev": { "ircmaxell/php-yacc": "^0.0.7", - "phpunit/phpunit": "^7.0 || ^8.0 || ^9.0" + "phpunit/phpunit": "^9.0" }, "bin": [ "bin/php-parse" @@ -3388,9 +4609,9 @@ ], "support": { "issues": "https://github.com/nikic/PHP-Parser/issues", - "source": "https://github.com/nikic/PHP-Parser/tree/v5.0.2" + "source": "https://github.com/nikic/PHP-Parser/tree/v5.3.1" }, - "time": "2024-03-05T20:51:40+00:00" + "time": "2024-10-08T18:51:32+00:00" }, { "name": "nunomaduro/laravel-console-summary", @@ -3456,32 +4677,31 @@ }, { "name": "nunomaduro/termwind", - "version": "v2.0.1", + "version": "v2.3.0", "source": { "type": "git", "url": "https://github.com/nunomaduro/termwind.git", - "reference": "58c4c58cf23df7f498daeb97092e34f5259feb6a" + "reference": "52915afe6a1044e8b9cee1bcff836fb63acf9cda" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nunomaduro/termwind/zipball/58c4c58cf23df7f498daeb97092e34f5259feb6a", - "reference": "58c4c58cf23df7f498daeb97092e34f5259feb6a", + "url": "https://api.github.com/repos/nunomaduro/termwind/zipball/52915afe6a1044e8b9cee1bcff836fb63acf9cda", + "reference": "52915afe6a1044e8b9cee1bcff836fb63acf9cda", "shasum": "" }, "require": { "ext-mbstring": "*", "php": "^8.2", - "symfony/console": "^7.0.4" + "symfony/console": "^7.1.8" }, "require-dev": { - "ergebnis/phpstan-rules": "^2.2.0", - "illuminate/console": "^11.0.0", - "laravel/pint": "^1.14.0", - "mockery/mockery": "^1.6.7", - "pestphp/pest": "^2.34.1", - "phpstan/phpstan": "^1.10.59", - "phpstan/phpstan-strict-rules": "^1.5.2", - "symfony/var-dumper": "^7.0.4", + "illuminate/console": "^11.33.2", + "laravel/pint": "^1.18.2", + "mockery/mockery": "^1.6.12", + "pestphp/pest": "^2.36.0", + "phpstan/phpstan": "^1.12.11", + "phpstan/phpstan-strict-rules": "^1.6.1", + "symfony/var-dumper": "^7.1.8", "thecodingmachine/phpstan-strict-rules": "^1.0.0" }, "type": "library", @@ -3524,7 +4744,7 @@ ], "support": { "issues": "https://github.com/nunomaduro/termwind/issues", - "source": "https://github.com/nunomaduro/termwind/tree/v2.0.1" + "source": "https://github.com/nunomaduro/termwind/tree/v2.3.0" }, "funding": [ { @@ -3540,7 +4760,7 @@ "type": "github" } ], - "time": "2024-03-06T16:17:14+00:00" + "time": "2024-11-21T10:39:51+00:00" }, { "name": "openai-php/client", @@ -3725,16 +4945,16 @@ }, { "name": "openspout/openspout", - "version": "v4.24.0", + "version": "v4.28.2", "source": { "type": "git", "url": "https://github.com/openspout/openspout.git", - "reference": "51f2a627d4cdcdb06eb451c6f434daeb190c4afb" + "reference": "d6dd654b5db502f28c5773edfa785b516745a142" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/openspout/openspout/zipball/51f2a627d4cdcdb06eb451c6f434daeb190c4afb", - "reference": "51f2a627d4cdcdb06eb451c6f434daeb190c4afb", + "url": "https://api.github.com/repos/openspout/openspout/zipball/d6dd654b5db502f28c5773edfa785b516745a142", + "reference": "d6dd654b5db502f28c5773edfa785b516745a142", "shasum": "" }, "require": { @@ -3744,17 +4964,17 @@ "ext-libxml": "*", "ext-xmlreader": "*", "ext-zip": "*", - "php": "~8.1.0 || ~8.2.0 || ~8.3.0" + "php": "~8.2.0 || ~8.3.0 || ~8.4.0" }, "require-dev": { "ext-zlib": "*", - "friendsofphp/php-cs-fixer": "^3.56.0", - "infection/infection": "^0.28.1", - "phpbench/phpbench": "^1.2.15", - "phpstan/phpstan": "^1.10.67", - "phpstan/phpstan-phpunit": "^1.3.16", - "phpstan/phpstan-strict-rules": "^1.5.5", - "phpunit/phpunit": "^10.5.20" + "friendsofphp/php-cs-fixer": "^3.65.0", + "infection/infection": "^0.29.8", + "phpbench/phpbench": "^1.3.1", + "phpstan/phpstan": "^2.0.3", + "phpstan/phpstan-phpunit": "^2.0.1", + "phpstan/phpstan-strict-rules": "^2", + "phpunit/phpunit": "^11.4.4" }, "suggest": { "ext-iconv": "To handle non UTF-8 CSV files (if \"php-mbstring\" is not already installed or is too limited)", @@ -3802,7 +5022,7 @@ ], "support": { "issues": "https://github.com/openspout/openspout/issues", - "source": "https://github.com/openspout/openspout/tree/v4.24.0" + "source": "https://github.com/openspout/openspout/tree/v4.28.2" }, "funding": [ { @@ -3814,11 +5034,11 @@ "type": "github" } ], - "time": "2024-05-10T09:06:16+00:00" + "time": "2024-12-06T06:17:37+00:00" }, { "name": "partridge-rocks/recent-messages", - "version": "dev-feature/new-prompt-system", + "version": "dev-feature/migrate-this", "dist": { "type": "path", "url": "./nova-components/RecentMessages", @@ -3854,16 +5074,16 @@ }, { "name": "php-http/discovery", - "version": "1.19.4", + "version": "1.20.0", "source": { "type": "git", "url": "https://github.com/php-http/discovery.git", - "reference": "0700efda8d7526335132360167315fdab3aeb599" + "reference": "82fe4c73ef3363caed49ff8dd1539ba06044910d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/php-http/discovery/zipball/0700efda8d7526335132360167315fdab3aeb599", - "reference": "0700efda8d7526335132360167315fdab3aeb599", + "url": "https://api.github.com/repos/php-http/discovery/zipball/82fe4c73ef3363caed49ff8dd1539ba06044910d", + "reference": "82fe4c73ef3363caed49ff8dd1539ba06044910d", "shasum": "" }, "require": { @@ -3927,22 +5147,22 @@ ], "support": { "issues": "https://github.com/php-http/discovery/issues", - "source": "https://github.com/php-http/discovery/tree/1.19.4" + "source": "https://github.com/php-http/discovery/tree/1.20.0" }, - "time": "2024-03-29T13:00:05+00:00" + "time": "2024-10-02T11:20:13+00:00" }, { "name": "php-http/multipart-stream-builder", - "version": "1.3.0", + "version": "1.4.2", "source": { "type": "git", "url": "https://github.com/php-http/multipart-stream-builder.git", - "reference": "f5938fd135d9fa442cc297dc98481805acfe2b6a" + "reference": "10086e6de6f53489cca5ecc45b6f468604d3460e" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/php-http/multipart-stream-builder/zipball/f5938fd135d9fa442cc297dc98481805acfe2b6a", - "reference": "f5938fd135d9fa442cc297dc98481805acfe2b6a", + "url": "https://api.github.com/repos/php-http/multipart-stream-builder/zipball/10086e6de6f53489cca5ecc45b6f468604d3460e", + "reference": "10086e6de6f53489cca5ecc45b6f468604d3460e", "shasum": "" }, "require": { @@ -3983,22 +5203,22 @@ ], "support": { "issues": "https://github.com/php-http/multipart-stream-builder/issues", - "source": "https://github.com/php-http/multipart-stream-builder/tree/1.3.0" + "source": "https://github.com/php-http/multipart-stream-builder/tree/1.4.2" }, - "time": "2023-04-28T14:10:22+00:00" + "time": "2024-09-04T13:22:54+00:00" }, { "name": "phpoption/phpoption", - "version": "1.9.2", + "version": "1.9.3", "source": { "type": "git", "url": "https://github.com/schmittjoh/php-option.git", - "reference": "80735db690fe4fc5c76dfa7f9b770634285fa820" + "reference": "e3fac8b24f56113f7cb96af14958c0dd16330f54" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/schmittjoh/php-option/zipball/80735db690fe4fc5c76dfa7f9b770634285fa820", - "reference": "80735db690fe4fc5c76dfa7f9b770634285fa820", + "url": "https://api.github.com/repos/schmittjoh/php-option/zipball/e3fac8b24f56113f7cb96af14958c0dd16330f54", + "reference": "e3fac8b24f56113f7cb96af14958c0dd16330f54", "shasum": "" }, "require": { @@ -4006,13 +5226,13 @@ }, "require-dev": { "bamarni/composer-bin-plugin": "^1.8.2", - "phpunit/phpunit": "^8.5.34 || ^9.6.13 || ^10.4.2" + "phpunit/phpunit": "^8.5.39 || ^9.6.20 || ^10.5.28" }, "type": "library", "extra": { "bamarni-bin": { "bin-links": true, - "forward-command": true + "forward-command": false }, "branch-alias": { "dev-master": "1.9-dev" @@ -4048,7 +5268,7 @@ ], "support": { "issues": "https://github.com/schmittjoh/php-option/issues", - "source": "https://github.com/schmittjoh/php-option/tree/1.9.2" + "source": "https://github.com/schmittjoh/php-option/tree/1.9.3" }, "funding": [ { @@ -4060,7 +5280,7 @@ "type": "tidelift" } ], - "time": "2023-11-12T21:59:55+00:00" + "time": "2024-07-20T21:41:07+00:00" }, { "name": "psr/cache", @@ -4424,16 +5644,16 @@ }, { "name": "psr/log", - "version": "3.0.0", + "version": "3.0.2", "source": { "type": "git", "url": "https://github.com/php-fig/log.git", - "reference": "fe5ea303b0887d5caefd3d431c3e61ad47037001" + "reference": "f16e1d5863e37f8d8c2a01719f5b34baa2b714d3" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/php-fig/log/zipball/fe5ea303b0887d5caefd3d431c3e61ad47037001", - "reference": "fe5ea303b0887d5caefd3d431c3e61ad47037001", + "url": "https://api.github.com/repos/php-fig/log/zipball/f16e1d5863e37f8d8c2a01719f5b34baa2b714d3", + "reference": "f16e1d5863e37f8d8c2a01719f5b34baa2b714d3", "shasum": "" }, "require": { @@ -4468,9 +5688,9 @@ "psr-3" ], "support": { - "source": "https://github.com/php-fig/log/tree/3.0.0" + "source": "https://github.com/php-fig/log/tree/3.0.2" }, - "time": "2021-07-14T16:46:02+00:00" + "time": "2024-09-11T13:17:53+00:00" }, { "name": "psr/simple-cache", @@ -4525,16 +5745,16 @@ }, { "name": "psy/psysh", - "version": "v0.12.3", + "version": "v0.12.7", "source": { "type": "git", "url": "https://github.com/bobthecow/psysh.git", - "reference": "b6b6cce7d3ee8fbf31843edce5e8f5a72eff4a73" + "reference": "d73fa3c74918ef4522bb8a3bf9cab39161c4b57c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/bobthecow/psysh/zipball/b6b6cce7d3ee8fbf31843edce5e8f5a72eff4a73", - "reference": "b6b6cce7d3ee8fbf31843edce5e8f5a72eff4a73", + "url": "https://api.github.com/repos/bobthecow/psysh/zipball/d73fa3c74918ef4522bb8a3bf9cab39161c4b57c", + "reference": "d73fa3c74918ef4522bb8a3bf9cab39161c4b57c", "shasum": "" }, "require": { @@ -4561,12 +5781,12 @@ ], "type": "library", "extra": { - "branch-alias": { - "dev-main": "0.12.x-dev" - }, "bamarni-bin": { "bin-links": false, "forward-command": false + }, + "branch-alias": { + "dev-main": "0.12.x-dev" } }, "autoload": { @@ -4598,9 +5818,9 @@ ], "support": { "issues": "https://github.com/bobthecow/psysh/issues", - "source": "https://github.com/bobthecow/psysh/tree/v0.12.3" + "source": "https://github.com/bobthecow/psysh/tree/v0.12.7" }, - "time": "2024-04-02T15:57:53+00:00" + "time": "2024-12-10T01:58:33+00:00" }, { "name": "ralouphie/getallheaders", @@ -4829,21 +6049,21 @@ }, { "name": "rap2hpoutre/fast-excel", - "version": "v5.4.0", + "version": "v5.5.0", "source": { "type": "git", "url": "https://github.com/rap2hpoutre/fast-excel.git", - "reference": "27c346ca2a4de448f856d0926b05d7e2511e43b8" + "reference": "83604f2a16fbb0374747299173abe691b24916da" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/rap2hpoutre/fast-excel/zipball/27c346ca2a4de448f856d0926b05d7e2511e43b8", - "reference": "27c346ca2a4de448f856d0926b05d7e2511e43b8", + "url": "https://api.github.com/repos/rap2hpoutre/fast-excel/zipball/83604f2a16fbb0374747299173abe691b24916da", + "reference": "83604f2a16fbb0374747299173abe691b24916da", "shasum": "" }, "require": { "illuminate/support": "^6.0 || ^7.0 || ^8.0 || ^9.0 || ^10.0 || ^11.0", - "openspout/openspout": "^4.1.1", + "openspout/openspout": "^4.24", "php": "^8.0" }, "require-dev": { @@ -4887,7 +6107,7 @@ ], "support": { "issues": "https://github.com/rap2hpoutre/fast-excel/issues", - "source": "https://github.com/rap2hpoutre/fast-excel/tree/v5.4.0" + "source": "https://github.com/rap2hpoutre/fast-excel/tree/v5.5.0" }, "funding": [ { @@ -4895,7 +6115,85 @@ "type": "github" } ], - "time": "2024-03-06T16:03:49+00:00" + "time": "2024-06-03T08:00:43+00:00" + }, + { + "name": "ryangjchandler/blade-capture-directive", + "version": "v1.0.0", + "source": { + "type": "git", + "url": "https://github.com/ryangjchandler/blade-capture-directive.git", + "reference": "cb6f58663d97f17bece176295240b740835e14f1" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/ryangjchandler/blade-capture-directive/zipball/cb6f58663d97f17bece176295240b740835e14f1", + "reference": "cb6f58663d97f17bece176295240b740835e14f1", + "shasum": "" + }, + "require": { + "illuminate/contracts": "^10.0|^11.0", + "php": "^8.1", + "spatie/laravel-package-tools": "^1.9.2" + }, + "require-dev": { + "nunomaduro/collision": "^7.0|^8.0", + "nunomaduro/larastan": "^2.0", + "orchestra/testbench": "^8.0|^9.0", + "pestphp/pest": "^2.0", + "pestphp/pest-plugin-laravel": "^2.0", + "phpstan/extension-installer": "^1.1", + "phpstan/phpstan-deprecation-rules": "^1.0", + "phpstan/phpstan-phpunit": "^1.0", + "phpunit/phpunit": "^10.0", + "spatie/laravel-ray": "^1.26" + }, + "type": "library", + "extra": { + "laravel": { + "aliases": { + "BladeCaptureDirective": "RyanChandler\\BladeCaptureDirective\\Facades\\BladeCaptureDirective" + }, + "providers": [ + "RyanChandler\\BladeCaptureDirective\\BladeCaptureDirectiveServiceProvider" + ] + } + }, + "autoload": { + "psr-4": { + "RyanChandler\\BladeCaptureDirective\\": "src", + "RyanChandler\\BladeCaptureDirective\\Database\\Factories\\": "database/factories" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Ryan Chandler", + "email": "support@ryangjchandler.co.uk", + "role": "Developer" + } + ], + "description": "Create inline partials in your Blade templates with ease.", + "homepage": "https://github.com/ryangjchandler/blade-capture-directive", + "keywords": [ + "blade-capture-directive", + "laravel", + "ryangjchandler" + ], + "support": { + "issues": "https://github.com/ryangjchandler/blade-capture-directive/issues", + "source": "https://github.com/ryangjchandler/blade-capture-directive/tree/v1.0.0" + }, + "funding": [ + { + "url": "https://github.com/ryangjchandler", + "type": "github" + } + ], + "time": "2024-02-26T18:08:49+00:00" }, { "name": "scrivo/highlight.php", @@ -5051,18 +6349,136 @@ }, "time": "2024-03-14T14:11:37+00:00" }, + { + "name": "spatie/color", + "version": "1.6.2", + "source": { + "type": "git", + "url": "https://github.com/spatie/color.git", + "reference": "b4fac074a9e5999dcca12cbfab0f7c73e2684d6d" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/spatie/color/zipball/b4fac074a9e5999dcca12cbfab0f7c73e2684d6d", + "reference": "b4fac074a9e5999dcca12cbfab0f7c73e2684d6d", + "shasum": "" + }, + "require": { + "php": "^7.3|^8.0" + }, + "require-dev": { + "pestphp/pest": "^1.22", + "phpunit/phpunit": "^6.5||^9.0" + }, + "type": "library", + "autoload": { + "psr-4": { + "Spatie\\Color\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Sebastian De Deyne", + "email": "sebastian@spatie.be", + "homepage": "https://spatie.be", + "role": "Developer" + } + ], + "description": "A little library to handle color conversions", + "homepage": "https://github.com/spatie/color", + "keywords": [ + "color", + "conversion", + "rgb", + "spatie" + ], + "support": { + "issues": "https://github.com/spatie/color/issues", + "source": "https://github.com/spatie/color/tree/1.6.2" + }, + "funding": [ + { + "url": "https://github.com/spatie", + "type": "github" + } + ], + "time": "2024-12-09T16:20:38+00:00" + }, + { + "name": "spatie/invade", + "version": "2.1.0", + "source": { + "type": "git", + "url": "https://github.com/spatie/invade.git", + "reference": "b920f6411d21df4e8610a138e2e87ae4957d7f63" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/spatie/invade/zipball/b920f6411d21df4e8610a138e2e87ae4957d7f63", + "reference": "b920f6411d21df4e8610a138e2e87ae4957d7f63", + "shasum": "" + }, + "require": { + "php": "^8.0" + }, + "require-dev": { + "pestphp/pest": "^1.20", + "phpstan/phpstan": "^1.4", + "spatie/ray": "^1.28" + }, + "type": "library", + "autoload": { + "files": [ + "src/functions.php" + ], + "psr-4": { + "Spatie\\Invade\\": "src" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Freek Van der Herten", + "email": "freek@spatie.be", + "role": "Developer" + } + ], + "description": "A PHP function to work with private properties and methods", + "homepage": "https://github.com/spatie/invade", + "keywords": [ + "invade", + "spatie" + ], + "support": { + "source": "https://github.com/spatie/invade/tree/2.1.0" + }, + "funding": [ + { + "url": "https://github.com/spatie", + "type": "github" + } + ], + "time": "2024-05-17T09:06:10+00:00" + }, { "name": "spatie/laravel-activitylog", - "version": "4.8.0", + "version": "4.9.1", "source": { "type": "git", "url": "https://github.com/spatie/laravel-activitylog.git", - "reference": "eb6f37dd40af950ce10cf5280f0acfa3e08c3bff" + "reference": "9abddaa9f2681d97943748c7fa04161cf4642e8c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/spatie/laravel-activitylog/zipball/eb6f37dd40af950ce10cf5280f0acfa3e08c3bff", - "reference": "eb6f37dd40af950ce10cf5280f0acfa3e08c3bff", + "url": "https://api.github.com/repos/spatie/laravel-activitylog/zipball/9abddaa9f2681d97943748c7fa04161cf4642e8c", + "reference": "9abddaa9f2681d97943748c7fa04161cf4642e8c", "shasum": "" }, "require": { @@ -5128,7 +6544,7 @@ ], "support": { "issues": "https://github.com/spatie/laravel-activitylog/issues", - "source": "https://github.com/spatie/laravel-activitylog/tree/4.8.0" + "source": "https://github.com/spatie/laravel-activitylog/tree/4.9.1" }, "funding": [ { @@ -5140,20 +6556,20 @@ "type": "github" } ], - "time": "2024-03-08T22:28:17+00:00" + "time": "2024-11-18T11:31:57+00:00" }, { "name": "spatie/laravel-login-link", - "version": "1.2.0", + "version": "1.5.0", "source": { "type": "git", "url": "https://github.com/spatie/laravel-login-link.git", - "reference": "582f9d99462d3ae64ae7653a9443d783b5ec4685" + "reference": "c80fb61841bf81ef8d30d8425c55479aaf3d3849" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/spatie/laravel-login-link/zipball/582f9d99462d3ae64ae7653a9443d783b5ec4685", - "reference": "582f9d99462d3ae64ae7653a9443d783b5ec4685", + "url": "https://api.github.com/repos/spatie/laravel-login-link/zipball/c80fb61841bf81ef8d30d8425c55479aaf3d3849", + "reference": "c80fb61841bf81ef8d30d8425c55479aaf3d3849", "shasum": "" }, "require": { @@ -5203,22 +6619,22 @@ "spatie" ], "support": { - "source": "https://github.com/spatie/laravel-login-link/tree/1.2.0" + "source": "https://github.com/spatie/laravel-login-link/tree/1.5.0" }, - "time": "2024-03-04T09:46:56+00:00" + "time": "2024-12-09T10:52:48+00:00" }, { "name": "spatie/laravel-package-tools", - "version": "1.16.4", + "version": "1.17.0", "source": { "type": "git", "url": "https://github.com/spatie/laravel-package-tools.git", - "reference": "ddf678e78d7f8b17e5cdd99c0c3413a4a6592e53" + "reference": "9ab30fd24f677e5aa370ea4cf6b41c517d16cf85" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/spatie/laravel-package-tools/zipball/ddf678e78d7f8b17e5cdd99c0c3413a4a6592e53", - "reference": "ddf678e78d7f8b17e5cdd99c0c3413a4a6592e53", + "url": "https://api.github.com/repos/spatie/laravel-package-tools/zipball/9ab30fd24f677e5aa370ea4cf6b41c517d16cf85", + "reference": "9ab30fd24f677e5aa370ea4cf6b41c517d16cf85", "shasum": "" }, "require": { @@ -5227,10 +6643,10 @@ }, "require-dev": { "mockery/mockery": "^1.5", - "orchestra/testbench": "^7.7|^8.0", - "pestphp/pest": "^1.22", - "phpunit/phpunit": "^9.5.24", - "spatie/pest-plugin-test-time": "^1.1" + "orchestra/testbench": "^7.7|^8.0|^9.0", + "pestphp/pest": "^1.22|^2", + "phpunit/phpunit": "^9.5.24|^10.5", + "spatie/pest-plugin-test-time": "^1.1|^2.2" }, "type": "library", "autoload": { @@ -5257,7 +6673,7 @@ ], "support": { "issues": "https://github.com/spatie/laravel-package-tools/issues", - "source": "https://github.com/spatie/laravel-package-tools/tree/1.16.4" + "source": "https://github.com/spatie/laravel-package-tools/tree/1.17.0" }, "funding": [ { @@ -5265,20 +6681,20 @@ "type": "github" } ], - "time": "2024-03-20T07:29:11+00:00" + "time": "2024-12-09T16:29:14+00:00" }, { "name": "symfony/clock", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/clock.git", - "reference": "2008671acb4a30b01c453de193cf9c80549ebda6" + "reference": "b81435fbd6648ea425d1ee96a2d8e68f4ceacd24" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/clock/zipball/2008671acb4a30b01c453de193cf9c80549ebda6", - "reference": "2008671acb4a30b01c453de193cf9c80549ebda6", + "url": "https://api.github.com/repos/symfony/clock/zipball/b81435fbd6648ea425d1ee96a2d8e68f4ceacd24", + "reference": "b81435fbd6648ea425d1ee96a2d8e68f4ceacd24", "shasum": "" }, "require": { @@ -5323,7 +6739,7 @@ "time" ], "support": { - "source": "https://github.com/symfony/clock/tree/v7.0.7" + "source": "https://github.com/symfony/clock/tree/v7.2.0" }, "funding": [ { @@ -5339,20 +6755,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-09-25T14:21:43+00:00" }, { "name": "symfony/console", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/console.git", - "reference": "c981e0e9380ce9f146416bde3150c79197ce9986" + "reference": "23c8aae6d764e2bae02d2a99f7532a7f6ed619cf" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/console/zipball/c981e0e9380ce9f146416bde3150c79197ce9986", - "reference": "c981e0e9380ce9f146416bde3150c79197ce9986", + "url": "https://api.github.com/repos/symfony/console/zipball/23c8aae6d764e2bae02d2a99f7532a7f6ed619cf", + "reference": "23c8aae6d764e2bae02d2a99f7532a7f6ed619cf", "shasum": "" }, "require": { @@ -5416,7 +6832,7 @@ "terminal" ], "support": { - "source": "https://github.com/symfony/console/tree/v7.0.7" + "source": "https://github.com/symfony/console/tree/v7.2.0" }, "funding": [ { @@ -5432,20 +6848,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-06T14:24:19+00:00" }, { "name": "symfony/css-selector", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/css-selector.git", - "reference": "b08a4ad89e84b29cec285b7b1f781a7ae51cf4bc" + "reference": "601a5ce9aaad7bf10797e3663faefce9e26c24e2" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/css-selector/zipball/b08a4ad89e84b29cec285b7b1f781a7ae51cf4bc", - "reference": "b08a4ad89e84b29cec285b7b1f781a7ae51cf4bc", + "url": "https://api.github.com/repos/symfony/css-selector/zipball/601a5ce9aaad7bf10797e3663faefce9e26c24e2", + "reference": "601a5ce9aaad7bf10797e3663faefce9e26c24e2", "shasum": "" }, "require": { @@ -5481,7 +6897,7 @@ "description": "Converts CSS selectors to XPath expressions", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/css-selector/tree/v7.0.7" + "source": "https://github.com/symfony/css-selector/tree/v7.2.0" }, "funding": [ { @@ -5497,20 +6913,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-09-25T14:21:43+00:00" }, { "name": "symfony/deprecation-contracts", - "version": "v3.5.0", + "version": "v3.5.1", "source": { "type": "git", "url": "https://github.com/symfony/deprecation-contracts.git", - "reference": "0e0d29ce1f20deffb4ab1b016a7257c4f1e789a1" + "reference": "74c71c939a79f7d5bf3c1ce9f5ea37ba0114c6f6" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/deprecation-contracts/zipball/0e0d29ce1f20deffb4ab1b016a7257c4f1e789a1", - "reference": "0e0d29ce1f20deffb4ab1b016a7257c4f1e789a1", + "url": "https://api.github.com/repos/symfony/deprecation-contracts/zipball/74c71c939a79f7d5bf3c1ce9f5ea37ba0114c6f6", + "reference": "74c71c939a79f7d5bf3c1ce9f5ea37ba0114c6f6", "shasum": "" }, "require": { @@ -5548,7 +6964,7 @@ "description": "A generic function and convention to trigger deprecation notices", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/deprecation-contracts/tree/v3.5.0" + "source": "https://github.com/symfony/deprecation-contracts/tree/v3.5.1" }, "funding": [ { @@ -5564,20 +6980,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:32:20+00:00" + "time": "2024-09-25T14:20:29+00:00" }, { "name": "symfony/error-handler", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/error-handler.git", - "reference": "cf97429887e40480c847bfeb6c3991e1e2c086ab" + "reference": "672b3dd1ef8b87119b446d67c58c106c43f965fe" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/error-handler/zipball/cf97429887e40480c847bfeb6c3991e1e2c086ab", - "reference": "cf97429887e40480c847bfeb6c3991e1e2c086ab", + "url": "https://api.github.com/repos/symfony/error-handler/zipball/672b3dd1ef8b87119b446d67c58c106c43f965fe", + "reference": "672b3dd1ef8b87119b446d67c58c106c43f965fe", "shasum": "" }, "require": { @@ -5623,7 +7039,7 @@ "description": "Provides tools to manage errors and ease debugging PHP code", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/error-handler/tree/v7.0.7" + "source": "https://github.com/symfony/error-handler/tree/v7.2.0" }, "funding": [ { @@ -5639,20 +7055,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-05T15:35:02+00:00" }, { "name": "symfony/event-dispatcher", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/event-dispatcher.git", - "reference": "db2a7fab994d67d92356bb39c367db115d9d30f9" + "reference": "910c5db85a5356d0fea57680defec4e99eb9c8c1" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/event-dispatcher/zipball/db2a7fab994d67d92356bb39c367db115d9d30f9", - "reference": "db2a7fab994d67d92356bb39c367db115d9d30f9", + "url": "https://api.github.com/repos/symfony/event-dispatcher/zipball/910c5db85a5356d0fea57680defec4e99eb9c8c1", + "reference": "910c5db85a5356d0fea57680defec4e99eb9c8c1", "shasum": "" }, "require": { @@ -5703,7 +7119,7 @@ "description": "Provides tools that allow your application components to communicate with each other by dispatching events and listening to them", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/event-dispatcher/tree/v7.0.7" + "source": "https://github.com/symfony/event-dispatcher/tree/v7.2.0" }, "funding": [ { @@ -5719,20 +7135,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-09-25T14:21:43+00:00" }, { "name": "symfony/event-dispatcher-contracts", - "version": "v3.5.0", + "version": "v3.5.1", "source": { "type": "git", "url": "https://github.com/symfony/event-dispatcher-contracts.git", - "reference": "8f93aec25d41b72493c6ddff14e916177c9efc50" + "reference": "7642f5e970b672283b7823222ae8ef8bbc160b9f" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/event-dispatcher-contracts/zipball/8f93aec25d41b72493c6ddff14e916177c9efc50", - "reference": "8f93aec25d41b72493c6ddff14e916177c9efc50", + "url": "https://api.github.com/repos/symfony/event-dispatcher-contracts/zipball/7642f5e970b672283b7823222ae8ef8bbc160b9f", + "reference": "7642f5e970b672283b7823222ae8ef8bbc160b9f", "shasum": "" }, "require": { @@ -5760,26 +7176,90 @@ ], "authors": [ { - "name": "Nicolas Grekas", - "email": "p@tchwork.com" + "name": "Nicolas Grekas", + "email": "p@tchwork.com" + }, + { + "name": "Symfony Community", + "homepage": "https://symfony.com/contributors" + } + ], + "description": "Generic abstractions related to dispatching event", + "homepage": "https://symfony.com", + "keywords": [ + "abstractions", + "contracts", + "decoupling", + "interfaces", + "interoperability", + "standards" + ], + "support": { + "source": "https://github.com/symfony/event-dispatcher-contracts/tree/v3.5.1" + }, + "funding": [ + { + "url": "https://symfony.com/sponsor", + "type": "custom" + }, + { + "url": "https://github.com/fabpot", + "type": "github" + }, + { + "url": "https://tidelift.com/funding/github/packagist/symfony/symfony", + "type": "tidelift" + } + ], + "time": "2024-09-25T14:20:29+00:00" + }, + { + "name": "symfony/finder", + "version": "v7.2.0", + "source": { + "type": "git", + "url": "https://github.com/symfony/finder.git", + "reference": "6de263e5868b9a137602dd1e33e4d48bfae99c49" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/symfony/finder/zipball/6de263e5868b9a137602dd1e33e4d48bfae99c49", + "reference": "6de263e5868b9a137602dd1e33e4d48bfae99c49", + "shasum": "" + }, + "require": { + "php": ">=8.2" + }, + "require-dev": { + "symfony/filesystem": "^6.4|^7.0" + }, + "type": "library", + "autoload": { + "psr-4": { + "Symfony\\Component\\Finder\\": "" + }, + "exclude-from-classmap": [ + "/Tests/" + ] + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Fabien Potencier", + "email": "fabien@symfony.com" }, { "name": "Symfony Community", "homepage": "https://symfony.com/contributors" } ], - "description": "Generic abstractions related to dispatching event", + "description": "Finds files and directories via an intuitive fluent interface", "homepage": "https://symfony.com", - "keywords": [ - "abstractions", - "contracts", - "decoupling", - "interfaces", - "interoperability", - "standards" - ], "support": { - "source": "https://github.com/symfony/event-dispatcher-contracts/tree/v3.5.0" + "source": "https://github.com/symfony/finder/tree/v7.2.0" }, "funding": [ { @@ -5795,32 +7275,32 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:32:20+00:00" + "time": "2024-10-23T06:56:12+00:00" }, { - "name": "symfony/finder", - "version": "v7.0.7", + "name": "symfony/html-sanitizer", + "version": "v7.2.0", "source": { "type": "git", - "url": "https://github.com/symfony/finder.git", - "reference": "4d58f0f4fe95a30d7b538d71197135483560b97c" + "url": "https://github.com/symfony/html-sanitizer.git", + "reference": "1d23de45af5e8508441ff5f82bb493e83cdcbba4" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/finder/zipball/4d58f0f4fe95a30d7b538d71197135483560b97c", - "reference": "4d58f0f4fe95a30d7b538d71197135483560b97c", + "url": "https://api.github.com/repos/symfony/html-sanitizer/zipball/1d23de45af5e8508441ff5f82bb493e83cdcbba4", + "reference": "1d23de45af5e8508441ff5f82bb493e83cdcbba4", "shasum": "" }, "require": { + "ext-dom": "*", + "league/uri": "^6.5|^7.0", + "masterminds/html5": "^2.7.2", "php": ">=8.2" }, - "require-dev": { - "symfony/filesystem": "^6.4|^7.0" - }, "type": "library", "autoload": { "psr-4": { - "Symfony\\Component\\Finder\\": "" + "Symfony\\Component\\HtmlSanitizer\\": "" }, "exclude-from-classmap": [ "/Tests/" @@ -5832,18 +7312,23 @@ ], "authors": [ { - "name": "Fabien Potencier", - "email": "fabien@symfony.com" + "name": "Titouan Galopin", + "email": "galopintitouan@gmail.com" }, { "name": "Symfony Community", "homepage": "https://symfony.com/contributors" } ], - "description": "Finds files and directories via an intuitive fluent interface", + "description": "Provides an object-oriented API to sanitize untrusted HTML input for safe insertion into a document's DOM.", "homepage": "https://symfony.com", + "keywords": [ + "Purifier", + "html", + "sanitizer" + ], "support": { - "source": "https://github.com/symfony/finder/tree/v7.0.7" + "source": "https://github.com/symfony/html-sanitizer/tree/v7.2.0" }, "funding": [ { @@ -5859,29 +7344,31 @@ "type": "tidelift" } ], - "time": "2024-04-28T11:44:19+00:00" + "time": "2024-09-25T14:21:43+00:00" }, { "name": "symfony/http-client", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/http-client.git", - "reference": "6ce3c4c899051b3d7326ea1a1dda3729e29ae6d7" + "reference": "955e43336aff03df1e8a8e17daefabb0127a313b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/http-client/zipball/6ce3c4c899051b3d7326ea1a1dda3729e29ae6d7", - "reference": "6ce3c4c899051b3d7326ea1a1dda3729e29ae6d7", + "url": "https://api.github.com/repos/symfony/http-client/zipball/955e43336aff03df1e8a8e17daefabb0127a313b", + "reference": "955e43336aff03df1e8a8e17daefabb0127a313b", "shasum": "" }, "require": { "php": ">=8.2", "psr/log": "^1|^2|^3", - "symfony/http-client-contracts": "^3.4.1", + "symfony/deprecation-contracts": "^2.5|^3", + "symfony/http-client-contracts": "~3.4.3|^3.5.1", "symfony/service-contracts": "^2.5|^3" }, "conflict": { + "amphp/amp": "<2.5", "php-http/discovery": "<1.15", "symfony/http-foundation": "<6.4" }, @@ -5892,18 +7379,19 @@ "symfony/http-client-implementation": "3.0" }, "require-dev": { - "amphp/amp": "^2.5", - "amphp/http-client": "^4.2.1", - "amphp/http-tunnel": "^1.0", + "amphp/http-client": "^4.2.1|^5.0", + "amphp/http-tunnel": "^1.0|^2.0", "amphp/socket": "^1.1", "guzzlehttp/promises": "^1.4|^2.0", "nyholm/psr7": "^1.0", "php-http/httplug": "^1.0|^2.0", "psr/http-client": "^1.0", + "symfony/amphp-http-client-meta": "^1.0|^2.0", "symfony/dependency-injection": "^6.4|^7.0", "symfony/http-kernel": "^6.4|^7.0", "symfony/messenger": "^6.4|^7.0", "symfony/process": "^6.4|^7.0", + "symfony/rate-limiter": "^6.4|^7.0", "symfony/stopwatch": "^6.4|^7.0" }, "type": "library", @@ -5935,7 +7423,7 @@ "http" ], "support": { - "source": "https://github.com/symfony/http-client/tree/v7.0.7" + "source": "https://github.com/symfony/http-client/tree/v7.2.0" }, "funding": [ { @@ -5951,20 +7439,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-29T08:22:02+00:00" }, { "name": "symfony/http-client-contracts", - "version": "v3.5.0", + "version": "v3.5.1", "source": { "type": "git", "url": "https://github.com/symfony/http-client-contracts.git", - "reference": "20414d96f391677bf80078aa55baece78b82647d" + "reference": "c2f3ad828596624ca39ea40f83617ef51ca8bbf9" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/http-client-contracts/zipball/20414d96f391677bf80078aa55baece78b82647d", - "reference": "20414d96f391677bf80078aa55baece78b82647d", + "url": "https://api.github.com/repos/symfony/http-client-contracts/zipball/c2f3ad828596624ca39ea40f83617ef51ca8bbf9", + "reference": "c2f3ad828596624ca39ea40f83617ef51ca8bbf9", "shasum": "" }, "require": { @@ -5972,12 +7460,12 @@ }, "type": "library", "extra": { + "thanks": { + "url": "https://github.com/symfony/contracts", + "name": "symfony/contracts" + }, "branch-alias": { "dev-main": "3.5-dev" - }, - "thanks": { - "name": "symfony/contracts", - "url": "https://github.com/symfony/contracts" } }, "autoload": { @@ -6013,7 +7501,7 @@ "standards" ], "support": { - "source": "https://github.com/symfony/http-client-contracts/tree/v3.5.0" + "source": "https://github.com/symfony/http-client-contracts/tree/v3.5.1" }, "funding": [ { @@ -6029,35 +7517,36 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:32:20+00:00" + "time": "2024-11-25T12:02:18+00:00" }, { "name": "symfony/http-foundation", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/http-foundation.git", - "reference": "0194e064b8bdc29381462f790bab04e1cac8fdc8" + "reference": "e88a66c3997859532bc2ddd6dd8f35aba2711744" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/http-foundation/zipball/0194e064b8bdc29381462f790bab04e1cac8fdc8", - "reference": "0194e064b8bdc29381462f790bab04e1cac8fdc8", + "url": "https://api.github.com/repos/symfony/http-foundation/zipball/e88a66c3997859532bc2ddd6dd8f35aba2711744", + "reference": "e88a66c3997859532bc2ddd6dd8f35aba2711744", "shasum": "" }, "require": { "php": ">=8.2", + "symfony/deprecation-contracts": "^2.5|^3.0", "symfony/polyfill-mbstring": "~1.1", "symfony/polyfill-php83": "^1.27" }, "conflict": { "doctrine/dbal": "<3.6", - "symfony/cache": "<6.4" + "symfony/cache": "<6.4.12|>=7.0,<7.1.5" }, "require-dev": { "doctrine/dbal": "^3.6|^4", "predis/predis": "^1.1|^2.0", - "symfony/cache": "^6.4|^7.0", + "symfony/cache": "^6.4.12|^7.1.5", "symfony/dependency-injection": "^6.4|^7.0", "symfony/expression-language": "^6.4|^7.0", "symfony/http-kernel": "^6.4|^7.0", @@ -6090,7 +7579,7 @@ "description": "Defines an object-oriented layer for the HTTP specification", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/http-foundation/tree/v7.0.7" + "source": "https://github.com/symfony/http-foundation/tree/v7.2.0" }, "funding": [ { @@ -6106,25 +7595,26 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-13T18:58:46+00:00" }, { "name": "symfony/http-kernel", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/http-kernel.git", - "reference": "e07bb9bd86e7cd8ba2d3d9c618eec9d1bbe06d25" + "reference": "6b4722a25e0aed1ccb4914b9bcbd493cc4676b4d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/http-kernel/zipball/e07bb9bd86e7cd8ba2d3d9c618eec9d1bbe06d25", - "reference": "e07bb9bd86e7cd8ba2d3d9c618eec9d1bbe06d25", + "url": "https://api.github.com/repos/symfony/http-kernel/zipball/6b4722a25e0aed1ccb4914b9bcbd493cc4676b4d", + "reference": "6b4722a25e0aed1ccb4914b9bcbd493cc4676b4d", "shasum": "" }, "require": { "php": ">=8.2", "psr/log": "^1|^2|^3", + "symfony/deprecation-contracts": "^2.5|^3", "symfony/error-handler": "^6.4|^7.0", "symfony/event-dispatcher": "^6.4|^7.0", "symfony/http-foundation": "^6.4|^7.0", @@ -6147,7 +7637,7 @@ "symfony/twig-bridge": "<6.4", "symfony/validator": "<6.4", "symfony/var-dumper": "<6.4", - "twig/twig": "<3.0.4" + "twig/twig": "<3.12" }, "provide": { "psr/log-implementation": "1.0|2.0|3.0" @@ -6165,9 +7655,9 @@ "symfony/finder": "^6.4|^7.0", "symfony/http-client-contracts": "^2.5|^3", "symfony/process": "^6.4|^7.0", - "symfony/property-access": "^6.4|^7.0", + "symfony/property-access": "^7.1", "symfony/routing": "^6.4|^7.0", - "symfony/serializer": "^6.4.4|^7.0.4", + "symfony/serializer": "^7.1", "symfony/stopwatch": "^6.4|^7.0", "symfony/translation": "^6.4|^7.0", "symfony/translation-contracts": "^2.5|^3", @@ -6175,7 +7665,7 @@ "symfony/validator": "^6.4|^7.0", "symfony/var-dumper": "^6.4|^7.0", "symfony/var-exporter": "^6.4|^7.0", - "twig/twig": "^3.0.4" + "twig/twig": "^3.12" }, "type": "library", "autoload": { @@ -6203,7 +7693,7 @@ "description": "Provides a structured process for converting a Request into a Response", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/http-kernel/tree/v7.0.7" + "source": "https://github.com/symfony/http-kernel/tree/v7.2.0" }, "funding": [ { @@ -6219,20 +7709,20 @@ "type": "tidelift" } ], - "time": "2024-04-29T12:20:25+00:00" + "time": "2024-11-29T08:42:40+00:00" }, { "name": "symfony/mailer", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/mailer.git", - "reference": "4ff41a7c7998a88cfdc31b5841ef64d9246fc56a" + "reference": "e4d358702fb66e4c8a2af08e90e7271a62de39cc" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/mailer/zipball/4ff41a7c7998a88cfdc31b5841ef64d9246fc56a", - "reference": "4ff41a7c7998a88cfdc31b5841ef64d9246fc56a", + "url": "https://api.github.com/repos/symfony/mailer/zipball/e4d358702fb66e4c8a2af08e90e7271a62de39cc", + "reference": "e4d358702fb66e4c8a2af08e90e7271a62de39cc", "shasum": "" }, "require": { @@ -6241,7 +7731,7 @@ "psr/event-dispatcher": "^1", "psr/log": "^1|^2|^3", "symfony/event-dispatcher": "^6.4|^7.0", - "symfony/mime": "^6.4|^7.0", + "symfony/mime": "^7.2", "symfony/service-contracts": "^2.5|^3" }, "conflict": { @@ -6283,7 +7773,7 @@ "description": "Helps sending emails", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/mailer/tree/v7.0.7" + "source": "https://github.com/symfony/mailer/tree/v7.2.0" }, "funding": [ { @@ -6299,20 +7789,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-25T15:21:05+00:00" }, { "name": "symfony/mime", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/mime.git", - "reference": "3adbf110c306546f6f00337f421d2edca0e8d3c0" + "reference": "cc84a4b81f62158c3846ac7ff10f696aae2b524d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/mime/zipball/3adbf110c306546f6f00337f421d2edca0e8d3c0", - "reference": "3adbf110c306546f6f00337f421d2edca0e8d3c0", + "url": "https://api.github.com/repos/symfony/mime/zipball/cc84a4b81f62158c3846ac7ff10f696aae2b524d", + "reference": "cc84a4b81f62158c3846ac7ff10f696aae2b524d", "shasum": "" }, "require": { @@ -6325,7 +7815,7 @@ "phpdocumentor/reflection-docblock": "<3.2.2", "phpdocumentor/type-resolver": "<1.4.0", "symfony/mailer": "<6.4", - "symfony/serializer": "<6.4" + "symfony/serializer": "<6.4.3|>7.0,<7.0.3" }, "require-dev": { "egulias/email-validator": "^2.1.10|^3.1|^4", @@ -6335,7 +7825,7 @@ "symfony/process": "^6.4|^7.0", "symfony/property-access": "^6.4|^7.0", "symfony/property-info": "^6.4|^7.0", - "symfony/serializer": "^6.4|^7.0" + "symfony/serializer": "^6.4.3|^7.0.3" }, "type": "library", "autoload": { @@ -6367,7 +7857,7 @@ "mime-type" ], "support": { - "source": "https://github.com/symfony/mime/tree/v7.0.7" + "source": "https://github.com/symfony/mime/tree/v7.2.0" }, "funding": [ { @@ -6383,24 +7873,24 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-23T09:19:39+00:00" }, { "name": "symfony/polyfill-ctype", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-ctype.git", - "reference": "ef4d7e442ca910c4764bce785146269b30cb5fc4" + "reference": "a3cc8b044a6ea513310cbd48ef7333b384945638" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-ctype/zipball/ef4d7e442ca910c4764bce785146269b30cb5fc4", - "reference": "ef4d7e442ca910c4764bce785146269b30cb5fc4", + "url": "https://api.github.com/repos/symfony/polyfill-ctype/zipball/a3cc8b044a6ea513310cbd48ef7333b384945638", + "reference": "a3cc8b044a6ea513310cbd48ef7333b384945638", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "provide": { "ext-ctype": "*" @@ -6411,8 +7901,8 @@ "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -6446,7 +7936,7 @@ "portable" ], "support": { - "source": "https://github.com/symfony/polyfill-ctype/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-ctype/tree/v1.31.0" }, "funding": [ { @@ -6462,24 +7952,24 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-intl-grapheme", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-intl-grapheme.git", - "reference": "32a9da87d7b3245e09ac426c83d334ae9f06f80f" + "reference": "b9123926e3b7bc2f98c02ad54f6a4b02b91a8abe" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-intl-grapheme/zipball/32a9da87d7b3245e09ac426c83d334ae9f06f80f", - "reference": "32a9da87d7b3245e09ac426c83d334ae9f06f80f", + "url": "https://api.github.com/repos/symfony/polyfill-intl-grapheme/zipball/b9123926e3b7bc2f98c02ad54f6a4b02b91a8abe", + "reference": "b9123926e3b7bc2f98c02ad54f6a4b02b91a8abe", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "suggest": { "ext-intl": "For best performance" @@ -6487,8 +7977,8 @@ "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -6524,7 +8014,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-intl-grapheme/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-intl-grapheme/tree/v1.31.0" }, "funding": [ { @@ -6540,24 +8030,24 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-intl-icu", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-intl-icu.git", - "reference": "07094a28851a49107f3ab4f9120ca2975a64b6e1" + "reference": "d80a05e9904d2c2b9b95929f3e4b5d3a8f418d78" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-intl-icu/zipball/07094a28851a49107f3ab4f9120ca2975a64b6e1", - "reference": "07094a28851a49107f3ab4f9120ca2975a64b6e1", + "url": "https://api.github.com/repos/symfony/polyfill-intl-icu/zipball/d80a05e9904d2c2b9b95929f3e4b5d3a8f418d78", + "reference": "d80a05e9904d2c2b9b95929f3e4b5d3a8f418d78", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "suggest": { "ext-intl": "For best performance and support of other locales than \"en\"" @@ -6608,7 +8098,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-intl-icu/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-intl-icu/tree/v1.31.0" }, "funding": [ { @@ -6624,26 +8114,25 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:12:16+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-intl-idn", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-intl-idn.git", - "reference": "a287ed7475f85bf6f61890146edbc932c0fff919" + "reference": "c36586dcf89a12315939e00ec9b4474adcb1d773" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-intl-idn/zipball/a287ed7475f85bf6f61890146edbc932c0fff919", - "reference": "a287ed7475f85bf6f61890146edbc932c0fff919", + "url": "https://api.github.com/repos/symfony/polyfill-intl-idn/zipball/c36586dcf89a12315939e00ec9b4474adcb1d773", + "reference": "c36586dcf89a12315939e00ec9b4474adcb1d773", "shasum": "" }, "require": { - "php": ">=7.1", - "symfony/polyfill-intl-normalizer": "^1.10", - "symfony/polyfill-php72": "^1.10" + "php": ">=7.2", + "symfony/polyfill-intl-normalizer": "^1.10" }, "suggest": { "ext-intl": "For best performance" @@ -6651,8 +8140,8 @@ "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -6692,7 +8181,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-intl-idn/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-intl-idn/tree/v1.31.0" }, "funding": [ { @@ -6708,24 +8197,24 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-intl-normalizer", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-intl-normalizer.git", - "reference": "bc45c394692b948b4d383a08d7753968bed9a83d" + "reference": "3833d7255cc303546435cb650316bff708a1c75c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-intl-normalizer/zipball/bc45c394692b948b4d383a08d7753968bed9a83d", - "reference": "bc45c394692b948b4d383a08d7753968bed9a83d", + "url": "https://api.github.com/repos/symfony/polyfill-intl-normalizer/zipball/3833d7255cc303546435cb650316bff708a1c75c", + "reference": "3833d7255cc303546435cb650316bff708a1c75c", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "suggest": { "ext-intl": "For best performance" @@ -6733,8 +8222,8 @@ "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -6773,7 +8262,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-intl-normalizer/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-intl-normalizer/tree/v1.31.0" }, "funding": [ { @@ -6789,24 +8278,24 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-mbstring", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-mbstring.git", - "reference": "9773676c8a1bb1f8d4340a62efe641cf76eda7ec" + "reference": "85181ba99b2345b0ef10ce42ecac37612d9fd341" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-mbstring/zipball/9773676c8a1bb1f8d4340a62efe641cf76eda7ec", - "reference": "9773676c8a1bb1f8d4340a62efe641cf76eda7ec", + "url": "https://api.github.com/repos/symfony/polyfill-mbstring/zipball/85181ba99b2345b0ef10ce42ecac37612d9fd341", + "reference": "85181ba99b2345b0ef10ce42ecac37612d9fd341", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "provide": { "ext-mbstring": "*" @@ -6817,8 +8306,8 @@ "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -6853,80 +8342,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-mbstring/tree/v1.29.0" - }, - "funding": [ - { - "url": "https://symfony.com/sponsor", - "type": "custom" - }, - { - "url": "https://github.com/fabpot", - "type": "github" - }, - { - "url": "https://tidelift.com/funding/github/packagist/symfony/symfony", - "type": "tidelift" - } - ], - "time": "2024-01-29T20:11:03+00:00" - }, - { - "name": "symfony/polyfill-php72", - "version": "v1.29.0", - "source": { - "type": "git", - "url": "https://github.com/symfony/polyfill-php72.git", - "reference": "861391a8da9a04cbad2d232ddd9e4893220d6e25" - }, - "dist": { - "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-php72/zipball/861391a8da9a04cbad2d232ddd9e4893220d6e25", - "reference": "861391a8da9a04cbad2d232ddd9e4893220d6e25", - "shasum": "" - }, - "require": { - "php": ">=7.1" - }, - "type": "library", - "extra": { - "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" - } - }, - "autoload": { - "files": [ - "bootstrap.php" - ], - "psr-4": { - "Symfony\\Polyfill\\Php72\\": "" - } - }, - "notification-url": "https://packagist.org/downloads/", - "license": [ - "MIT" - ], - "authors": [ - { - "name": "Nicolas Grekas", - "email": "p@tchwork.com" - }, - { - "name": "Symfony Community", - "homepage": "https://symfony.com/contributors" - } - ], - "description": "Symfony polyfill backporting some PHP 7.2+ features to lower PHP versions", - "homepage": "https://symfony.com", - "keywords": [ - "compatibility", - "polyfill", - "portable", - "shim" - ], - "support": { - "source": "https://github.com/symfony/polyfill-php72/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-mbstring/tree/v1.31.0" }, "funding": [ { @@ -6942,30 +8358,30 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-php80", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-php80.git", - "reference": "87b68208d5c1188808dd7839ee1e6c8ec3b02f1b" + "reference": "60328e362d4c2c802a54fcbf04f9d3fb892b4cf8" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-php80/zipball/87b68208d5c1188808dd7839ee1e6c8ec3b02f1b", - "reference": "87b68208d5c1188808dd7839ee1e6c8ec3b02f1b", + "url": "https://api.github.com/repos/symfony/polyfill-php80/zipball/60328e362d4c2c802a54fcbf04f9d3fb892b4cf8", + "reference": "60328e362d4c2c802a54fcbf04f9d3fb892b4cf8", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -7006,7 +8422,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-php80/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-php80/tree/v1.31.0" }, "funding": [ { @@ -7022,31 +8438,30 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-php83", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-php83.git", - "reference": "86fcae159633351e5fd145d1c47de6c528f8caff" + "reference": "2fb86d65e2d424369ad2905e83b236a8805ba491" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-php83/zipball/86fcae159633351e5fd145d1c47de6c528f8caff", - "reference": "86fcae159633351e5fd145d1c47de6c528f8caff", + "url": "https://api.github.com/repos/symfony/polyfill-php83/zipball/2fb86d65e2d424369ad2905e83b236a8805ba491", + "reference": "2fb86d65e2d424369ad2905e83b236a8805ba491", "shasum": "" }, "require": { - "php": ">=7.1", - "symfony/polyfill-php80": "^1.14" + "php": ">=7.2" }, "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -7083,7 +8498,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-php83/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-php83/tree/v1.31.0" }, "funding": [ { @@ -7099,24 +8514,24 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/polyfill-uuid", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-uuid.git", - "reference": "3abdd21b0ceaa3000ee950097bc3cf9efc137853" + "reference": "21533be36c24be3f4b1669c4725c7d1d2bab4ae2" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-uuid/zipball/3abdd21b0ceaa3000ee950097bc3cf9efc137853", - "reference": "3abdd21b0ceaa3000ee950097bc3cf9efc137853", + "url": "https://api.github.com/repos/symfony/polyfill-uuid/zipball/21533be36c24be3f4b1669c4725c7d1d2bab4ae2", + "reference": "21533be36c24be3f4b1669c4725c7d1d2bab4ae2", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "provide": { "ext-uuid": "*" @@ -7127,8 +8542,8 @@ "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -7162,7 +8577,7 @@ "uuid" ], "support": { - "source": "https://github.com/symfony/polyfill-uuid/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-uuid/tree/v1.31.0" }, "funding": [ { @@ -7178,20 +8593,20 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/process", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/process.git", - "reference": "3839e56b94dd1dbd13235d27504e66baf23faba0" + "reference": "d34b22ba9390ec19d2dd966c40aa9e8462f27a7e" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/process/zipball/3839e56b94dd1dbd13235d27504e66baf23faba0", - "reference": "3839e56b94dd1dbd13235d27504e66baf23faba0", + "url": "https://api.github.com/repos/symfony/process/zipball/d34b22ba9390ec19d2dd966c40aa9e8462f27a7e", + "reference": "d34b22ba9390ec19d2dd966c40aa9e8462f27a7e", "shasum": "" }, "require": { @@ -7223,7 +8638,7 @@ "description": "Executes commands in sub-processes", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/process/tree/v7.0.7" + "source": "https://github.com/symfony/process/tree/v7.2.0" }, "funding": [ { @@ -7239,20 +8654,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-06T14:24:19+00:00" }, { "name": "symfony/psr-http-message-bridge", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/psr-http-message-bridge.git", - "reference": "727befd41438a8feb64066871d3656d8cbdcdbe2" + "reference": "03f2f72319e7acaf2a9f6fcbe30ef17eec51594f" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/psr-http-message-bridge/zipball/727befd41438a8feb64066871d3656d8cbdcdbe2", - "reference": "727befd41438a8feb64066871d3656d8cbdcdbe2", + "url": "https://api.github.com/repos/symfony/psr-http-message-bridge/zipball/03f2f72319e7acaf2a9f6fcbe30ef17eec51594f", + "reference": "03f2f72319e7acaf2a9f6fcbe30ef17eec51594f", "shasum": "" }, "require": { @@ -7306,7 +8721,7 @@ "psr-7" ], "support": { - "source": "https://github.com/symfony/psr-http-message-bridge/tree/v7.0.7" + "source": "https://github.com/symfony/psr-http-message-bridge/tree/v7.2.0" }, "funding": [ { @@ -7322,20 +8737,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-09-26T08:57:56+00:00" }, { "name": "symfony/routing", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/routing.git", - "reference": "9f82bf7766ccc9c22ab7aeb9bebb98351483fa5b" + "reference": "e10a2450fa957af6c448b9b93c9010a4e4c0725e" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/routing/zipball/9f82bf7766ccc9c22ab7aeb9bebb98351483fa5b", - "reference": "9f82bf7766ccc9c22ab7aeb9bebb98351483fa5b", + "url": "https://api.github.com/repos/symfony/routing/zipball/e10a2450fa957af6c448b9b93c9010a4e4c0725e", + "reference": "e10a2450fa957af6c448b9b93c9010a4e4c0725e", "shasum": "" }, "require": { @@ -7387,7 +8802,7 @@ "url" ], "support": { - "source": "https://github.com/symfony/routing/tree/v7.0.7" + "source": "https://github.com/symfony/routing/tree/v7.2.0" }, "funding": [ { @@ -7403,20 +8818,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-25T11:08:51+00:00" }, { "name": "symfony/service-contracts", - "version": "v3.5.0", + "version": "v3.5.1", "source": { "type": "git", "url": "https://github.com/symfony/service-contracts.git", - "reference": "bd1d9e59a81d8fa4acdcea3f617c581f7475a80f" + "reference": "e53260aabf78fb3d63f8d79d69ece59f80d5eda0" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/service-contracts/zipball/bd1d9e59a81d8fa4acdcea3f617c581f7475a80f", - "reference": "bd1d9e59a81d8fa4acdcea3f617c581f7475a80f", + "url": "https://api.github.com/repos/symfony/service-contracts/zipball/e53260aabf78fb3d63f8d79d69ece59f80d5eda0", + "reference": "e53260aabf78fb3d63f8d79d69ece59f80d5eda0", "shasum": "" }, "require": { @@ -7470,7 +8885,7 @@ "standards" ], "support": { - "source": "https://github.com/symfony/service-contracts/tree/v3.5.0" + "source": "https://github.com/symfony/service-contracts/tree/v3.5.1" }, "funding": [ { @@ -7486,20 +8901,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:32:20+00:00" + "time": "2024-09-25T14:20:29+00:00" }, { "name": "symfony/string", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/string.git", - "reference": "e405b5424dc2528e02e31ba26b83a79fd4eb8f63" + "reference": "446e0d146f991dde3e73f45f2c97a9faad773c82" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/string/zipball/e405b5424dc2528e02e31ba26b83a79fd4eb8f63", - "reference": "e405b5424dc2528e02e31ba26b83a79fd4eb8f63", + "url": "https://api.github.com/repos/symfony/string/zipball/446e0d146f991dde3e73f45f2c97a9faad773c82", + "reference": "446e0d146f991dde3e73f45f2c97a9faad773c82", "shasum": "" }, "require": { @@ -7513,6 +8928,7 @@ "symfony/translation-contracts": "<2.5" }, "require-dev": { + "symfony/emoji": "^7.1", "symfony/error-handler": "^6.4|^7.0", "symfony/http-client": "^6.4|^7.0", "symfony/intl": "^6.4|^7.0", @@ -7556,7 +8972,7 @@ "utf8" ], "support": { - "source": "https://github.com/symfony/string/tree/v7.0.7" + "source": "https://github.com/symfony/string/tree/v7.2.0" }, "funding": [ { @@ -7572,24 +8988,25 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-13T13:31:26+00:00" }, { "name": "symfony/translation", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/translation.git", - "reference": "1515e03afaa93e6419aba5d5c9d209159317100b" + "reference": "dc89e16b44048ceecc879054e5b7f38326ab6cc5" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/translation/zipball/1515e03afaa93e6419aba5d5c9d209159317100b", - "reference": "1515e03afaa93e6419aba5d5c9d209159317100b", + "url": "https://api.github.com/repos/symfony/translation/zipball/dc89e16b44048ceecc879054e5b7f38326ab6cc5", + "reference": "dc89e16b44048ceecc879054e5b7f38326ab6cc5", "shasum": "" }, "require": { "php": ">=8.2", + "symfony/deprecation-contracts": "^2.5|^3", "symfony/polyfill-mbstring": "~1.0", "symfony/translation-contracts": "^2.5|^3.0" }, @@ -7650,7 +9067,7 @@ "description": "Provides tools to internationalize your application", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/translation/tree/v7.0.7" + "source": "https://github.com/symfony/translation/tree/v7.2.0" }, "funding": [ { @@ -7666,20 +9083,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-12T20:47:56+00:00" }, { "name": "symfony/translation-contracts", - "version": "v3.5.0", + "version": "v3.5.1", "source": { "type": "git", "url": "https://github.com/symfony/translation-contracts.git", - "reference": "b9d2189887bb6b2e0367a9fc7136c5239ab9b05a" + "reference": "4667ff3bd513750603a09c8dedbea942487fb07c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/translation-contracts/zipball/b9d2189887bb6b2e0367a9fc7136c5239ab9b05a", - "reference": "b9d2189887bb6b2e0367a9fc7136c5239ab9b05a", + "url": "https://api.github.com/repos/symfony/translation-contracts/zipball/4667ff3bd513750603a09c8dedbea942487fb07c", + "reference": "4667ff3bd513750603a09c8dedbea942487fb07c", "shasum": "" }, "require": { @@ -7728,7 +9145,7 @@ "standards" ], "support": { - "source": "https://github.com/symfony/translation-contracts/tree/v3.5.0" + "source": "https://github.com/symfony/translation-contracts/tree/v3.5.1" }, "funding": [ { @@ -7744,20 +9161,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:32:20+00:00" + "time": "2024-09-25T14:20:29+00:00" }, { "name": "symfony/uid", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/uid.git", - "reference": "4f3a5d181999e25918586c8369de09e7814e7be2" + "reference": "2d294d0c48df244c71c105a169d0190bfb080426" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/uid/zipball/4f3a5d181999e25918586c8369de09e7814e7be2", - "reference": "4f3a5d181999e25918586c8369de09e7814e7be2", + "url": "https://api.github.com/repos/symfony/uid/zipball/2d294d0c48df244c71c105a169d0190bfb080426", + "reference": "2d294d0c48df244c71c105a169d0190bfb080426", "shasum": "" }, "require": { @@ -7802,7 +9219,7 @@ "uuid" ], "support": { - "source": "https://github.com/symfony/uid/tree/v7.0.7" + "source": "https://github.com/symfony/uid/tree/v7.2.0" }, "funding": [ { @@ -7818,20 +9235,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-09-25T14:21:43+00:00" }, { "name": "symfony/var-dumper", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/var-dumper.git", - "reference": "d1627b66fd87c8b4d90cabe5671c29d575690924" + "reference": "c6a22929407dec8765d6e2b6ff85b800b245879c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/var-dumper/zipball/d1627b66fd87c8b4d90cabe5671c29d575690924", - "reference": "d1627b66fd87c8b4d90cabe5671c29d575690924", + "url": "https://api.github.com/repos/symfony/var-dumper/zipball/c6a22929407dec8765d6e2b6ff85b800b245879c", + "reference": "c6a22929407dec8765d6e2b6ff85b800b245879c", "shasum": "" }, "require": { @@ -7847,7 +9264,7 @@ "symfony/http-kernel": "^6.4|^7.0", "symfony/process": "^6.4|^7.0", "symfony/uid": "^6.4|^7.0", - "twig/twig": "^3.0.4" + "twig/twig": "^3.12" }, "bin": [ "Resources/bin/var-dump-server" @@ -7885,7 +9302,7 @@ "dump" ], "support": { - "source": "https://github.com/symfony/var-dumper/tree/v7.0.7" + "source": "https://github.com/symfony/var-dumper/tree/v7.2.0" }, "funding": [ { @@ -7901,11 +9318,11 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-08T15:48:14+00:00" }, { "name": "synapse-sentinel/ask-agent", - "version": "dev-feature/new-prompt-system", + "version": "dev-feature/migrate-this", "dist": { "type": "path", "url": "./nova-components/AskAgent", @@ -7941,16 +9358,16 @@ }, { "name": "tightenco/ziggy", - "version": "v2.2.1", + "version": "v2.4.1", "source": { "type": "git", "url": "https://github.com/tighten/ziggy.git", - "reference": "c0ee79a5bb92077e4b72d1d732c823ccba7f6a15" + "reference": "8e002298678fd4d61155bb1d6e3837048235bff7" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/tighten/ziggy/zipball/c0ee79a5bb92077e4b72d1d732c823ccba7f6a15", - "reference": "c0ee79a5bb92077e4b72d1d732c823ccba7f6a15", + "url": "https://api.github.com/repos/tighten/ziggy/zipball/8e002298678fd4d61155bb1d6e3837048235bff7", + "reference": "8e002298678fd4d61155bb1d6e3837048235bff7", "shasum": "" }, "require": { @@ -7961,7 +9378,8 @@ "require-dev": { "laravel/folio": "^1.1", "orchestra/testbench": "^7.0 || ^8.0 || ^9.0", - "phpunit/phpunit": "^9.5 || ^10.3" + "pestphp/pest": "^2.26", + "pestphp/pest-plugin-laravel": "^2.4" }, "type": "library", "extra": { @@ -8004,9 +9422,9 @@ ], "support": { "issues": "https://github.com/tighten/ziggy/issues", - "source": "https://github.com/tighten/ziggy/tree/v2.2.1" + "source": "https://github.com/tighten/ziggy/tree/v2.4.1" }, - "time": "2024-05-16T23:31:31+00:00" + "time": "2024-11-21T15:51:20+00:00" }, { "name": "tijsverkoyen/css-to-inline-styles", @@ -8063,23 +9481,23 @@ }, { "name": "vlucas/phpdotenv", - "version": "v5.6.0", + "version": "v5.6.1", "source": { "type": "git", "url": "https://github.com/vlucas/phpdotenv.git", - "reference": "2cf9fb6054c2bb1d59d1f3817706ecdb9d2934c4" + "reference": "a59a13791077fe3d44f90e7133eb68e7d22eaff2" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/vlucas/phpdotenv/zipball/2cf9fb6054c2bb1d59d1f3817706ecdb9d2934c4", - "reference": "2cf9fb6054c2bb1d59d1f3817706ecdb9d2934c4", + "url": "https://api.github.com/repos/vlucas/phpdotenv/zipball/a59a13791077fe3d44f90e7133eb68e7d22eaff2", + "reference": "a59a13791077fe3d44f90e7133eb68e7d22eaff2", "shasum": "" }, "require": { "ext-pcre": "*", - "graham-campbell/result-type": "^1.1.2", + "graham-campbell/result-type": "^1.1.3", "php": "^7.2.5 || ^8.0", - "phpoption/phpoption": "^1.9.2", + "phpoption/phpoption": "^1.9.3", "symfony/polyfill-ctype": "^1.24", "symfony/polyfill-mbstring": "^1.24", "symfony/polyfill-php80": "^1.24" @@ -8096,7 +9514,7 @@ "extra": { "bamarni-bin": { "bin-links": true, - "forward-command": true + "forward-command": false }, "branch-alias": { "dev-master": "5.6-dev" @@ -8131,7 +9549,7 @@ ], "support": { "issues": "https://github.com/vlucas/phpdotenv/issues", - "source": "https://github.com/vlucas/phpdotenv/tree/v5.6.0" + "source": "https://github.com/vlucas/phpdotenv/tree/v5.6.1" }, "funding": [ { @@ -8143,20 +9561,20 @@ "type": "tidelift" } ], - "time": "2023-11-12T22:43:29+00:00" + "time": "2024-07-20T21:52:34+00:00" }, { "name": "voku/portable-ascii", - "version": "2.0.1", + "version": "2.0.3", "source": { "type": "git", "url": "https://github.com/voku/portable-ascii.git", - "reference": "b56450eed252f6801410d810c8e1727224ae0743" + "reference": "b1d923f88091c6bf09699efcd7c8a1b1bfd7351d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/voku/portable-ascii/zipball/b56450eed252f6801410d810c8e1727224ae0743", - "reference": "b56450eed252f6801410d810c8e1727224ae0743", + "url": "https://api.github.com/repos/voku/portable-ascii/zipball/b1d923f88091c6bf09699efcd7c8a1b1bfd7351d", + "reference": "b1d923f88091c6bf09699efcd7c8a1b1bfd7351d", "shasum": "" }, "require": { @@ -8181,7 +9599,7 @@ "authors": [ { "name": "Lars Moelleken", - "homepage": "http://www.moelleken.org/" + "homepage": "https://www.moelleken.org/" } ], "description": "Portable ASCII library - performance optimized (ascii) string functions for php.", @@ -8193,7 +9611,7 @@ ], "support": { "issues": "https://github.com/voku/portable-ascii/issues", - "source": "https://github.com/voku/portable-ascii/tree/2.0.1" + "source": "https://github.com/voku/portable-ascii/tree/2.0.3" }, "funding": [ { @@ -8217,7 +9635,7 @@ "type": "tidelift" } ], - "time": "2022-03-08T17:03:00+00:00" + "time": "2024-11-21T01:49:47+00:00" }, { "name": "webmozart/assert", @@ -8281,16 +9699,16 @@ "packages-dev": [ { "name": "brianium/paratest", - "version": "v7.4.3", + "version": "v7.4.8", "source": { "type": "git", "url": "https://github.com/paratestphp/paratest.git", - "reference": "64fcfd0e28a6b8078a19dbf9127be2ee645b92ec" + "reference": "cf16fcbb9b8107a7df6b97e497fc91e819774d8b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/paratestphp/paratest/zipball/64fcfd0e28a6b8078a19dbf9127be2ee645b92ec", - "reference": "64fcfd0e28a6b8078a19dbf9127be2ee645b92ec", + "url": "https://api.github.com/repos/paratestphp/paratest/zipball/cf16fcbb9b8107a7df6b97e497fc91e819774d8b", + "reference": "cf16fcbb9b8107a7df6b97e497fc91e819774d8b", "shasum": "" }, "require": { @@ -8298,31 +9716,30 @@ "ext-pcre": "*", "ext-reflection": "*", "ext-simplexml": "*", - "fidry/cpu-core-counter": "^1.1.0", - "jean85/pretty-package-versions": "^2.0.5", - "php": "~8.2.0 || ~8.3.0", - "phpunit/php-code-coverage": "^10.1.11 || ^11.0.0", - "phpunit/php-file-iterator": "^4.1.0 || ^5.0.0", - "phpunit/php-timer": "^6.0.0 || ^7.0.0", - "phpunit/phpunit": "^10.5.9 || ^11.0.3", - "sebastian/environment": "^6.0.1 || ^7.0.0", - "symfony/console": "^6.4.3 || ^7.0.3", - "symfony/process": "^6.4.3 || ^7.0.3" + "fidry/cpu-core-counter": "^1.2.0", + "jean85/pretty-package-versions": "^2.0.6", + "php": "~8.2.0 || ~8.3.0 || ~8.4.0", + "phpunit/php-code-coverage": "^10.1.16", + "phpunit/php-file-iterator": "^4.1.0", + "phpunit/php-timer": "^6.0.0", + "phpunit/phpunit": "^10.5.36", + "sebastian/environment": "^6.1.0", + "symfony/console": "^6.4.7 || ^7.1.5", + "symfony/process": "^6.4.7 || ^7.1.5" }, "require-dev": { "doctrine/coding-standard": "^12.0.0", "ext-pcov": "*", "ext-posix": "*", - "phpstan/phpstan": "^1.10.58", - "phpstan/phpstan-deprecation-rules": "^1.1.4", - "phpstan/phpstan-phpunit": "^1.3.15", - "phpstan/phpstan-strict-rules": "^1.5.2", - "squizlabs/php_codesniffer": "^3.9.0", - "symfony/filesystem": "^6.4.3 || ^7.0.3" + "phpstan/phpstan": "^1.12.6", + "phpstan/phpstan-deprecation-rules": "^1.2.1", + "phpstan/phpstan-phpunit": "^1.4.0", + "phpstan/phpstan-strict-rules": "^1.6.1", + "squizlabs/php_codesniffer": "^3.10.3", + "symfony/filesystem": "^6.4.3 || ^7.1.5" }, "bin": [ "bin/paratest", - "bin/paratest.bat", "bin/paratest_for_phpstorm" ], "type": "library", @@ -8359,7 +9776,7 @@ ], "support": { "issues": "https://github.com/paratestphp/paratest/issues", - "source": "https://github.com/paratestphp/paratest/tree/v7.4.3" + "source": "https://github.com/paratestphp/paratest/tree/v7.4.8" }, "funding": [ { @@ -8371,7 +9788,7 @@ "type": "paypal" } ], - "time": "2024-02-20T07:24:02+00:00" + "time": "2024-10-15T12:45:19+00:00" }, { "name": "clue/ndjson-react", @@ -8439,24 +9856,24 @@ }, { "name": "cmgmyr/phploc", - "version": "8.0.3", + "version": "8.0.4", "source": { "type": "git", "url": "https://github.com/cmgmyr/phploc.git", - "reference": "e61d4729df46c5920ab61973bfa3f70f81a70b5f" + "reference": "b0c4ec71f40ef84c9893e1a7212a72e1098b90f7" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/cmgmyr/phploc/zipball/e61d4729df46c5920ab61973bfa3f70f81a70b5f", - "reference": "e61d4729df46c5920ab61973bfa3f70f81a70b5f", + "url": "https://api.github.com/repos/cmgmyr/phploc/zipball/b0c4ec71f40ef84c9893e1a7212a72e1098b90f7", + "reference": "b0c4ec71f40ef84c9893e1a7212a72e1098b90f7", "shasum": "" }, "require": { "ext-dom": "*", "ext-json": "*", "php": "^7.4 || ^8.0", - "phpunit/php-file-iterator": "^3.0|^4.0", - "sebastian/cli-parser": "^1.0|^2.0" + "phpunit/php-file-iterator": "^3.0|^4.0|^5.0", + "sebastian/cli-parser": "^1.0|^2.0|^3.0" }, "require-dev": { "friendsofphp/php-cs-fixer": "^3.2", @@ -8492,7 +9909,7 @@ "homepage": "https://github.com/cmgmyr/phploc", "support": { "issues": "https://github.com/cmgmyr/phploc/issues", - "source": "https://github.com/cmgmyr/phploc/tree/8.0.3" + "source": "https://github.com/cmgmyr/phploc/tree/8.0.4" }, "funding": [ { @@ -8500,34 +9917,42 @@ "type": "github" } ], - "time": "2023-08-05T16:49:39+00:00" + "time": "2024-10-31T19:26:53+00:00" }, { "name": "composer/pcre", - "version": "3.1.3", + "version": "3.3.2", "source": { "type": "git", "url": "https://github.com/composer/pcre.git", - "reference": "5b16e25a5355f1f3afdfc2f954a0a80aec4826a8" + "reference": "b2bed4734f0cc156ee1fe9c0da2550420d99a21e" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/composer/pcre/zipball/5b16e25a5355f1f3afdfc2f954a0a80aec4826a8", - "reference": "5b16e25a5355f1f3afdfc2f954a0a80aec4826a8", + "url": "https://api.github.com/repos/composer/pcre/zipball/b2bed4734f0cc156ee1fe9c0da2550420d99a21e", + "reference": "b2bed4734f0cc156ee1fe9c0da2550420d99a21e", "shasum": "" }, "require": { "php": "^7.4 || ^8.0" }, + "conflict": { + "phpstan/phpstan": "<1.11.10" + }, "require-dev": { - "phpstan/phpstan": "^1.3", - "phpstan/phpstan-strict-rules": "^1.1", - "symfony/phpunit-bridge": "^5" + "phpstan/phpstan": "^1.12 || ^2", + "phpstan/phpstan-strict-rules": "^1 || ^2", + "phpunit/phpunit": "^8 || ^9" }, "type": "library", "extra": { "branch-alias": { "dev-main": "3.x-dev" + }, + "phpstan": { + "includes": [ + "extension.neon" + ] } }, "autoload": { @@ -8555,7 +9980,7 @@ ], "support": { "issues": "https://github.com/composer/pcre/issues", - "source": "https://github.com/composer/pcre/tree/3.1.3" + "source": "https://github.com/composer/pcre/tree/3.3.2" }, "funding": [ { @@ -8571,28 +9996,28 @@ "type": "tidelift" } ], - "time": "2024-03-19T10:26:25+00:00" + "time": "2024-11-12T16:29:46+00:00" }, { "name": "composer/semver", - "version": "3.4.0", + "version": "3.4.3", "source": { "type": "git", "url": "https://github.com/composer/semver.git", - "reference": "35e8d0af4486141bc745f23a29cc2091eb624a32" + "reference": "4313d26ada5e0c4edfbd1dc481a92ff7bff91f12" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/composer/semver/zipball/35e8d0af4486141bc745f23a29cc2091eb624a32", - "reference": "35e8d0af4486141bc745f23a29cc2091eb624a32", + "url": "https://api.github.com/repos/composer/semver/zipball/4313d26ada5e0c4edfbd1dc481a92ff7bff91f12", + "reference": "4313d26ada5e0c4edfbd1dc481a92ff7bff91f12", "shasum": "" }, "require": { "php": "^5.3.2 || ^7.0 || ^8.0" }, "require-dev": { - "phpstan/phpstan": "^1.4", - "symfony/phpunit-bridge": "^4.2 || ^5" + "phpstan/phpstan": "^1.11", + "symfony/phpunit-bridge": "^3 || ^7" }, "type": "library", "extra": { @@ -8636,7 +10061,7 @@ "support": { "irc": "ircs://irc.libera.chat:6697/composer", "issues": "https://github.com/composer/semver/issues", - "source": "https://github.com/composer/semver/tree/3.4.0" + "source": "https://github.com/composer/semver/tree/3.4.3" }, "funding": [ { @@ -8652,7 +10077,7 @@ "type": "tidelift" } ], - "time": "2023-08-31T09:50:34+00:00" + "time": "2024-09-19T14:15:21+00:00" }, { "name": "composer/xdebug-handler", @@ -8847,16 +10272,16 @@ }, { "name": "fakerphp/faker", - "version": "v1.23.1", + "version": "v1.24.1", "source": { "type": "git", "url": "https://github.com/FakerPHP/Faker.git", - "reference": "bfb4fe148adbf78eff521199619b93a52ae3554b" + "reference": "e0ee18eb1e6dc3cda3ce9fd97e5a0689a88a64b5" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/FakerPHP/Faker/zipball/bfb4fe148adbf78eff521199619b93a52ae3554b", - "reference": "bfb4fe148adbf78eff521199619b93a52ae3554b", + "url": "https://api.github.com/repos/FakerPHP/Faker/zipball/e0ee18eb1e6dc3cda3ce9fd97e5a0689a88a64b5", + "reference": "e0ee18eb1e6dc3cda3ce9fd97e5a0689a88a64b5", "shasum": "" }, "require": { @@ -8904,22 +10329,22 @@ ], "support": { "issues": "https://github.com/FakerPHP/Faker/issues", - "source": "https://github.com/FakerPHP/Faker/tree/v1.23.1" + "source": "https://github.com/FakerPHP/Faker/tree/v1.24.1" }, - "time": "2024-01-02T13:46:09+00:00" + "time": "2024-11-21T13:46:39+00:00" }, { "name": "fidry/cpu-core-counter", - "version": "1.1.0", + "version": "1.2.0", "source": { "type": "git", "url": "https://github.com/theofidry/cpu-core-counter.git", - "reference": "f92996c4d5c1a696a6a970e20f7c4216200fcc42" + "reference": "8520451a140d3f46ac33042715115e290cf5785f" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/theofidry/cpu-core-counter/zipball/f92996c4d5c1a696a6a970e20f7c4216200fcc42", - "reference": "f92996c4d5c1a696a6a970e20f7c4216200fcc42", + "url": "https://api.github.com/repos/theofidry/cpu-core-counter/zipball/8520451a140d3f46ac33042715115e290cf5785f", + "reference": "8520451a140d3f46ac33042715115e290cf5785f", "shasum": "" }, "require": { @@ -8959,7 +10384,7 @@ ], "support": { "issues": "https://github.com/theofidry/cpu-core-counter/issues", - "source": "https://github.com/theofidry/cpu-core-counter/tree/1.1.0" + "source": "https://github.com/theofidry/cpu-core-counter/tree/1.2.0" }, "funding": [ { @@ -8967,30 +10392,30 @@ "type": "github" } ], - "time": "2024-02-07T09:43:46+00:00" + "time": "2024-08-06T10:04:20+00:00" }, { "name": "filp/whoops", - "version": "2.15.4", + "version": "2.16.0", "source": { "type": "git", "url": "https://github.com/filp/whoops.git", - "reference": "a139776fa3f5985a50b509f2a02ff0f709d2a546" + "reference": "befcdc0e5dce67252aa6322d82424be928214fa2" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/filp/whoops/zipball/a139776fa3f5985a50b509f2a02ff0f709d2a546", - "reference": "a139776fa3f5985a50b509f2a02ff0f709d2a546", + "url": "https://api.github.com/repos/filp/whoops/zipball/befcdc0e5dce67252aa6322d82424be928214fa2", + "reference": "befcdc0e5dce67252aa6322d82424be928214fa2", "shasum": "" }, "require": { - "php": "^5.5.9 || ^7.0 || ^8.0", + "php": "^7.1 || ^8.0", "psr/log": "^1.0.1 || ^2.0 || ^3.0" }, "require-dev": { - "mockery/mockery": "^0.9 || ^1.0", - "phpunit/phpunit": "^4.8.36 || ^5.7.27 || ^6.5.14 || ^7.5.20 || ^8.5.8 || ^9.3.3", - "symfony/var-dumper": "^2.6 || ^3.0 || ^4.0 || ^5.0" + "mockery/mockery": "^1.0", + "phpunit/phpunit": "^7.5.20 || ^8.5.8 || ^9.3.3", + "symfony/var-dumper": "^4.0 || ^5.0" }, "suggest": { "symfony/var-dumper": "Pretty print complex values better with var-dumper available", @@ -9030,7 +10455,7 @@ ], "support": { "issues": "https://github.com/filp/whoops/issues", - "source": "https://github.com/filp/whoops/tree/2.15.4" + "source": "https://github.com/filp/whoops/tree/2.16.0" }, "funding": [ { @@ -9038,20 +10463,20 @@ "type": "github" } ], - "time": "2023-11-03T12:00:00+00:00" + "time": "2024-09-25T12:00:00+00:00" }, { "name": "friendsofphp/php-cs-fixer", - "version": "v3.57.1", + "version": "v3.65.0", "source": { "type": "git", "url": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer.git", - "reference": "3f7efe667a8c9818aacceee478add7c0fc24cb21" + "reference": "79d4f3e77b250a7d8043d76c6af8f0695e8a469f" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/PHP-CS-Fixer/PHP-CS-Fixer/zipball/3f7efe667a8c9818aacceee478add7c0fc24cb21", - "reference": "3f7efe667a8c9818aacceee478add7c0fc24cb21", + "url": "https://api.github.com/repos/PHP-CS-Fixer/PHP-CS-Fixer/zipball/79d4f3e77b250a7d8043d76c6af8f0695e8a469f", + "reference": "79d4f3e77b250a7d8043d76c6af8f0695e8a469f", "shasum": "" }, "require": { @@ -9061,7 +10486,7 @@ "ext-filter": "*", "ext-json": "*", "ext-tokenizer": "*", - "fidry/cpu-core-counter": "^1.0", + "fidry/cpu-core-counter": "^1.2", "php": "^7.4 || ^8.0", "react/child-process": "^0.6.5", "react/event-loop": "^1.0", @@ -9081,18 +10506,18 @@ "symfony/stopwatch": "^5.4 || ^6.0 || ^7.0" }, "require-dev": { - "facile-it/paraunit": "^1.3 || ^2.0", - "infection/infection": "^0.27.11", - "justinrainbow/json-schema": "^5.2", + "facile-it/paraunit": "^1.3.1 || ^2.4", + "infection/infection": "^0.29.8", + "justinrainbow/json-schema": "^5.3 || ^6.0", "keradus/cli-executor": "^2.1", - "mikey179/vfsstream": "^1.6.11", + "mikey179/vfsstream": "^1.6.12", "php-coveralls/php-coveralls": "^2.7", "php-cs-fixer/accessible-object": "^1.1", - "php-cs-fixer/phpunit-constraint-isidenticalstring": "^1.4", - "php-cs-fixer/phpunit-constraint-xmlmatchesxsd": "^1.4", - "phpunit/phpunit": "^9.6 || ^10.5.5 || ^11.0.2", - "symfony/var-dumper": "^5.4 || ^6.0 || ^7.0", - "symfony/yaml": "^5.4 || ^6.0 || ^7.0" + "php-cs-fixer/phpunit-constraint-isidenticalstring": "^1.5", + "php-cs-fixer/phpunit-constraint-xmlmatchesxsd": "^1.5", + "phpunit/phpunit": "^9.6.21 || ^10.5.38 || ^11.4.3", + "symfony/var-dumper": "^5.4.47 || ^6.4.15 || ^7.1.8", + "symfony/yaml": "^5.4.45 || ^6.4.13 || ^7.1.6" }, "suggest": { "ext-dom": "For handling output formats in XML", @@ -9105,7 +10530,10 @@ "autoload": { "psr-4": { "PhpCsFixer\\": "src/" - } + }, + "exclude-from-classmap": [ + "src/Fixer/Internal/*" + ] }, "notification-url": "https://packagist.org/downloads/", "license": [ @@ -9130,7 +10558,7 @@ ], "support": { "issues": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer/issues", - "source": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer/tree/v3.57.1" + "source": "https://github.com/PHP-CS-Fixer/PHP-CS-Fixer/tree/v3.65.0" }, "funding": [ { @@ -9138,7 +10566,7 @@ "type": "github" } ], - "time": "2024-05-15T22:01:07+00:00" + "time": "2024-11-25T00:39:24+00:00" }, { "name": "hamcrest/hamcrest-php", @@ -9193,28 +10621,28 @@ }, { "name": "jean85/pretty-package-versions", - "version": "2.0.6", + "version": "2.1.0", "source": { "type": "git", "url": "https://github.com/Jean85/pretty-package-versions.git", - "reference": "f9fdd29ad8e6d024f52678b570e5593759b550b4" + "reference": "3c4e5f62ba8d7de1734312e4fff32f67a8daaf10" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/Jean85/pretty-package-versions/zipball/f9fdd29ad8e6d024f52678b570e5593759b550b4", - "reference": "f9fdd29ad8e6d024f52678b570e5593759b550b4", + "url": "https://api.github.com/repos/Jean85/pretty-package-versions/zipball/3c4e5f62ba8d7de1734312e4fff32f67a8daaf10", + "reference": "3c4e5f62ba8d7de1734312e4fff32f67a8daaf10", "shasum": "" }, "require": { - "composer-runtime-api": "^2.0.0", - "php": "^7.1|^8.0" + "composer-runtime-api": "^2.1.0", + "php": "^7.4|^8.0" }, "require-dev": { "friendsofphp/php-cs-fixer": "^3.2", "jean85/composer-provided-replaced-stub-package": "^1.0", "phpstan/phpstan": "^1.4", - "phpunit/phpunit": "^7.5|^8.5|^9.4", - "vimeo/psalm": "^4.3" + "phpunit/phpunit": "^7.5|^8.5|^9.6", + "vimeo/psalm": "^4.3 || ^5.0" }, "type": "library", "extra": { @@ -9246,26 +10674,26 @@ ], "support": { "issues": "https://github.com/Jean85/pretty-package-versions/issues", - "source": "https://github.com/Jean85/pretty-package-versions/tree/2.0.6" + "source": "https://github.com/Jean85/pretty-package-versions/tree/2.1.0" }, - "time": "2024-03-08T09:58:59+00:00" + "time": "2024-11-18T16:19:46+00:00" }, { "name": "justinrainbow/json-schema", - "version": "v5.2.13", + "version": "5.3.0", "source": { "type": "git", - "url": "https://github.com/justinrainbow/json-schema.git", - "reference": "fbbe7e5d79f618997bc3332a6f49246036c45793" + "url": "https://github.com/jsonrainbow/json-schema.git", + "reference": "feb2ca6dd1cebdaf1ed60a4c8de2e53ce11c4fd8" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/justinrainbow/json-schema/zipball/fbbe7e5d79f618997bc3332a6f49246036c45793", - "reference": "fbbe7e5d79f618997bc3332a6f49246036c45793", + "url": "https://api.github.com/repos/jsonrainbow/json-schema/zipball/feb2ca6dd1cebdaf1ed60a4c8de2e53ce11c4fd8", + "reference": "feb2ca6dd1cebdaf1ed60a4c8de2e53ce11c4fd8", "shasum": "" }, "require": { - "php": ">=5.3.3" + "php": ">=7.1" }, "require-dev": { "friendsofphp/php-cs-fixer": "~2.2.20||~2.15.1", @@ -9276,11 +10704,6 @@ "bin/validate-json" ], "type": "library", - "extra": { - "branch-alias": { - "dev-master": "5.0.x-dev" - } - }, "autoload": { "psr-4": { "JsonSchema\\": "src/JsonSchema/" @@ -9315,43 +10738,46 @@ "schema" ], "support": { - "issues": "https://github.com/justinrainbow/json-schema/issues", - "source": "https://github.com/justinrainbow/json-schema/tree/v5.2.13" + "issues": "https://github.com/jsonrainbow/json-schema/issues", + "source": "https://github.com/jsonrainbow/json-schema/tree/5.3.0" }, - "time": "2023-09-26T02:20:38+00:00" + "time": "2024-07-06T21:00:26+00:00" }, { "name": "larastan/larastan", - "version": "v2.9.6", + "version": "v2.9.12", "source": { "type": "git", "url": "https://github.com/larastan/larastan.git", - "reference": "93d5b95d2e29cdb8203363d44abfdbc0bc7ef57f" + "reference": "19012b39fbe4dede43dbe0c126d9681827a5e908" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/larastan/larastan/zipball/93d5b95d2e29cdb8203363d44abfdbc0bc7ef57f", - "reference": "93d5b95d2e29cdb8203363d44abfdbc0bc7ef57f", + "url": "https://api.github.com/repos/larastan/larastan/zipball/19012b39fbe4dede43dbe0c126d9681827a5e908", + "reference": "19012b39fbe4dede43dbe0c126d9681827a5e908", "shasum": "" }, "require": { "ext-json": "*", - "illuminate/console": "^9.52.16 || ^10.28.0 || ^11.0", - "illuminate/container": "^9.52.16 || ^10.28.0 || ^11.0", - "illuminate/contracts": "^9.52.16 || ^10.28.0 || ^11.0", - "illuminate/database": "^9.52.16 || ^10.28.0 || ^11.0", - "illuminate/http": "^9.52.16 || ^10.28.0 || ^11.0", - "illuminate/pipeline": "^9.52.16 || ^10.28.0 || ^11.0", - "illuminate/support": "^9.52.16 || ^10.28.0 || ^11.0", + "illuminate/console": "^9.52.16 || ^10.28.0 || ^11.16", + "illuminate/container": "^9.52.16 || ^10.28.0 || ^11.16", + "illuminate/contracts": "^9.52.16 || ^10.28.0 || ^11.16", + "illuminate/database": "^9.52.16 || ^10.28.0 || ^11.16", + "illuminate/http": "^9.52.16 || ^10.28.0 || ^11.16", + "illuminate/pipeline": "^9.52.16 || ^10.28.0 || ^11.16", + "illuminate/support": "^9.52.16 || ^10.28.0 || ^11.16", "php": "^8.0.2", "phpmyadmin/sql-parser": "^5.9.0", - "phpstan/phpstan": "^1.10.66" + "phpstan/phpstan": "^1.12.11" }, "require-dev": { "doctrine/coding-standard": "^12.0", + "laravel/framework": "^9.52.16 || ^10.28.0 || ^11.16", + "mockery/mockery": "^1.5.1", "nikic/php-parser": "^4.19.1", "orchestra/canvas": "^7.11.1 || ^8.11.0 || ^9.0.2", - "orchestra/testbench": "^7.33.0 || ^8.13.0 || ^9.0.3", + "orchestra/testbench-core": "^7.33.0 || ^8.13.0 || ^9.0.9", + "phpstan/phpstan-deprecation-rules": "^1.2", "phpunit/phpunit": "^9.6.13 || ^10.5.16" }, "suggest": { @@ -9359,13 +10785,13 @@ }, "type": "phpstan-extension", "extra": { - "branch-alias": { - "dev-master": "2.0-dev" - }, "phpstan": { "includes": [ "extension.neon" ] + }, + "branch-alias": { + "dev-master": "2.0-dev" } }, "autoload": { @@ -9387,7 +10813,7 @@ "email": "enunomaduro@gmail.com" } ], - "description": "Larastan - Discover bugs in your code without running it. A phpstan/phpstan wrapper for Laravel", + "description": "Larastan - Discover bugs in your code without running it. A phpstan/phpstan extension for Laravel", "keywords": [ "PHPStan", "code analyse", @@ -9400,40 +10826,28 @@ ], "support": { "issues": "https://github.com/larastan/larastan/issues", - "source": "https://github.com/larastan/larastan/tree/v2.9.6" + "source": "https://github.com/larastan/larastan/tree/v2.9.12" }, "funding": [ - { - "url": "https://www.paypal.com/paypalme/enunomaduro", - "type": "custom" - }, { "url": "https://github.com/canvural", "type": "github" - }, - { - "url": "https://github.com/nunomaduro", - "type": "github" - }, - { - "url": "https://www.patreon.com/nunomaduro", - "type": "patreon" } ], - "time": "2024-05-09T11:53:26+00:00" + "time": "2024-11-26T23:09:02+00:00" }, { "name": "laravel/dusk", - "version": "v8.2.0", + "version": "v8.2.12", "source": { "type": "git", "url": "https://github.com/laravel/dusk.git", - "reference": "773a12dfbd3f84174b0f26fbc2807a414a379a66" + "reference": "a399aa31c1c9cef793ad747403017e56df77396c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/dusk/zipball/773a12dfbd3f84174b0f26fbc2807a414a379a66", - "reference": "773a12dfbd3f84174b0f26fbc2807a414a379a66", + "url": "https://api.github.com/repos/laravel/dusk/zipball/a399aa31c1c9cef793ad747403017e56df77396c", + "reference": "a399aa31c1c9cef793ad747403017e56df77396c", "shasum": "" }, "require": { @@ -9443,7 +10857,7 @@ "illuminate/console": "^10.0|^11.0", "illuminate/support": "^10.0|^11.0", "php": "^8.1", - "php-webdriver/webdriver": "^1.9.0", + "php-webdriver/webdriver": "^1.15.2", "symfony/console": "^6.2|^7.0", "symfony/finder": "^6.2|^7.0", "symfony/process": "^6.2|^7.0", @@ -9490,22 +10904,22 @@ ], "support": { "issues": "https://github.com/laravel/dusk/issues", - "source": "https://github.com/laravel/dusk/tree/v8.2.0" + "source": "https://github.com/laravel/dusk/tree/v8.2.12" }, - "time": "2024-04-16T15:51:19+00:00" + "time": "2024-11-21T17:37:39+00:00" }, { "name": "laravel/pint", - "version": "v1.15.3", + "version": "v1.18.3", "source": { "type": "git", "url": "https://github.com/laravel/pint.git", - "reference": "3600b5d17aff52f6100ea4921849deacbbeb8656" + "reference": "cef51821608239040ab841ad6e1c6ae502ae3026" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/pint/zipball/3600b5d17aff52f6100ea4921849deacbbeb8656", - "reference": "3600b5d17aff52f6100ea4921849deacbbeb8656", + "url": "https://api.github.com/repos/laravel/pint/zipball/cef51821608239040ab841ad6e1c6ae502ae3026", + "reference": "cef51821608239040ab841ad6e1c6ae502ae3026", "shasum": "" }, "require": { @@ -9516,13 +10930,13 @@ "php": "^8.1.0" }, "require-dev": { - "friendsofphp/php-cs-fixer": "^3.54.0", - "illuminate/view": "^10.48.8", - "larastan/larastan": "^2.9.5", - "laravel-zero/framework": "^10.3.0", - "mockery/mockery": "^1.6.11", - "nunomaduro/termwind": "^1.15.1", - "pestphp/pest": "^2.34.7" + "friendsofphp/php-cs-fixer": "^3.65.0", + "illuminate/view": "^10.48.24", + "larastan/larastan": "^2.9.11", + "laravel-zero/framework": "^10.4.0", + "mockery/mockery": "^1.6.12", + "nunomaduro/termwind": "^1.17.0", + "pestphp/pest": "^2.36.0" }, "bin": [ "builds/pint" @@ -9558,20 +10972,20 @@ "issues": "https://github.com/laravel/pint/issues", "source": "https://github.com/laravel/pint" }, - "time": "2024-04-30T15:02:26+00:00" + "time": "2024-11-26T15:34:00+00:00" }, { "name": "laravel/sail", - "version": "v1.29.1", + "version": "v1.39.1", "source": { "type": "git", "url": "https://github.com/laravel/sail.git", - "reference": "8be4a31150eab3b46af11a2e7b2c4632eefaad7e" + "reference": "1a3c7291bc88de983b66688919a4d298d68ddec7" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/laravel/sail/zipball/8be4a31150eab3b46af11a2e7b2c4632eefaad7e", - "reference": "8be4a31150eab3b46af11a2e7b2c4632eefaad7e", + "url": "https://api.github.com/repos/laravel/sail/zipball/1a3c7291bc88de983b66688919a4d298d68ddec7", + "reference": "1a3c7291bc88de983b66688919a4d298d68ddec7", "shasum": "" }, "require": { @@ -9621,20 +11035,20 @@ "issues": "https://github.com/laravel/sail/issues", "source": "https://github.com/laravel/sail" }, - "time": "2024-03-20T20:09:31+00:00" + "time": "2024-11-27T15:42:28+00:00" }, { "name": "league/container", - "version": "4.2.2", + "version": "4.2.4", "source": { "type": "git", "url": "https://github.com/thephpleague/container.git", - "reference": "ff346319ca1ff0e78277dc2311a42107cc1aab88" + "reference": "7ea728b013b9a156c409c6f0fc3624071b742dec" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/thephpleague/container/zipball/ff346319ca1ff0e78277dc2311a42107cc1aab88", - "reference": "ff346319ca1ff0e78277dc2311a42107cc1aab88", + "url": "https://api.github.com/repos/thephpleague/container/zipball/7ea728b013b9a156c409c6f0fc3624071b742dec", + "reference": "7ea728b013b9a156c409c6f0fc3624071b742dec", "shasum": "" }, "require": { @@ -9659,11 +11073,11 @@ "type": "library", "extra": { "branch-alias": { - "dev-master": "4.x-dev", - "dev-4.x": "4.x-dev", - "dev-3.x": "3.x-dev", + "dev-1.x": "1.x-dev", "dev-2.x": "2.x-dev", - "dev-1.x": "1.x-dev" + "dev-3.x": "3.x-dev", + "dev-4.x": "4.x-dev", + "dev-master": "4.x-dev" } }, "autoload": { @@ -9695,7 +11109,7 @@ ], "support": { "issues": "https://github.com/thephpleague/container/issues", - "source": "https://github.com/thephpleague/container/tree/4.2.2" + "source": "https://github.com/thephpleague/container/tree/4.2.4" }, "funding": [ { @@ -9703,7 +11117,7 @@ "type": "github" } ], - "time": "2024-03-13T13:12:53+00:00" + "time": "2024-11-10T12:42:13+00:00" }, { "name": "mockery/mockery", @@ -9790,16 +11204,16 @@ }, { "name": "myclabs/deep-copy", - "version": "1.11.1", + "version": "1.12.1", "source": { "type": "git", "url": "https://github.com/myclabs/DeepCopy.git", - "reference": "7284c22080590fb39f2ffa3e9057f10a4ddd0e0c" + "reference": "123267b2c49fbf30d78a7b2d333f6be754b94845" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/myclabs/DeepCopy/zipball/7284c22080590fb39f2ffa3e9057f10a4ddd0e0c", - "reference": "7284c22080590fb39f2ffa3e9057f10a4ddd0e0c", + "url": "https://api.github.com/repos/myclabs/DeepCopy/zipball/123267b2c49fbf30d78a7b2d333f6be754b94845", + "reference": "123267b2c49fbf30d78a7b2d333f6be754b94845", "shasum": "" }, "require": { @@ -9807,11 +11221,12 @@ }, "conflict": { "doctrine/collections": "<1.6.8", - "doctrine/common": "<2.13.3 || >=3,<3.2.2" + "doctrine/common": "<2.13.3 || >=3 <3.2.2" }, "require-dev": { "doctrine/collections": "^1.6.8", "doctrine/common": "^2.13.3 || ^3.2.2", + "phpspec/prophecy": "^1.10", "phpunit/phpunit": "^7.5.20 || ^8.5.23 || ^9.5.13" }, "type": "library", @@ -9837,7 +11252,7 @@ ], "support": { "issues": "https://github.com/myclabs/DeepCopy/issues", - "source": "https://github.com/myclabs/DeepCopy/tree/1.11.1" + "source": "https://github.com/myclabs/DeepCopy/tree/1.12.1" }, "funding": [ { @@ -9845,42 +11260,42 @@ "type": "tidelift" } ], - "time": "2023-03-08T13:26:56+00:00" + "time": "2024-11-08T17:47:46+00:00" }, { "name": "nunomaduro/collision", - "version": "v8.1.1", + "version": "v8.5.0", "source": { "type": "git", "url": "https://github.com/nunomaduro/collision.git", - "reference": "13e5d538b95a744d85f447a321ce10adb28e9af9" + "reference": "f5c101b929c958e849a633283adff296ed5f38f5" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nunomaduro/collision/zipball/13e5d538b95a744d85f447a321ce10adb28e9af9", - "reference": "13e5d538b95a744d85f447a321ce10adb28e9af9", + "url": "https://api.github.com/repos/nunomaduro/collision/zipball/f5c101b929c958e849a633283adff296ed5f38f5", + "reference": "f5c101b929c958e849a633283adff296ed5f38f5", "shasum": "" }, "require": { - "filp/whoops": "^2.15.4", - "nunomaduro/termwind": "^2.0.1", + "filp/whoops": "^2.16.0", + "nunomaduro/termwind": "^2.1.0", "php": "^8.2.0", - "symfony/console": "^7.0.4" + "symfony/console": "^7.1.5" }, "conflict": { "laravel/framework": "<11.0.0 || >=12.0.0", "phpunit/phpunit": "<10.5.1 || >=12.0.0" }, "require-dev": { - "larastan/larastan": "^2.9.2", - "laravel/framework": "^11.0.0", - "laravel/pint": "^1.14.0", - "laravel/sail": "^1.28.2", - "laravel/sanctum": "^4.0.0", - "laravel/tinker": "^2.9.0", - "orchestra/testbench-core": "^9.0.0", - "pestphp/pest": "^2.34.1 || ^3.0.0", - "sebastian/environment": "^6.0.1 || ^7.0.0" + "larastan/larastan": "^2.9.8", + "laravel/framework": "^11.28.0", + "laravel/pint": "^1.18.1", + "laravel/sail": "^1.36.0", + "laravel/sanctum": "^4.0.3", + "laravel/tinker": "^2.10.0", + "orchestra/testbench-core": "^9.5.3", + "pestphp/pest": "^2.36.0 || ^3.4.0", + "sebastian/environment": "^6.1.0 || ^7.2.0" }, "type": "library", "extra": { @@ -9942,20 +11357,20 @@ "type": "patreon" } ], - "time": "2024-03-06T16:20:09+00:00" + "time": "2024-10-15T16:06:32+00:00" }, { "name": "nunomaduro/phpinsights", - "version": "v2.11.0", + "version": "v2.12.0", "source": { "type": "git", "url": "https://github.com/nunomaduro/phpinsights.git", - "reference": "f476219759a61aad988641476259465c77203383" + "reference": "5c12a8d626712de6db5e6d2db52b1eb4e9596650" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/nunomaduro/phpinsights/zipball/f476219759a61aad988641476259465c77203383", - "reference": "f476219759a61aad988641476259465c77203383", + "url": "https://api.github.com/repos/nunomaduro/phpinsights/zipball/5c12a8d626712de6db5e6d2db52b1eb4e9596650", + "reference": "5c12a8d626712de6db5e6d2db52b1eb4e9596650", "shasum": "" }, "require": { @@ -9972,7 +11387,7 @@ "php-parallel-lint/php-parallel-lint": "^1.3.2", "psr/container": "^1.0|^2.0.2", "psr/simple-cache": "^1.0|^2.0|^3.0", - "sebastian/diff": "^4.0|^5.0.3", + "sebastian/diff": "^4.0|^5.0.3|^6.0", "slevomat/coding-standard": "^8.14.1", "squizlabs/php_codesniffer": "^3.7.2", "symfony/cache": "^5.4|^6.0|^7.0", @@ -10032,7 +11447,7 @@ ], "support": { "issues": "https://github.com/nunomaduro/phpinsights/issues", - "source": "https://github.com/nunomaduro/phpinsights/tree/v2.11.0" + "source": "https://github.com/nunomaduro/phpinsights/tree/v2.12.0" }, "funding": [ { @@ -10048,40 +11463,41 @@ "type": "github" } ], - "time": "2023-11-30T10:54:50+00:00" + "time": "2024-11-11T14:42:55+00:00" }, { "name": "pestphp/pest", - "version": "v2.34.7", + "version": "v2.36.0", "source": { "type": "git", "url": "https://github.com/pestphp/pest.git", - "reference": "a7a3e4240e341d0fee1c54814ce18adc26ce5a76" + "reference": "f8c88bd14dc1772bfaf02169afb601ecdf2724cd" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/pestphp/pest/zipball/a7a3e4240e341d0fee1c54814ce18adc26ce5a76", - "reference": "a7a3e4240e341d0fee1c54814ce18adc26ce5a76", + "url": "https://api.github.com/repos/pestphp/pest/zipball/f8c88bd14dc1772bfaf02169afb601ecdf2724cd", + "reference": "f8c88bd14dc1772bfaf02169afb601ecdf2724cd", "shasum": "" }, "require": { "brianium/paratest": "^7.3.1", - "nunomaduro/collision": "^7.10.0|^8.1.1", - "nunomaduro/termwind": "^1.15.1|^2.0.1", + "nunomaduro/collision": "^7.11.0|^8.4.0", + "nunomaduro/termwind": "^1.16.0|^2.1.0", "pestphp/pest-plugin": "^2.1.1", "pestphp/pest-plugin-arch": "^2.7.0", "php": "^8.1.0", - "phpunit/phpunit": "^10.5.17" + "phpunit/phpunit": "^10.5.36" }, "conflict": { - "phpunit/phpunit": ">10.5.17", + "filp/whoops": "<2.16.0", + "phpunit/phpunit": ">10.5.36", "sebastian/exporter": "<5.1.0", "webmozart/assert": "<1.11.0" }, "require-dev": { - "pestphp/pest-dev-tools": "^2.16.0", - "pestphp/pest-plugin-type-coverage": "^2.8.1", - "symfony/process": "^6.4.0|^7.0.4" + "pestphp/pest-dev-tools": "^2.17.0", + "pestphp/pest-plugin-type-coverage": "^2.8.7", + "symfony/process": "^6.4.0|^7.1.5" }, "bin": [ "bin/pest" @@ -10144,7 +11560,7 @@ ], "support": { "issues": "https://github.com/pestphp/pest/issues", - "source": "https://github.com/pestphp/pest/tree/v2.34.7" + "source": "https://github.com/pestphp/pest/tree/v2.36.0" }, "funding": [ { @@ -10156,7 +11572,7 @@ "type": "github" } ], - "time": "2024-04-05T07:44:17+00:00" + "time": "2024-10-15T15:30:56+00:00" }, { "name": "pestphp/pest-plugin", @@ -10554,16 +11970,16 @@ }, { "name": "php-webdriver/webdriver", - "version": "1.15.1", + "version": "1.15.2", "source": { "type": "git", "url": "https://github.com/php-webdriver/php-webdriver.git", - "reference": "cd52d9342c5aa738c2e75a67e47a1b6df97154e8" + "reference": "998e499b786805568deaf8cbf06f4044f05d91bf" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/php-webdriver/php-webdriver/zipball/cd52d9342c5aa738c2e75a67e47a1b6df97154e8", - "reference": "cd52d9342c5aa738c2e75a67e47a1b6df97154e8", + "url": "https://api.github.com/repos/php-webdriver/php-webdriver/zipball/998e499b786805568deaf8cbf06f4044f05d91bf", + "reference": "998e499b786805568deaf8cbf06f4044f05d91bf", "shasum": "" }, "require": { @@ -10585,7 +12001,7 @@ "php-parallel-lint/php-parallel-lint": "^1.2", "phpunit/phpunit": "^9.3", "squizlabs/php_codesniffer": "^3.5", - "symfony/var-dumper": "^5.0 || ^6.0" + "symfony/var-dumper": "^5.0 || ^6.0 || ^7.0" }, "suggest": { "ext-SimpleXML": "For Firefox profile creation" @@ -10614,9 +12030,9 @@ ], "support": { "issues": "https://github.com/php-webdriver/php-webdriver/issues", - "source": "https://github.com/php-webdriver/php-webdriver/tree/1.15.1" + "source": "https://github.com/php-webdriver/php-webdriver/tree/1.15.2" }, - "time": "2023-10-20T12:21:20+00:00" + "time": "2024-11-21T15:12:59+00:00" }, { "name": "phpdocumentor/reflection-common", @@ -10673,16 +12089,16 @@ }, { "name": "phpdocumentor/reflection-docblock", - "version": "5.4.0", + "version": "5.6.1", "source": { "type": "git", "url": "https://github.com/phpDocumentor/ReflectionDocBlock.git", - "reference": "298d2febfe79d03fe714eb871d5538da55205b1a" + "reference": "e5e784149a09bd69d9a5e3b01c5cbd2e2bd653d8" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpDocumentor/ReflectionDocBlock/zipball/298d2febfe79d03fe714eb871d5538da55205b1a", - "reference": "298d2febfe79d03fe714eb871d5538da55205b1a", + "url": "https://api.github.com/repos/phpDocumentor/ReflectionDocBlock/zipball/e5e784149a09bd69d9a5e3b01c5cbd2e2bd653d8", + "reference": "e5e784149a09bd69d9a5e3b01c5cbd2e2bd653d8", "shasum": "" }, "require": { @@ -10691,17 +12107,17 @@ "php": "^7.4 || ^8.0", "phpdocumentor/reflection-common": "^2.2", "phpdocumentor/type-resolver": "^1.7", - "phpstan/phpdoc-parser": "^1.7", + "phpstan/phpdoc-parser": "^1.7|^2.0", "webmozart/assert": "^1.9.1" }, "require-dev": { - "mockery/mockery": "~1.3.5", + "mockery/mockery": "~1.3.5 || ~1.6.0", "phpstan/extension-installer": "^1.1", "phpstan/phpstan": "^1.8", "phpstan/phpstan-mockery": "^1.1", "phpstan/phpstan-webmozart-assert": "^1.2", "phpunit/phpunit": "^9.5", - "vimeo/psalm": "^5.13" + "psalm/phar": "^5.26" }, "type": "library", "extra": { @@ -10731,29 +12147,29 @@ "description": "With this component, a library can provide support for annotations via DocBlocks or otherwise retrieve information that is embedded in a DocBlock.", "support": { "issues": "https://github.com/phpDocumentor/ReflectionDocBlock/issues", - "source": "https://github.com/phpDocumentor/ReflectionDocBlock/tree/5.4.0" + "source": "https://github.com/phpDocumentor/ReflectionDocBlock/tree/5.6.1" }, - "time": "2024-04-09T21:13:58+00:00" + "time": "2024-12-07T09:39:29+00:00" }, { "name": "phpdocumentor/type-resolver", - "version": "1.8.2", + "version": "1.10.0", "source": { "type": "git", "url": "https://github.com/phpDocumentor/TypeResolver.git", - "reference": "153ae662783729388a584b4361f2545e4d841e3c" + "reference": "679e3ce485b99e84c775d28e2e96fade9a7fb50a" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpDocumentor/TypeResolver/zipball/153ae662783729388a584b4361f2545e4d841e3c", - "reference": "153ae662783729388a584b4361f2545e4d841e3c", + "url": "https://api.github.com/repos/phpDocumentor/TypeResolver/zipball/679e3ce485b99e84c775d28e2e96fade9a7fb50a", + "reference": "679e3ce485b99e84c775d28e2e96fade9a7fb50a", "shasum": "" }, "require": { "doctrine/deprecations": "^1.0", "php": "^7.3 || ^8.0", "phpdocumentor/reflection-common": "^2.0", - "phpstan/phpdoc-parser": "^1.13" + "phpstan/phpdoc-parser": "^1.18|^2.0" }, "require-dev": { "ext-tokenizer": "*", @@ -10789,22 +12205,22 @@ "description": "A PSR-5 based resolver of Class names, Types and Structural Element Names", "support": { "issues": "https://github.com/phpDocumentor/TypeResolver/issues", - "source": "https://github.com/phpDocumentor/TypeResolver/tree/1.8.2" + "source": "https://github.com/phpDocumentor/TypeResolver/tree/1.10.0" }, - "time": "2024-02-23T11:10:43+00:00" + "time": "2024-11-09T15:12:26+00:00" }, { "name": "phpmyadmin/sql-parser", - "version": "5.9.0", + "version": "5.10.2", "source": { "type": "git", "url": "https://github.com/phpmyadmin/sql-parser.git", - "reference": "011fa18a4e55591fac6545a821921dd1d61c6984" + "reference": "72afbce7e4b421593b60d2eb7281e37a50734df8" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpmyadmin/sql-parser/zipball/011fa18a4e55591fac6545a821921dd1d61c6984", - "reference": "011fa18a4e55591fac6545a821921dd1d61c6984", + "url": "https://api.github.com/repos/phpmyadmin/sql-parser/zipball/72afbce7e4b421593b60d2eb7281e37a50734df8", + "reference": "72afbce7e4b421593b60d2eb7281e37a50734df8", "shasum": "" }, "require": { @@ -10822,8 +12238,7 @@ "phpstan/extension-installer": "^1.1", "phpstan/phpstan": "^1.9.12", "phpstan/phpstan-phpunit": "^1.3.3", - "phpunit/php-code-coverage": "*", - "phpunit/phpunit": "^7.5 || ^8.5 || ^9.5", + "phpunit/phpunit": "^8.5 || ^9.6", "psalm/plugin-phpunit": "^0.16.1", "vimeo/psalm": "^4.11", "zumba/json-serializer": "~3.0.2" @@ -10879,20 +12294,20 @@ "type": "other" } ], - "time": "2024-01-20T20:34:02+00:00" + "time": "2024-12-05T15:04:09+00:00" }, { "name": "phpstan/phpdoc-parser", - "version": "1.29.0", + "version": "1.33.0", "source": { "type": "git", "url": "https://github.com/phpstan/phpdoc-parser.git", - "reference": "536889f2b340489d328f5ffb7b02bb6b183ddedc" + "reference": "82a311fd3690fb2bf7b64d5c98f912b3dd746140" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpstan/phpdoc-parser/zipball/536889f2b340489d328f5ffb7b02bb6b183ddedc", - "reference": "536889f2b340489d328f5ffb7b02bb6b183ddedc", + "url": "https://api.github.com/repos/phpstan/phpdoc-parser/zipball/82a311fd3690fb2bf7b64d5c98f912b3dd746140", + "reference": "82a311fd3690fb2bf7b64d5c98f912b3dd746140", "shasum": "" }, "require": { @@ -10924,22 +12339,22 @@ "description": "PHPDoc parser with support for nullable, intersection and generic types", "support": { "issues": "https://github.com/phpstan/phpdoc-parser/issues", - "source": "https://github.com/phpstan/phpdoc-parser/tree/1.29.0" + "source": "https://github.com/phpstan/phpdoc-parser/tree/1.33.0" }, - "time": "2024-05-06T12:04:23+00:00" + "time": "2024-10-13T11:25:22+00:00" }, { "name": "phpstan/phpstan", - "version": "1.11.1", + "version": "1.12.12", "source": { "type": "git", "url": "https://github.com/phpstan/phpstan.git", - "reference": "e524358f930e41a2b4cca1320e3b04fc26b39e0b" + "reference": "b5ae1b88f471d3fd4ba1aa0046234b5ca3776dd0" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/phpstan/phpstan/zipball/e524358f930e41a2b4cca1320e3b04fc26b39e0b", - "reference": "e524358f930e41a2b4cca1320e3b04fc26b39e0b", + "url": "https://api.github.com/repos/phpstan/phpstan/zipball/b5ae1b88f471d3fd4ba1aa0046234b5ca3776dd0", + "reference": "b5ae1b88f471d3fd4ba1aa0046234b5ca3776dd0", "shasum": "" }, "require": { @@ -10984,36 +12399,36 @@ "type": "github" } ], - "time": "2024-05-15T08:00:59+00:00" + "time": "2024-11-28T22:13:23+00:00" }, { "name": "phpunit/php-code-coverage", - "version": "10.1.14", + "version": "10.1.16", "source": { "type": "git", "url": "https://github.com/sebastianbergmann/php-code-coverage.git", - "reference": "e3f51450ebffe8e0efdf7346ae966a656f7d5e5b" + "reference": "7e308268858ed6baedc8704a304727d20bc07c77" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/php-code-coverage/zipball/e3f51450ebffe8e0efdf7346ae966a656f7d5e5b", - "reference": "e3f51450ebffe8e0efdf7346ae966a656f7d5e5b", + "url": "https://api.github.com/repos/sebastianbergmann/php-code-coverage/zipball/7e308268858ed6baedc8704a304727d20bc07c77", + "reference": "7e308268858ed6baedc8704a304727d20bc07c77", "shasum": "" }, "require": { "ext-dom": "*", "ext-libxml": "*", "ext-xmlwriter": "*", - "nikic/php-parser": "^4.18 || ^5.0", + "nikic/php-parser": "^4.19.1 || ^5.1.0", "php": ">=8.1", - "phpunit/php-file-iterator": "^4.0", - "phpunit/php-text-template": "^3.0", - "sebastian/code-unit-reverse-lookup": "^3.0", - "sebastian/complexity": "^3.0", - "sebastian/environment": "^6.0", - "sebastian/lines-of-code": "^2.0", - "sebastian/version": "^4.0", - "theseer/tokenizer": "^1.2.0" + "phpunit/php-file-iterator": "^4.1.0", + "phpunit/php-text-template": "^3.0.1", + "sebastian/code-unit-reverse-lookup": "^3.0.0", + "sebastian/complexity": "^3.2.0", + "sebastian/environment": "^6.1.0", + "sebastian/lines-of-code": "^2.0.2", + "sebastian/version": "^4.0.1", + "theseer/tokenizer": "^1.2.3" }, "require-dev": { "phpunit/phpunit": "^10.1" @@ -11025,7 +12440,7 @@ "type": "library", "extra": { "branch-alias": { - "dev-main": "10.1-dev" + "dev-main": "10.1.x-dev" } }, "autoload": { @@ -11054,7 +12469,7 @@ "support": { "issues": "https://github.com/sebastianbergmann/php-code-coverage/issues", "security": "https://github.com/sebastianbergmann/php-code-coverage/security/policy", - "source": "https://github.com/sebastianbergmann/php-code-coverage/tree/10.1.14" + "source": "https://github.com/sebastianbergmann/php-code-coverage/tree/10.1.16" }, "funding": [ { @@ -11062,7 +12477,7 @@ "type": "github" } ], - "time": "2024-03-12T15:33:41+00:00" + "time": "2024-08-22T04:31:57+00:00" }, { "name": "phpunit/php-file-iterator", @@ -11309,16 +12724,16 @@ }, { "name": "phpunit/phpunit", - "version": "10.5.17", + "version": "10.5.36", "source": { "type": "git", "url": "https://github.com/sebastianbergmann/phpunit.git", - "reference": "c1f736a473d21957ead7e94fcc029f571895abf5" + "reference": "aa0a8ce701ea7ee314b0dfaa8970dc94f3f8c870" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/c1f736a473d21957ead7e94fcc029f571895abf5", - "reference": "c1f736a473d21957ead7e94fcc029f571895abf5", + "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/aa0a8ce701ea7ee314b0dfaa8970dc94f3f8c870", + "reference": "aa0a8ce701ea7ee314b0dfaa8970dc94f3f8c870", "shasum": "" }, "require": { @@ -11328,26 +12743,26 @@ "ext-mbstring": "*", "ext-xml": "*", "ext-xmlwriter": "*", - "myclabs/deep-copy": "^1.10.1", - "phar-io/manifest": "^2.0.3", - "phar-io/version": "^3.0.2", + "myclabs/deep-copy": "^1.12.0", + "phar-io/manifest": "^2.0.4", + "phar-io/version": "^3.2.1", "php": ">=8.1", - "phpunit/php-code-coverage": "^10.1.5", - "phpunit/php-file-iterator": "^4.0", - "phpunit/php-invoker": "^4.0", - "phpunit/php-text-template": "^3.0", - "phpunit/php-timer": "^6.0", - "sebastian/cli-parser": "^2.0", - "sebastian/code-unit": "^2.0", - "sebastian/comparator": "^5.0", - "sebastian/diff": "^5.0", - "sebastian/environment": "^6.0", - "sebastian/exporter": "^5.1", - "sebastian/global-state": "^6.0.1", - "sebastian/object-enumerator": "^5.0", - "sebastian/recursion-context": "^5.0", - "sebastian/type": "^4.0", - "sebastian/version": "^4.0" + "phpunit/php-code-coverage": "^10.1.16", + "phpunit/php-file-iterator": "^4.1.0", + "phpunit/php-invoker": "^4.0.0", + "phpunit/php-text-template": "^3.0.1", + "phpunit/php-timer": "^6.0.0", + "sebastian/cli-parser": "^2.0.1", + "sebastian/code-unit": "^2.0.0", + "sebastian/comparator": "^5.0.2", + "sebastian/diff": "^5.1.1", + "sebastian/environment": "^6.1.0", + "sebastian/exporter": "^5.1.2", + "sebastian/global-state": "^6.0.2", + "sebastian/object-enumerator": "^5.0.0", + "sebastian/recursion-context": "^5.0.0", + "sebastian/type": "^4.0.0", + "sebastian/version": "^4.0.1" }, "suggest": { "ext-soap": "To be able to generate mocks based on WSDL files" @@ -11390,7 +12805,7 @@ "support": { "issues": "https://github.com/sebastianbergmann/phpunit/issues", "security": "https://github.com/sebastianbergmann/phpunit/security/policy", - "source": "https://github.com/sebastianbergmann/phpunit/tree/10.5.17" + "source": "https://github.com/sebastianbergmann/phpunit/tree/10.5.36" }, "funding": [ { @@ -11406,7 +12821,7 @@ "type": "tidelift" } ], - "time": "2024-04-05T04:39:01+00:00" + "time": "2024-10-08T15:36:51+00:00" }, { "name": "react/cache", @@ -11561,28 +12976,28 @@ }, { "name": "react/dns", - "version": "v1.12.0", + "version": "v1.13.0", "source": { "type": "git", "url": "https://github.com/reactphp/dns.git", - "reference": "c134600642fa615b46b41237ef243daa65bb64ec" + "reference": "eb8ae001b5a455665c89c1df97f6fb682f8fb0f5" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/reactphp/dns/zipball/c134600642fa615b46b41237ef243daa65bb64ec", - "reference": "c134600642fa615b46b41237ef243daa65bb64ec", + "url": "https://api.github.com/repos/reactphp/dns/zipball/eb8ae001b5a455665c89c1df97f6fb682f8fb0f5", + "reference": "eb8ae001b5a455665c89c1df97f6fb682f8fb0f5", "shasum": "" }, "require": { "php": ">=5.3.0", "react/cache": "^1.0 || ^0.6 || ^0.5", "react/event-loop": "^1.2", - "react/promise": "^3.0 || ^2.7 || ^1.2.1" + "react/promise": "^3.2 || ^2.7 || ^1.2.1" }, "require-dev": { "phpunit/phpunit": "^9.6 || ^5.7 || ^4.8.36", - "react/async": "^4 || ^3 || ^2", - "react/promise-timer": "^1.9" + "react/async": "^4.3 || ^3 || ^2", + "react/promise-timer": "^1.11" }, "type": "library", "autoload": { @@ -11625,7 +13040,7 @@ ], "support": { "issues": "https://github.com/reactphp/dns/issues", - "source": "https://github.com/reactphp/dns/tree/v1.12.0" + "source": "https://github.com/reactphp/dns/tree/v1.13.0" }, "funding": [ { @@ -11633,7 +13048,7 @@ "type": "open_collective" } ], - "time": "2023-11-29T12:41:06+00:00" + "time": "2024-06-13T14:18:03+00:00" }, { "name": "react/event-loop", @@ -11709,16 +13124,16 @@ }, { "name": "react/promise", - "version": "v3.1.0", + "version": "v3.2.0", "source": { "type": "git", "url": "https://github.com/reactphp/promise.git", - "reference": "e563d55d1641de1dea9f5e84f3cccc66d2bfe02c" + "reference": "8a164643313c71354582dc850b42b33fa12a4b63" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/reactphp/promise/zipball/e563d55d1641de1dea9f5e84f3cccc66d2bfe02c", - "reference": "e563d55d1641de1dea9f5e84f3cccc66d2bfe02c", + "url": "https://api.github.com/repos/reactphp/promise/zipball/8a164643313c71354582dc850b42b33fa12a4b63", + "reference": "8a164643313c71354582dc850b42b33fa12a4b63", "shasum": "" }, "require": { @@ -11770,7 +13185,7 @@ ], "support": { "issues": "https://github.com/reactphp/promise/issues", - "source": "https://github.com/reactphp/promise/tree/v3.1.0" + "source": "https://github.com/reactphp/promise/tree/v3.2.0" }, "funding": [ { @@ -11778,35 +13193,35 @@ "type": "open_collective" } ], - "time": "2023-11-16T16:21:57+00:00" + "time": "2024-05-24T10:39:05+00:00" }, { "name": "react/socket", - "version": "v1.15.0", + "version": "v1.16.0", "source": { "type": "git", "url": "https://github.com/reactphp/socket.git", - "reference": "216d3aec0b87f04a40ca04f481e6af01bdd1d038" + "reference": "23e4ff33ea3e160d2d1f59a0e6050e4b0fb0eac1" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/reactphp/socket/zipball/216d3aec0b87f04a40ca04f481e6af01bdd1d038", - "reference": "216d3aec0b87f04a40ca04f481e6af01bdd1d038", + "url": "https://api.github.com/repos/reactphp/socket/zipball/23e4ff33ea3e160d2d1f59a0e6050e4b0fb0eac1", + "reference": "23e4ff33ea3e160d2d1f59a0e6050e4b0fb0eac1", "shasum": "" }, "require": { "evenement/evenement": "^3.0 || ^2.0 || ^1.0", "php": ">=5.3.0", - "react/dns": "^1.11", + "react/dns": "^1.13", "react/event-loop": "^1.2", - "react/promise": "^3 || ^2.6 || ^1.2.1", - "react/stream": "^1.2" + "react/promise": "^3.2 || ^2.6 || ^1.2.1", + "react/stream": "^1.4" }, "require-dev": { "phpunit/phpunit": "^9.6 || ^5.7 || ^4.8.36", - "react/async": "^4 || ^3 || ^2", + "react/async": "^4.3 || ^3.3 || ^2", "react/promise-stream": "^1.4", - "react/promise-timer": "^1.10" + "react/promise-timer": "^1.11" }, "type": "library", "autoload": { @@ -11850,7 +13265,7 @@ ], "support": { "issues": "https://github.com/reactphp/socket/issues", - "source": "https://github.com/reactphp/socket/tree/v1.15.0" + "source": "https://github.com/reactphp/socket/tree/v1.16.0" }, "funding": [ { @@ -11858,20 +13273,20 @@ "type": "open_collective" } ], - "time": "2023-12-15T11:02:10+00:00" + "time": "2024-07-26T10:38:09+00:00" }, { "name": "react/stream", - "version": "v1.3.0", + "version": "v1.4.0", "source": { "type": "git", "url": "https://github.com/reactphp/stream.git", - "reference": "6fbc9672905c7d5a885f2da2fc696f65840f4a66" + "reference": "1e5b0acb8fe55143b5b426817155190eb6f5b18d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/reactphp/stream/zipball/6fbc9672905c7d5a885f2da2fc696f65840f4a66", - "reference": "6fbc9672905c7d5a885f2da2fc696f65840f4a66", + "url": "https://api.github.com/repos/reactphp/stream/zipball/1e5b0acb8fe55143b5b426817155190eb6f5b18d", + "reference": "1e5b0acb8fe55143b5b426817155190eb6f5b18d", "shasum": "" }, "require": { @@ -11881,7 +13296,7 @@ }, "require-dev": { "clue/stream-filter": "~1.2", - "phpunit/phpunit": "^9.5 || ^5.7 || ^4.8.35" + "phpunit/phpunit": "^9.6 || ^5.7 || ^4.8.36" }, "type": "library", "autoload": { @@ -11928,7 +13343,7 @@ ], "support": { "issues": "https://github.com/reactphp/stream/issues", - "source": "https://github.com/reactphp/stream/tree/v1.3.0" + "source": "https://github.com/reactphp/stream/tree/v1.4.0" }, "funding": [ { @@ -11936,7 +13351,7 @@ "type": "open_collective" } ], - "time": "2023-06-16T10:52:11+00:00" + "time": "2024-06-11T12:45:25+00:00" }, { "name": "sebastian/cli-parser", @@ -12108,16 +13523,16 @@ }, { "name": "sebastian/comparator", - "version": "5.0.1", + "version": "5.0.3", "source": { "type": "git", "url": "https://github.com/sebastianbergmann/comparator.git", - "reference": "2db5010a484d53ebf536087a70b4a5423c102372" + "reference": "a18251eb0b7a2dcd2f7aa3d6078b18545ef0558e" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/sebastianbergmann/comparator/zipball/2db5010a484d53ebf536087a70b4a5423c102372", - "reference": "2db5010a484d53ebf536087a70b4a5423c102372", + "url": "https://api.github.com/repos/sebastianbergmann/comparator/zipball/a18251eb0b7a2dcd2f7aa3d6078b18545ef0558e", + "reference": "a18251eb0b7a2dcd2f7aa3d6078b18545ef0558e", "shasum": "" }, "require": { @@ -12128,7 +13543,7 @@ "sebastian/exporter": "^5.0" }, "require-dev": { - "phpunit/phpunit": "^10.3" + "phpunit/phpunit": "^10.5" }, "type": "library", "extra": { @@ -12173,7 +13588,7 @@ "support": { "issues": "https://github.com/sebastianbergmann/comparator/issues", "security": "https://github.com/sebastianbergmann/comparator/security/policy", - "source": "https://github.com/sebastianbergmann/comparator/tree/5.0.1" + "source": "https://github.com/sebastianbergmann/comparator/tree/5.0.3" }, "funding": [ { @@ -12181,7 +13596,7 @@ "type": "github" } ], - "time": "2023-08-14T13:18:12+00:00" + "time": "2024-10-18T14:56:07+00:00" }, { "name": "sebastian/complexity", @@ -12921,27 +14336,27 @@ }, { "name": "spatie/backtrace", - "version": "1.6.1", + "version": "1.7.1", "source": { "type": "git", "url": "https://github.com/spatie/backtrace.git", - "reference": "8373b9d51638292e3bfd736a9c19a654111b4a23" + "reference": "0f2477c520e3729de58e061b8192f161c99f770b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/spatie/backtrace/zipball/8373b9d51638292e3bfd736a9c19a654111b4a23", - "reference": "8373b9d51638292e3bfd736a9c19a654111b4a23", + "url": "https://api.github.com/repos/spatie/backtrace/zipball/0f2477c520e3729de58e061b8192f161c99f770b", + "reference": "0f2477c520e3729de58e061b8192f161c99f770b", "shasum": "" }, "require": { - "php": "^7.3|^8.0" + "php": "^7.3 || ^8.0" }, "require-dev": { "ext-json": "*", - "laravel/serializable-closure": "^1.3", - "phpunit/phpunit": "^9.3", - "spatie/phpunit-snapshot-assertions": "^4.2", - "symfony/var-dumper": "^5.1" + "laravel/serializable-closure": "^1.3 || ^2.0", + "phpunit/phpunit": "^9.3 || ^11.4.3", + "spatie/phpunit-snapshot-assertions": "^4.2 || ^5.1.6", + "symfony/var-dumper": "^5.1 || ^6.0 || ^7.0" }, "type": "library", "autoload": { @@ -12968,7 +14383,7 @@ "spatie" ], "support": { - "source": "https://github.com/spatie/backtrace/tree/1.6.1" + "source": "https://github.com/spatie/backtrace/tree/1.7.1" }, "funding": [ { @@ -12980,26 +14395,100 @@ "type": "other" } ], - "time": "2024-04-24T13:22:11+00:00" + "time": "2024-12-02T13:28:15+00:00" + }, + { + "name": "spatie/error-solutions", + "version": "1.1.1", + "source": { + "type": "git", + "url": "https://github.com/spatie/error-solutions.git", + "reference": "ae7393122eda72eed7cc4f176d1e96ea444f2d67" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/spatie/error-solutions/zipball/ae7393122eda72eed7cc4f176d1e96ea444f2d67", + "reference": "ae7393122eda72eed7cc4f176d1e96ea444f2d67", + "shasum": "" + }, + "require": { + "php": "^8.0" + }, + "require-dev": { + "illuminate/broadcasting": "^10.0|^11.0", + "illuminate/cache": "^10.0|^11.0", + "illuminate/support": "^10.0|^11.0", + "livewire/livewire": "^2.11|^3.3.5", + "openai-php/client": "^0.10.1", + "orchestra/testbench": "^7.0|8.22.3|^9.0", + "pestphp/pest": "^2.20", + "phpstan/phpstan": "^1.11", + "psr/simple-cache": "^3.0", + "psr/simple-cache-implementation": "^3.0", + "spatie/ray": "^1.28", + "symfony/cache": "^5.4|^6.0|^7.0", + "symfony/process": "^5.4|^6.0|^7.0", + "vlucas/phpdotenv": "^5.5" + }, + "suggest": { + "openai-php/client": "Require get solutions from OpenAI", + "simple-cache-implementation": "To cache solutions from OpenAI" + }, + "type": "library", + "autoload": { + "psr-4": { + "Spatie\\Ignition\\": "legacy/ignition", + "Spatie\\ErrorSolutions\\": "src", + "Spatie\\LaravelIgnition\\": "legacy/laravel-ignition" + } + }, + "notification-url": "https://packagist.org/downloads/", + "license": [ + "MIT" + ], + "authors": [ + { + "name": "Ruben Van Assche", + "email": "ruben@spatie.be", + "role": "Developer" + } + ], + "description": "This is my package error-solutions", + "homepage": "https://github.com/spatie/error-solutions", + "keywords": [ + "error-solutions", + "spatie" + ], + "support": { + "issues": "https://github.com/spatie/error-solutions/issues", + "source": "https://github.com/spatie/error-solutions/tree/1.1.1" + }, + "funding": [ + { + "url": "https://github.com/Spatie", + "type": "github" + } + ], + "time": "2024-07-25T11:06:04+00:00" }, { "name": "spatie/flare-client-php", - "version": "1.5.1", + "version": "1.10.0", "source": { "type": "git", "url": "https://github.com/spatie/flare-client-php.git", - "reference": "e27977d534eefe04c154c6fd8460217024054c05" + "reference": "140a42b2c5d59ac4ecf8f5b493386a4f2eb28272" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/spatie/flare-client-php/zipball/e27977d534eefe04c154c6fd8460217024054c05", - "reference": "e27977d534eefe04c154c6fd8460217024054c05", + "url": "https://api.github.com/repos/spatie/flare-client-php/zipball/140a42b2c5d59ac4ecf8f5b493386a4f2eb28272", + "reference": "140a42b2c5d59ac4ecf8f5b493386a4f2eb28272", "shasum": "" }, "require": { "illuminate/pipeline": "^8.0|^9.0|^10.0|^11.0", "php": "^8.0", - "spatie/backtrace": "^1.5.2", + "spatie/backtrace": "^1.6.1", "symfony/http-foundation": "^5.2|^6.0|^7.0", "symfony/mime": "^5.2|^6.0|^7.0", "symfony/process": "^5.2|^6.0|^7.0", @@ -13011,7 +14500,7 @@ "phpstan/extension-installer": "^1.1", "phpstan/phpstan-deprecation-rules": "^1.0", "phpstan/phpstan-phpunit": "^1.0", - "spatie/phpunit-snapshot-assertions": "^4.0|^5.0" + "spatie/pest-plugin-snapshots": "^1.0|^2.0" }, "type": "library", "extra": { @@ -13041,7 +14530,7 @@ ], "support": { "issues": "https://github.com/spatie/flare-client-php/issues", - "source": "https://github.com/spatie/flare-client-php/tree/1.5.1" + "source": "https://github.com/spatie/flare-client-php/tree/1.10.0" }, "funding": [ { @@ -13049,28 +14538,28 @@ "type": "github" } ], - "time": "2024-05-03T15:43:14+00:00" + "time": "2024-12-02T14:30:06+00:00" }, { "name": "spatie/ignition", - "version": "1.14.1", + "version": "1.15.0", "source": { "type": "git", "url": "https://github.com/spatie/ignition.git", - "reference": "c23cc018c5f423d2f413b99f84655fceb6549811" + "reference": "e3a68e137371e1eb9edc7f78ffa733f3b98991d2" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/spatie/ignition/zipball/c23cc018c5f423d2f413b99f84655fceb6549811", - "reference": "c23cc018c5f423d2f413b99f84655fceb6549811", + "url": "https://api.github.com/repos/spatie/ignition/zipball/e3a68e137371e1eb9edc7f78ffa733f3b98991d2", + "reference": "e3a68e137371e1eb9edc7f78ffa733f3b98991d2", "shasum": "" }, "require": { "ext-json": "*", "ext-mbstring": "*", "php": "^8.0", - "spatie/backtrace": "^1.5.3", - "spatie/flare-client-php": "^1.4.0", + "spatie/error-solutions": "^1.0", + "spatie/flare-client-php": "^1.7", "symfony/console": "^5.4|^6.0|^7.0", "symfony/var-dumper": "^5.4|^6.0|^7.0" }, @@ -13132,20 +14621,20 @@ "type": "github" } ], - "time": "2024-05-03T15:56:16+00:00" + "time": "2024-06-12T14:55:22+00:00" }, { "name": "spatie/laravel-ignition", - "version": "2.7.0", + "version": "2.9.0", "source": { "type": "git", "url": "https://github.com/spatie/laravel-ignition.git", - "reference": "f52124d50122611e8a40f628cef5c19ff6cc5b57" + "reference": "62042df15314b829d0f26e02108f559018e2aad0" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/spatie/laravel-ignition/zipball/f52124d50122611e8a40f628cef5c19ff6cc5b57", - "reference": "f52124d50122611e8a40f628cef5c19ff6cc5b57", + "url": "https://api.github.com/repos/spatie/laravel-ignition/zipball/62042df15314b829d0f26e02108f559018e2aad0", + "reference": "62042df15314b829d0f26e02108f559018e2aad0", "shasum": "" }, "require": { @@ -13154,8 +14643,7 @@ "ext-mbstring": "*", "illuminate/support": "^10.0|^11.0", "php": "^8.1", - "spatie/flare-client-php": "^1.5", - "spatie/ignition": "^1.14", + "spatie/ignition": "^1.15", "symfony/console": "^6.2.3|^7.0", "symfony/var-dumper": "^6.2.3|^7.0" }, @@ -13177,12 +14665,12 @@ "type": "library", "extra": { "laravel": { - "providers": [ - "Spatie\\LaravelIgnition\\IgnitionServiceProvider" - ], "aliases": { "Flare": "Spatie\\LaravelIgnition\\Facades\\Flare" - } + }, + "providers": [ + "Spatie\\LaravelIgnition\\IgnitionServiceProvider" + ] } }, "autoload": { @@ -13224,20 +14712,20 @@ "type": "github" } ], - "time": "2024-05-02T13:42:49+00:00" + "time": "2024-12-02T08:43:31+00:00" }, { "name": "squizlabs/php_codesniffer", - "version": "3.9.2", + "version": "3.11.1", "source": { "type": "git", "url": "https://github.com/PHPCSStandards/PHP_CodeSniffer.git", - "reference": "aac1f6f347a5c5ac6bc98ad395007df00990f480" + "reference": "19473c30efe4f7b3cd42522d0b2e6e7f243c6f87" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/PHPCSStandards/PHP_CodeSniffer/zipball/aac1f6f347a5c5ac6bc98ad395007df00990f480", - "reference": "aac1f6f347a5c5ac6bc98ad395007df00990f480", + "url": "https://api.github.com/repos/PHPCSStandards/PHP_CodeSniffer/zipball/19473c30efe4f7b3cd42522d0b2e6e7f243c6f87", + "reference": "19473c30efe4f7b3cd42522d0b2e6e7f243c6f87", "shasum": "" }, "require": { @@ -13304,20 +14792,20 @@ "type": "open_collective" } ], - "time": "2024-04-23T20:25:34+00:00" + "time": "2024-11-16T12:02:36+00:00" }, { "name": "symfony/cache", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/cache.git", - "reference": "48e3508338987d63b0114a00c208c4cbb76e5303" + "reference": "2c926bc348184b4b235f2200fcbe8fcf3c8c5b8a" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/cache/zipball/48e3508338987d63b0114a00c208c4cbb76e5303", - "reference": "48e3508338987d63b0114a00c208c4cbb76e5303", + "url": "https://api.github.com/repos/symfony/cache/zipball/2c926bc348184b4b235f2200fcbe8fcf3c8c5b8a", + "reference": "2c926bc348184b4b235f2200fcbe8fcf3c8c5b8a", "shasum": "" }, "require": { @@ -13325,6 +14813,7 @@ "psr/cache": "^2.0|^3.0", "psr/log": "^1.1|^2|^3", "symfony/cache-contracts": "^2.5|^3", + "symfony/deprecation-contracts": "^2.5|^3.0", "symfony/service-contracts": "^2.5|^3", "symfony/var-exporter": "^6.4|^7.0" }, @@ -13344,6 +14833,7 @@ "doctrine/dbal": "^3.6|^4", "predis/predis": "^1.1|^2.0", "psr/simple-cache": "^1.0|^2.0|^3.0", + "symfony/clock": "^6.4|^7.0", "symfony/config": "^6.4|^7.0", "symfony/dependency-injection": "^6.4|^7.0", "symfony/filesystem": "^6.4|^7.0", @@ -13384,7 +14874,7 @@ "psr6" ], "support": { - "source": "https://github.com/symfony/cache/tree/v7.0.7" + "source": "https://github.com/symfony/cache/tree/v7.2.0" }, "funding": [ { @@ -13400,20 +14890,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-25T15:21:05+00:00" }, { "name": "symfony/cache-contracts", - "version": "v3.5.0", + "version": "v3.5.1", "source": { "type": "git", "url": "https://github.com/symfony/cache-contracts.git", - "reference": "df6a1a44c890faded49a5fca33c2d5c5fd3c2197" + "reference": "15a4f8e5cd3bce9aeafc882b1acab39ec8de2c1b" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/cache-contracts/zipball/df6a1a44c890faded49a5fca33c2d5c5fd3c2197", - "reference": "df6a1a44c890faded49a5fca33c2d5c5fd3c2197", + "url": "https://api.github.com/repos/symfony/cache-contracts/zipball/15a4f8e5cd3bce9aeafc882b1acab39ec8de2c1b", + "reference": "15a4f8e5cd3bce9aeafc882b1acab39ec8de2c1b", "shasum": "" }, "require": { @@ -13460,7 +14950,7 @@ "standards" ], "support": { - "source": "https://github.com/symfony/cache-contracts/tree/v3.5.0" + "source": "https://github.com/symfony/cache-contracts/tree/v3.5.1" }, "funding": [ { @@ -13476,26 +14966,28 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:32:20+00:00" + "time": "2024-09-25T14:20:29+00:00" }, { "name": "symfony/filesystem", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/filesystem.git", - "reference": "cc168be6fbdcdf3401f50ae863ee3818ed4338f5" + "reference": "b8dce482de9d7c9fe2891155035a7248ab5c7fdb" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/filesystem/zipball/cc168be6fbdcdf3401f50ae863ee3818ed4338f5", - "reference": "cc168be6fbdcdf3401f50ae863ee3818ed4338f5", + "url": "https://api.github.com/repos/symfony/filesystem/zipball/b8dce482de9d7c9fe2891155035a7248ab5c7fdb", + "reference": "b8dce482de9d7c9fe2891155035a7248ab5c7fdb", "shasum": "" }, "require": { "php": ">=8.2", "symfony/polyfill-ctype": "~1.8", - "symfony/polyfill-mbstring": "~1.8", + "symfony/polyfill-mbstring": "~1.8" + }, + "require-dev": { "symfony/process": "^6.4|^7.0" }, "type": "library", @@ -13524,7 +15016,7 @@ "description": "Provides basic utilities for the filesystem", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/filesystem/tree/v7.0.7" + "source": "https://github.com/symfony/filesystem/tree/v7.2.0" }, "funding": [ { @@ -13540,20 +15032,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-10-25T15:15:23+00:00" }, { "name": "symfony/options-resolver", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/options-resolver.git", - "reference": "23cc173858776ad451e31f053b1c9f47840b2cfa" + "reference": "7da8fbac9dcfef75ffc212235d76b2754ce0cf50" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/options-resolver/zipball/23cc173858776ad451e31f053b1c9f47840b2cfa", - "reference": "23cc173858776ad451e31f053b1c9f47840b2cfa", + "url": "https://api.github.com/repos/symfony/options-resolver/zipball/7da8fbac9dcfef75ffc212235d76b2754ce0cf50", + "reference": "7da8fbac9dcfef75ffc212235d76b2754ce0cf50", "shasum": "" }, "require": { @@ -13591,7 +15083,7 @@ "options" ], "support": { - "source": "https://github.com/symfony/options-resolver/tree/v7.0.7" + "source": "https://github.com/symfony/options-resolver/tree/v7.2.0" }, "funding": [ { @@ -13607,30 +15099,30 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-11-20T11:17:29+00:00" }, { "name": "symfony/polyfill-php81", - "version": "v1.29.0", + "version": "v1.31.0", "source": { "type": "git", "url": "https://github.com/symfony/polyfill-php81.git", - "reference": "c565ad1e63f30e7477fc40738343c62b40bc672d" + "reference": "4a4cfc2d253c21a5ad0e53071df248ed48c6ce5c" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/polyfill-php81/zipball/c565ad1e63f30e7477fc40738343c62b40bc672d", - "reference": "c565ad1e63f30e7477fc40738343c62b40bc672d", + "url": "https://api.github.com/repos/symfony/polyfill-php81/zipball/4a4cfc2d253c21a5ad0e53071df248ed48c6ce5c", + "reference": "4a4cfc2d253c21a5ad0e53071df248ed48c6ce5c", "shasum": "" }, "require": { - "php": ">=7.1" + "php": ">=7.2" }, "type": "library", "extra": { "thanks": { - "name": "symfony/polyfill", - "url": "https://github.com/symfony/polyfill" + "url": "https://github.com/symfony/polyfill", + "name": "symfony/polyfill" } }, "autoload": { @@ -13667,7 +15159,7 @@ "shim" ], "support": { - "source": "https://github.com/symfony/polyfill-php81/tree/v1.29.0" + "source": "https://github.com/symfony/polyfill-php81/tree/v1.31.0" }, "funding": [ { @@ -13683,20 +15175,20 @@ "type": "tidelift" } ], - "time": "2024-01-29T20:11:03+00:00" + "time": "2024-09-09T11:45:10+00:00" }, { "name": "symfony/stopwatch", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/stopwatch.git", - "reference": "41a7a24aa1dc82adf46a06bc292d1923acfe6b84" + "reference": "696f418b0d722a4225e1c3d95489d262971ca924" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/stopwatch/zipball/41a7a24aa1dc82adf46a06bc292d1923acfe6b84", - "reference": "41a7a24aa1dc82adf46a06bc292d1923acfe6b84", + "url": "https://api.github.com/repos/symfony/stopwatch/zipball/696f418b0d722a4225e1c3d95489d262971ca924", + "reference": "696f418b0d722a4225e1c3d95489d262971ca924", "shasum": "" }, "require": { @@ -13729,7 +15221,7 @@ "description": "Provides a way to profile code", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/stopwatch/tree/v7.0.7" + "source": "https://github.com/symfony/stopwatch/tree/v7.2.0" }, "funding": [ { @@ -13745,20 +15237,20 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-09-25T14:21:43+00:00" }, { "name": "symfony/var-exporter", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/var-exporter.git", - "reference": "cdecc0022e40e90340ba1a59a3d5ccf069777078" + "reference": "1a6a89f95a46af0f142874c9d650a6358d13070d" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/var-exporter/zipball/cdecc0022e40e90340ba1a59a3d5ccf069777078", - "reference": "cdecc0022e40e90340ba1a59a3d5ccf069777078", + "url": "https://api.github.com/repos/symfony/var-exporter/zipball/1a6a89f95a46af0f142874c9d650a6358d13070d", + "reference": "1a6a89f95a46af0f142874c9d650a6358d13070d", "shasum": "" }, "require": { @@ -13805,7 +15297,7 @@ "serialize" ], "support": { - "source": "https://github.com/symfony/var-exporter/tree/v7.0.7" + "source": "https://github.com/symfony/var-exporter/tree/v7.2.0" }, "funding": [ { @@ -13821,24 +15313,25 @@ "type": "tidelift" } ], - "time": "2024-04-18T09:29:19+00:00" + "time": "2024-10-18T07:58:17+00:00" }, { "name": "symfony/yaml", - "version": "v7.0.7", + "version": "v7.2.0", "source": { "type": "git", "url": "https://github.com/symfony/yaml.git", - "reference": "0d3916ae69ea28b59d94b60c4f2b50f4e25adb5c" + "reference": "099581e99f557e9f16b43c5916c26380b54abb22" }, "dist": { "type": "zip", - "url": "https://api.github.com/repos/symfony/yaml/zipball/0d3916ae69ea28b59d94b60c4f2b50f4e25adb5c", - "reference": "0d3916ae69ea28b59d94b60c4f2b50f4e25adb5c", + "url": "https://api.github.com/repos/symfony/yaml/zipball/099581e99f557e9f16b43c5916c26380b54abb22", + "reference": "099581e99f557e9f16b43c5916c26380b54abb22", "shasum": "" }, "require": { "php": ">=8.2", + "symfony/deprecation-contracts": "^2.5|^3.0", "symfony/polyfill-ctype": "^1.8" }, "conflict": { @@ -13876,7 +15369,7 @@ "description": "Loads and dumps YAML files", "homepage": "https://symfony.com", "support": { - "source": "https://github.com/symfony/yaml/tree/v7.0.7" + "source": "https://github.com/symfony/yaml/tree/v7.2.0" }, "funding": [ { @@ -13892,7 +15385,7 @@ "type": "tidelift" } ], - "time": "2024-04-28T11:44:19+00:00" + "time": "2024-10-23T06:56:12+00:00" }, { "name": "ta-tikoma/phpunit-architecture-test", @@ -14015,6 +15508,6 @@ "platform": { "php": "^8.2" }, - "platform-dev": [], + "platform-dev": {}, "plugin-api-version": "2.6.0" } diff --git a/config/filament.php b/config/filament.php new file mode 100644 index 0000000..e9abfa3 --- /dev/null +++ b/config/filament.php @@ -0,0 +1,9 @@ + [ + 'pages' => [ + 'login' => \App\Filament\Pages\Auth\Login::class, + ], + ], +]; \ No newline at end of file diff --git a/config/login-link.php b/config/login-link.php index 2deecb6..dacb832 100644 --- a/config/login-link.php +++ b/config/login-link.php @@ -3,6 +3,8 @@ use Spatie\LoginLink\Http\Controllers\LoginLinkController; return [ + + 'allowed_hosts' => ['worker-api.test'], /* * Login links will only work in these environments. In all * other environments, an exception will be thrown. diff --git a/config/services.php b/config/services.php index 6bb68f6..db4d777 100644 --- a/config/services.php +++ b/config/services.php @@ -1,18 +1,18 @@ [ + 'api_key' => env('PRISM_API_KEY'), + 'base_url' => env('PRISM_BASE_URL', 'https://api.prism.echolabs.dev'), + 'default_model' => env('PRISM_DEFAULT_MODEL', 'gpt-4'), + ], + + 'mailgun' => [ + 'domain' => env('MAILGUN_DOMAIN'), + 'secret' => env('MAILGUN_SECRET'), + 'endpoint' => env('MAILGUN_ENDPOINT', 'api.mailgun.net'), + 'scheme' => 'https', + ], 'postmark' => [ 'token' => env('POSTMARK_TOKEN'), @@ -23,12 +23,4 @@ 'secret' => env('AWS_SECRET_ACCESS_KEY'), 'region' => env('AWS_DEFAULT_REGION', 'us-east-1'), ], - - 'slack' => [ - 'notifications' => [ - 'bot_user_oauth_token' => env('SLACK_BOT_USER_OAUTH_TOKEN'), - 'channel' => env('SLACK_BOT_USER_DEFAULT_CHANNEL'), - ], - ], - ]; diff --git a/database/migrations/2023_06_08_000000_create_chats_table.php b/database/migrations/2023_06_08_000000_create_chats_table.php new file mode 100644 index 0000000..2bb413e --- /dev/null +++ b/database/migrations/2023_06_08_000000_create_chats_table.php @@ -0,0 +1,28 @@ + +id(); + $table->unsignedBigInteger('user_id')->nullable(); + $table->string('title')->nullable(); + $table->string('model')->nullable(); + $table->json('context')->nullable(); + $table->timestamps(); + + $table->foreign('user_id')->references('id')->on('users')->onDelete('set null'); + }); + } + + public function down() + { + Schema::dropIfExists('chats'); + } +} diff --git a/database/migrations/2023_06_08_000001_create_messages_table.php b/database/migrations/2023_06_08_000001_create_messages_table.php new file mode 100644 index 0000000..591aa3d --- /dev/null +++ b/database/migrations/2023_06_08_000001_create_messages_table.php @@ -0,0 +1,28 @@ + +id(); + $table->unsignedBigInteger('chat_id'); + $table->unsignedBigInteger('user_id')->nullable(); + $table->text('content'); + $table->timestamps(); + + $table->foreign('chat_id')->references('id')->on('chats')->onDelete('cascade'); + $table->foreign('user_id')->references('id')->on('users')->onDelete('set null'); + }); + } + + public function down() + { + Schema::dropIfExists('messages'); + } +} diff --git a/database/migrations/2024_04_08_030757_create_messages_table.php b/database/migrations/2024_04_08_030757_create_messages_table.php deleted file mode 100644 index 293cbf0..0000000 --- a/database/migrations/2024_04_08_030757_create_messages_table.php +++ /dev/null @@ -1,31 +0,0 @@ -id(); - $table->foreignId('user_id')->constrained()->onDelete('cascade'); - $table->foreignId('thread_id')->constrained()->onDelete('cascade'); - $table->text('content'); - $table->enum('role', ['user', 'assistant'])->default('user'); - $table->timestamps(); - }); - } - - /** - * Reverse the migrations. - */ - public function down(): void - { - Schema::dropIfExists('messages'); - } -}; diff --git a/database/migrations/2024_12_10_000002_create_agents_table.php b/database/migrations/2024_12_10_000002_create_agents_table.php new file mode 100644 index 0000000..59d5c7e --- /dev/null +++ b/database/migrations/2024_12_10_000002_create_agents_table.php @@ -0,0 +1,30 @@ +id(); + $table->string('name'); + $table->string('slug')->unique(); + $table->foreignId('ai_model_id')->constrained('ai_models'); + $table->text('system_prompt')->nullable(); + $table->json('configuration')->nullable(); + $table->json('capabilities')->nullable(); + $table->boolean('is_active')->default(true); + $table->json('metadata')->nullable(); + $table->timestamps(); + $table->softDeletes(); + }); + } + + public function down(): void + { + Schema::dropIfExists('agents'); + } +}; diff --git a/database/migrations/2024_12_10_000003_create_agent_conversations_table.php b/database/migrations/2024_12_10_000003_create_agent_conversations_table.php new file mode 100644 index 0000000..8a31a2f --- /dev/null +++ b/database/migrations/2024_12_10_000003_create_agent_conversations_table.php @@ -0,0 +1,36 @@ +id(); + $table->foreignId('agent_id')->constrained('agents'); + $table->foreignId('user_id')->constrained('users'); + $table->string('title')->nullable(); + $table->json('metadata')->nullable(); + $table->timestamps(); + $table->softDeletes(); + }); + + Schema::create('agent_messages', function (Blueprint $table) { + $table->id(); + $table->foreignId('conversation_id')->constrained('agent_conversations'); + $table->string('role'); // system, user, assistant + $table->text('content'); + $table->json('metadata')->nullable(); + $table->timestamps(); + }); + } + + public function down(): void + { + Schema::dropIfExists('agent_messages'); + Schema::dropIfExists('agent_conversations'); + } +}; diff --git a/database/migrations/2024_12_11_000000_update_threads_table.php b/database/migrations/2024_12_11_000000_update_threads_table.php new file mode 100644 index 0000000..b43bd22 --- /dev/null +++ b/database/migrations/2024_12_11_000000_update_threads_table.php @@ -0,0 +1,22 @@ +string('name')->nullable()->change(); + }); + } + + public function down(): void + { + Schema::table('threads', function (Blueprint $table) { + $table->string('name')->nullable(false)->change(); + }); + } +}; \ No newline at end of file diff --git a/database/migrations/2024_12_11_000001_update_threads_table_add_nullable_fields.php b/database/migrations/2024_12_11_000001_update_threads_table_add_nullable_fields.php new file mode 100644 index 0000000..5aa2154 --- /dev/null +++ b/database/migrations/2024_12_11_000001_update_threads_table_add_nullable_fields.php @@ -0,0 +1,32 @@ +string('name')->nullable()->change(); + } + if (Schema::hasColumn('threads', 'description')) { + $table->string('description')->nullable()->change(); + } + }); + } + + public function down(): void + { + Schema::table('threads', function (Blueprint $table) { + if (Schema::hasColumn('threads', 'name')) { + $table->string('name')->nullable(false)->change(); + } + if (Schema::hasColumn('threads', 'description')) { + $table->string('description')->nullable(false)->change(); + } + }); + } +}; \ No newline at end of file diff --git a/database/migrations/2024_12_11_062643_add_role_to_messages.php b/database/migrations/2024_12_11_062643_add_role_to_messages.php new file mode 100644 index 0000000..3e8e69d --- /dev/null +++ b/database/migrations/2024_12_11_062643_add_role_to_messages.php @@ -0,0 +1,28 @@ +string('role')->nullable(); + $table->string('metadata'); + }); + } + + /** + * Reverse the migrations. + */ + public function down(): void + { + Schema::table('messages', function (Blueprint $table) { + $table->dropColumn('role'); + }); + } +}; diff --git a/public/css/filament/filament/app.css b/public/css/filament/filament/app.css new file mode 100644 index 0000000..3e0c235 --- /dev/null +++ b/public/css/filament/filament/app.css @@ -0,0 +1 @@ +*,:after,:before{--tw-border-spacing-x:0;--tw-border-spacing-y:0;--tw-translate-x:0;--tw-translate-y:0;--tw-rotate:0;--tw-skew-x:0;--tw-skew-y:0;--tw-scale-x:1;--tw-scale-y:1;--tw-pan-x: ;--tw-pan-y: ;--tw-pinch-zoom: ;--tw-scroll-snap-strictness:proximity;--tw-gradient-from-position: ;--tw-gradient-via-position: ;--tw-gradient-to-position: ;--tw-ordinal: ;--tw-slashed-zero: ;--tw-numeric-figure: ;--tw-numeric-spacing: ;--tw-numeric-fraction: ;--tw-ring-inset: ;--tw-ring-offset-width:0px;--tw-ring-offset-color:#fff;--tw-ring-color:rgba(59,130,246,.5);--tw-ring-offset-shadow:0 0 #0000;--tw-ring-shadow:0 0 #0000;--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;--tw-blur: ;--tw-brightness: ;--tw-contrast: ;--tw-grayscale: ;--tw-hue-rotate: ;--tw-invert: ;--tw-saturate: ;--tw-sepia: ;--tw-drop-shadow: ;--tw-backdrop-blur: ;--tw-backdrop-brightness: ;--tw-backdrop-contrast: ;--tw-backdrop-grayscale: ;--tw-backdrop-hue-rotate: ;--tw-backdrop-invert: ;--tw-backdrop-opacity: ;--tw-backdrop-saturate: ;--tw-backdrop-sepia: ;--tw-contain-size: ;--tw-contain-layout: ;--tw-contain-paint: ;--tw-contain-style: }::backdrop{--tw-border-spacing-x:0;--tw-border-spacing-y:0;--tw-translate-x:0;--tw-translate-y:0;--tw-rotate:0;--tw-skew-x:0;--tw-skew-y:0;--tw-scale-x:1;--tw-scale-y:1;--tw-pan-x: ;--tw-pan-y: ;--tw-pinch-zoom: ;--tw-scroll-snap-strictness:proximity;--tw-gradient-from-position: ;--tw-gradient-via-position: ;--tw-gradient-to-position: ;--tw-ordinal: ;--tw-slashed-zero: ;--tw-numeric-figure: ;--tw-numeric-spacing: ;--tw-numeric-fraction: ;--tw-ring-inset: ;--tw-ring-offset-width:0px;--tw-ring-offset-color:#fff;--tw-ring-color:rgba(59,130,246,.5);--tw-ring-offset-shadow:0 0 #0000;--tw-ring-shadow:0 0 #0000;--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;--tw-blur: ;--tw-brightness: ;--tw-contrast: ;--tw-grayscale: ;--tw-hue-rotate: ;--tw-invert: ;--tw-saturate: ;--tw-sepia: ;--tw-drop-shadow: ;--tw-backdrop-blur: ;--tw-backdrop-brightness: ;--tw-backdrop-contrast: ;--tw-backdrop-grayscale: ;--tw-backdrop-hue-rotate: ;--tw-backdrop-invert: ;--tw-backdrop-opacity: ;--tw-backdrop-saturate: ;--tw-backdrop-sepia: ;--tw-contain-size: ;--tw-contain-layout: ;--tw-contain-paint: ;--tw-contain-style: }/*! tailwindcss v3.4.13 | MIT License | https://tailwindcss.com*/*,:after,:before{border-color:rgba(var(--gray-200),1);border-style:solid;border-width:0;box-sizing:border-box}:after,:before{--tw-content:""}:host,html{-webkit-text-size-adjust:100%;font-feature-settings:normal;-webkit-tap-highlight-color:transparent;font-family:var(--font-family),ui-sans-serif,system-ui,sans-serif,"Apple Color Emoji","Segoe UI Emoji","Segoe UI Symbol","Noto Color Emoji";font-variation-settings:normal;line-height:1.5;-moz-tab-size:4;-o-tab-size:4;tab-size:4}body{line-height:inherit;margin:0}hr{border-top-width:1px;color:inherit;height:0}abbr:where([title]){-webkit-text-decoration:underline dotted;text-decoration:underline dotted}h1,h2,h3,h4,h5,h6{font-size:inherit;font-weight:inherit}a{color:inherit;text-decoration:inherit}b,strong{font-weight:bolder}code,kbd,pre,samp{font-feature-settings:normal;font-family:ui-monospace,SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace;font-size:1em;font-variation-settings:normal}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}table{border-collapse:collapse;border-color:inherit;text-indent:0}button,input,optgroup,select,textarea{font-feature-settings:inherit;color:inherit;font-family:inherit;font-size:100%;font-variation-settings:inherit;font-weight:inherit;letter-spacing:inherit;line-height:inherit;margin:0;padding:0}button,select{text-transform:none}button,input:where([type=button]),input:where([type=reset]),input:where([type=submit]){-webkit-appearance:button;background-color:transparent;background-image:none}:-moz-focusring{outline:auto}:-moz-ui-invalid{box-shadow:none}progress{vertical-align:baseline}::-webkit-inner-spin-button,::-webkit-outer-spin-button{height:auto}[type=search]{-webkit-appearance:textfield;outline-offset:-2px}::-webkit-search-decoration{-webkit-appearance:none}::-webkit-file-upload-button{-webkit-appearance:button;font:inherit}summary{display:list-item}blockquote,dd,dl,figure,h1,h2,h3,h4,h5,h6,hr,p,pre{margin:0}fieldset{margin:0}fieldset,legend{padding:0}menu,ol,ul{list-style:none;margin:0;padding:0}dialog{padding:0}textarea{resize:vertical}input::-moz-placeholder,textarea::-moz-placeholder{color:rgba(var(--gray-400),1);opacity:1}input::placeholder,textarea::placeholder{color:rgba(var(--gray-400),1);opacity:1}[role=button],button{cursor:pointer}:disabled{cursor:default}audio,canvas,embed,iframe,img,object,svg,video{display:block;vertical-align:middle}img,video{height:auto;max-width:100%}[hidden]{display:none}[multiple],[type=date],[type=datetime-local],[type=email],[type=month],[type=number],[type=password],[type=search],[type=tel],[type=text],[type=time],[type=url],[type=week],input:where(:not([type])),select,textarea{--tw-shadow:0 0 #0000;-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:#fff;border-color:rgba(var(--gray-500),var(--tw-border-opacity,1));border-radius:0;border-width:1px;font-size:1rem;line-height:1.5rem;padding:.5rem .75rem}[multiple]:focus,[type=date]:focus,[type=datetime-local]:focus,[type=email]:focus,[type=month]:focus,[type=number]:focus,[type=password]:focus,[type=search]:focus,[type=tel]:focus,[type=text]:focus,[type=time]:focus,[type=url]:focus,[type=week]:focus,input:where(:not([type])):focus,select:focus,textarea:focus{--tw-ring-inset:var(--tw-empty,/*!*/ /*!*/);--tw-ring-offset-width:0px;--tw-ring-offset-color:#fff;--tw-ring-color:#2563eb;--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);border-color:#2563eb;box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow);outline:2px solid transparent;outline-offset:2px}input::-moz-placeholder,textarea::-moz-placeholder{color:rgba(var(--gray-500),var(--tw-text-opacity,1));opacity:1}input::placeholder,textarea::placeholder{color:rgba(var(--gray-500),var(--tw-text-opacity,1));opacity:1}::-webkit-datetime-edit-fields-wrapper{padding:0}::-webkit-date-and-time-value{min-height:1.5em;text-align:inherit}::-webkit-datetime-edit{display:inline-flex}::-webkit-datetime-edit,::-webkit-datetime-edit-day-field,::-webkit-datetime-edit-hour-field,::-webkit-datetime-edit-meridiem-field,::-webkit-datetime-edit-millisecond-field,::-webkit-datetime-edit-minute-field,::-webkit-datetime-edit-month-field,::-webkit-datetime-edit-second-field,::-webkit-datetime-edit-year-field{padding-bottom:0;padding-top:0}select{background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='none' viewBox='0 0 20 20'%3E%3Cpath stroke='%236b7280' stroke-linecap='round' stroke-linejoin='round' stroke-width='1.5' d='m6 8 4 4 4-4'/%3E%3C/svg%3E");background-position:right .5rem center;background-repeat:no-repeat;background-size:1.5em 1.5em;padding-right:2.5rem;-webkit-print-color-adjust:exact;print-color-adjust:exact}[multiple],[size]:where(select:not([size="1"])){background-image:none;background-position:0 0;background-repeat:unset;background-size:initial;padding-right:.75rem;-webkit-print-color-adjust:unset;print-color-adjust:unset}[type=checkbox],[type=radio]{--tw-shadow:0 0 #0000;-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:#fff;background-origin:border-box;border-color:rgba(var(--gray-500),var(--tw-border-opacity,1));border-width:1px;color:#2563eb;display:inline-block;flex-shrink:0;height:1rem;padding:0;-webkit-print-color-adjust:exact;print-color-adjust:exact;-webkit-user-select:none;-moz-user-select:none;user-select:none;vertical-align:middle;width:1rem}[type=checkbox]{border-radius:0}[type=radio]{border-radius:100%}[type=checkbox]:focus,[type=radio]:focus{--tw-ring-inset:var(--tw-empty,/*!*/ /*!*/);--tw-ring-offset-width:2px;--tw-ring-offset-color:#fff;--tw-ring-color:#2563eb;--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow);outline:2px solid transparent;outline-offset:2px}[type=checkbox]:checked,[type=radio]:checked{background-color:currentColor;background-position:50%;background-repeat:no-repeat;background-size:100% 100%;border-color:transparent}[type=checkbox]:checked{background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg viewBox='0 0 16 16' fill='%23fff' xmlns='http://www.w3.org/2000/svg'%3E%3Cpath d='M12.207 4.793a1 1 0 0 1 0 1.414l-5 5a1 1 0 0 1-1.414 0l-2-2a1 1 0 0 1 1.414-1.414L6.5 9.086l4.293-4.293a1 1 0 0 1 1.414 0z'/%3E%3C/svg%3E")}@media (forced-colors:active) {[type=checkbox]:checked{-webkit-appearance:auto;-moz-appearance:auto;appearance:auto}}[type=radio]:checked{background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg viewBox='0 0 16 16' fill='%23fff' xmlns='http://www.w3.org/2000/svg'%3E%3Ccircle cx='8' cy='8' r='3'/%3E%3C/svg%3E")}@media (forced-colors:active) {[type=radio]:checked{-webkit-appearance:auto;-moz-appearance:auto;appearance:auto}}[type=checkbox]:checked:focus,[type=checkbox]:checked:hover,[type=radio]:checked:focus,[type=radio]:checked:hover{background-color:currentColor;border-color:transparent}[type=checkbox]:indeterminate{background-color:currentColor;background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='none' viewBox='0 0 16 16'%3E%3Cpath stroke='%23fff' stroke-linecap='round' stroke-linejoin='round' stroke-width='2' d='M4 8h8'/%3E%3C/svg%3E");background-position:50%;background-repeat:no-repeat;background-size:100% 100%;border-color:transparent}@media (forced-colors:active) {[type=checkbox]:indeterminate{-webkit-appearance:auto;-moz-appearance:auto;appearance:auto}}[type=checkbox]:indeterminate:focus,[type=checkbox]:indeterminate:hover{background-color:currentColor;border-color:transparent}[type=file]{background:unset;border-color:inherit;border-radius:0;border-width:0;font-size:unset;line-height:inherit;padding:0}[type=file]:focus{outline:1px solid ButtonText;outline:1px auto -webkit-focus-ring-color}:root.dark{color-scheme:dark}[data-field-wrapper]{scroll-margin-top:8rem}.container{width:100%}@media (min-width:640px){.container{max-width:640px}}@media (min-width:768px){.container{max-width:768px}}@media (min-width:1024px){.container{max-width:1024px}}@media (min-width:1280px){.container{max-width:1280px}}@media (min-width:1536px){.container{max-width:1536px}}.prose{color:var(--tw-prose-body);max-width:65ch}.prose :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-lead);font-size:1.25em;line-height:1.6;margin-bottom:1.2em;margin-top:1.2em}.prose :where(a):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-links);font-weight:500;text-decoration:underline}.prose :where(strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-bold);font-weight:600}.prose :where(a strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(blockquote strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(thead th strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:decimal;margin-bottom:1.25em;margin-top:1.25em;padding-inline-start:1.625em}.prose :where(ol[type=A]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-alpha}.prose :where(ol[type=a]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-alpha}.prose :where(ol[type=A s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-alpha}.prose :where(ol[type=a s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-alpha}.prose :where(ol[type=I]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-roman}.prose :where(ol[type=i]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-roman}.prose :where(ol[type=I s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-roman}.prose :where(ol[type=i s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-roman}.prose :where(ol[type="1"]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:decimal}.prose :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:disc;margin-bottom:1.25em;margin-top:1.25em;padding-inline-start:1.625em}.prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *))::marker{color:var(--tw-prose-counters);font-weight:400}.prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *))::marker{color:var(--tw-prose-bullets)}.prose :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;margin-top:1.25em}.prose :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){border-color:var(--tw-prose-hr);border-top-width:1px;margin-bottom:3em;margin-top:3em}.prose :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){border-inline-start-color:var(--tw-prose-quote-borders);border-inline-start-width:.25rem;color:var(--tw-prose-quotes);font-style:italic;font-weight:500;margin-bottom:1.6em;margin-top:1.6em;padding-inline-start:1em;quotes:"\201C""\201D""\2018""\2019"}.prose :where(blockquote p:first-of-type):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:open-quote}.prose :where(blockquote p:last-of-type):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:close-quote}.prose :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:2.25em;font-weight:800;line-height:1.1111111;margin-bottom:.8888889em;margin-top:0}.prose :where(h1 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:900}.prose :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:1.5em;font-weight:700;line-height:1.3333333;margin-bottom:1em;margin-top:2em}.prose :where(h2 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:800}.prose :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:1.25em;font-weight:600;line-height:1.6;margin-bottom:.6em;margin-top:1.6em}.prose :where(h3 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:700}.prose :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;line-height:1.5;margin-bottom:.5em;margin-top:1.5em}.prose :where(h4 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:700}.prose :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){display:block;margin-bottom:2em;margin-top:2em}.prose :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;box-shadow:0 0 0 1px rgb(var(--tw-prose-kbd-shadows)/10%),0 3px 0 rgb(var(--tw-prose-kbd-shadows)/10%);color:var(--tw-prose-kbd);font-family:inherit;font-size:.875em;font-weight:500;padding-inline-end:.375em;padding-bottom:.1875em;padding-top:.1875em;padding-inline-start:.375em}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-code);font-size:.875em;font-weight:600}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:"`"}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:"`"}.prose :where(a code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(h1 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-size:.875em}.prose :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-size:.9em}.prose :where(h4 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(blockquote code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(thead th code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){background-color:var(--tw-prose-pre-bg);border-radius:.375rem;color:var(--tw-prose-pre-code);font-size:.875em;font-weight:400;line-height:1.7142857;margin-bottom:1.7142857em;margin-top:1.7142857em;overflow-x:auto;padding-inline-end:1.1428571em;padding-bottom:.8571429em;padding-top:.8571429em;padding-inline-start:1.1428571em}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)){background-color:transparent;border-radius:0;border-width:0;color:inherit;font-family:inherit;font-size:inherit;font-weight:inherit;line-height:inherit;padding:0}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:none}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:none}.prose :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em;line-height:1.7142857;margin-bottom:2em;margin-top:2em;table-layout:auto;width:100%}.prose :where(thead):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-color:var(--tw-prose-th-borders);border-bottom-width:1px}.prose :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;padding-inline-end:.5714286em;padding-bottom:.5714286em;padding-inline-start:.5714286em;vertical-align:bottom}.prose :where(tbody tr):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-color:var(--tw-prose-td-borders);border-bottom-width:1px}.prose :where(tbody tr:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-width:0}.prose :where(tbody td):not(:where([class~=not-prose],[class~=not-prose] *)){vertical-align:baseline}.prose :where(tfoot):not(:where([class~=not-prose],[class~=not-prose] *)){border-top-color:var(--tw-prose-th-borders);border-top-width:1px}.prose :where(tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){vertical-align:top}.prose :where(th,td):not(:where([class~=not-prose],[class~=not-prose] *)){text-align:start}.prose :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-captions);font-size:.875em;line-height:1.4285714;margin-top:.8571429em}.prose{--tw-prose-body:#374151;--tw-prose-headings:#111827;--tw-prose-lead:#4b5563;--tw-prose-links:#111827;--tw-prose-bold:#111827;--tw-prose-counters:#6b7280;--tw-prose-bullets:#d1d5db;--tw-prose-hr:#e5e7eb;--tw-prose-quotes:#111827;--tw-prose-quote-borders:#e5e7eb;--tw-prose-captions:#6b7280;--tw-prose-kbd:#111827;--tw-prose-kbd-shadows:17 24 39;--tw-prose-code:#111827;--tw-prose-pre-code:#e5e7eb;--tw-prose-pre-bg:#1f2937;--tw-prose-th-borders:#d1d5db;--tw-prose-td-borders:#e5e7eb;--tw-prose-invert-body:#d1d5db;--tw-prose-invert-headings:#fff;--tw-prose-invert-lead:#9ca3af;--tw-prose-invert-links:#fff;--tw-prose-invert-bold:#fff;--tw-prose-invert-counters:#9ca3af;--tw-prose-invert-bullets:#4b5563;--tw-prose-invert-hr:#374151;--tw-prose-invert-quotes:#f3f4f6;--tw-prose-invert-quote-borders:#374151;--tw-prose-invert-captions:#9ca3af;--tw-prose-invert-kbd:#fff;--tw-prose-invert-kbd-shadows:255 255 255;--tw-prose-invert-code:#fff;--tw-prose-invert-pre-code:#d1d5db;--tw-prose-invert-pre-bg:rgba(0,0,0,.5);--tw-prose-invert-th-borders:#4b5563;--tw-prose-invert-td-borders:#374151;font-size:1rem;line-height:1.75}.prose :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5em;margin-top:.5em}.prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.375em}.prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.375em}.prose :where(.prose>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose :where(.prose>ul>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose :where(.prose>ul>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose :where(.prose>ol>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose :where(.prose>ol>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.5em;padding-inline-start:1.625em}.prose :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:.5714286em;padding-bottom:.5714286em;padding-top:.5714286em;padding-inline-start:.5714286em}.prose :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(.prose>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(.prose>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.prose-sm{font-size:.875rem;line-height:1.7142857}.prose-sm :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}.prose-sm :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.2857143em;line-height:1.5555556;margin-bottom:.8888889em;margin-top:.8888889em}.prose-sm :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em;margin-top:1.3333333em;padding-inline-start:1.1111111em}.prose-sm :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:2.1428571em;line-height:1.2;margin-bottom:.8em;margin-top:0}.prose-sm :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.4285714em;line-height:1.4;margin-bottom:.8em;margin-top:1.6em}.prose-sm :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.2857143em;line-height:1.5555556;margin-bottom:.4444444em;margin-top:1.5555556em}.prose-sm :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){line-height:1.4285714;margin-bottom:.5714286em;margin-top:1.4285714em}.prose-sm :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-sm :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;font-size:.8571429em;padding-inline-end:.3571429em;padding-bottom:.1428571em;padding-top:.1428571em;padding-inline-start:.3571429em}.prose-sm :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em}.prose-sm :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.9em}.prose-sm :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8888889em}.prose-sm :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.25rem;font-size:.8571429em;line-height:1.6666667;margin-bottom:1.6666667em;margin-top:1.6666667em;padding-inline-end:1em;padding-bottom:.6666667em;padding-top:.6666667em;padding-inline-start:1em}.prose-sm :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em;padding-inline-start:1.5714286em}.prose-sm :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em;padding-inline-start:1.5714286em}.prose-sm :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.2857143em;margin-top:.2857143em}.prose-sm :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.4285714em}.prose-sm :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.4285714em}.prose-sm :where(.prose-sm>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5714286em;margin-top:.5714286em}.prose-sm :where(.prose-sm>ul>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(.prose-sm>ul>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em}.prose-sm :where(.prose-sm>ol>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(.prose-sm>ol>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em}.prose-sm :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5714286em;margin-top:.5714286em}.prose-sm :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}.prose-sm :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.2857143em;padding-inline-start:1.5714286em}.prose-sm :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2.8571429em;margin-top:2.8571429em}.prose-sm :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em;line-height:1.5}.prose-sm :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:1em;padding-bottom:.6666667em;padding-inline-start:1em}.prose-sm :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose-sm :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose-sm :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:1em;padding-bottom:.6666667em;padding-top:.6666667em;padding-inline-start:1em}.prose-sm :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose-sm :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose-sm :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-sm :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em;line-height:1.3333333;margin-top:.6666667em}.prose-sm :where(.prose-sm>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(.prose-sm>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.prose-base{font-size:1rem;line-height:1.75}.prose-base :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose-base :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.25em;line-height:1.6;margin-bottom:1.2em;margin-top:1.2em}.prose-base :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.6em;margin-top:1.6em;padding-inline-start:1em}.prose-base :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:2.25em;line-height:1.1111111;margin-bottom:.8888889em;margin-top:0}.prose-base :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.5em;line-height:1.3333333;margin-bottom:1em;margin-top:2em}.prose-base :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.25em;line-height:1.6;margin-bottom:.6em;margin-top:1.6em}.prose-base :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){line-height:1.5;margin-bottom:.5em;margin-top:1.5em}.prose-base :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose-base :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose-base :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-base :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose-base :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;font-size:.875em;padding-inline-end:.375em;padding-bottom:.1875em;padding-top:.1875em;padding-inline-start:.375em}.prose-base :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em}.prose-base :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em}.prose-base :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.9em}.prose-base :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.375rem;font-size:.875em;line-height:1.7142857;margin-bottom:1.7142857em;margin-top:1.7142857em;padding-inline-end:1.1428571em;padding-bottom:.8571429em;padding-top:.8571429em;padding-inline-start:1.1428571em}.prose-base :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em;padding-inline-start:1.625em}.prose-base :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em;padding-inline-start:1.625em}.prose-base :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5em;margin-top:.5em}.prose-base :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.375em}.prose-base :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.375em}.prose-base :where(.prose-base>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose-base :where(.prose-base>ul>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose-base :where(.prose-base>ul>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose-base :where(.prose-base>ol>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose-base :where(.prose-base>ol>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose-base :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose-base :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose-base :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose-base :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.5em;padding-inline-start:1.625em}.prose-base :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:3em;margin-top:3em}.prose-base :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-base :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-base :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-base :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-base :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em;line-height:1.7142857}.prose-base :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:.5714286em;padding-bottom:.5714286em;padding-inline-start:.5714286em}.prose-base :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose-base :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose-base :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:.5714286em;padding-bottom:.5714286em;padding-top:.5714286em;padding-inline-start:.5714286em}.prose-base :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose-base :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose-base :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose-base :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-base :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em;line-height:1.4285714;margin-top:.8571429em}.prose-base :where(.prose-base>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-base :where(.prose-base>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.prose-lg{font-size:1.125rem;line-height:1.7777778}.prose-lg :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em;margin-top:1.3333333em}.prose-lg :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.2222222em;line-height:1.4545455;margin-bottom:1.0909091em;margin-top:1.0909091em}.prose-lg :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.6666667em;margin-top:1.6666667em;padding-inline-start:1em}.prose-lg :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:2.6666667em;line-height:1;margin-bottom:.8333333em;margin-top:0}.prose-lg :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.6666667em;line-height:1.3333333;margin-bottom:1.0666667em;margin-top:1.8666667em}.prose-lg :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.3333333em;line-height:1.5;margin-bottom:.6666667em;margin-top:1.6666667em}.prose-lg :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){line-height:1.5555556;margin-bottom:.4444444em;margin-top:1.7777778em}.prose-lg :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7777778em;margin-top:1.7777778em}.prose-lg :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7777778em;margin-top:1.7777778em}.prose-lg :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-lg :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7777778em;margin-top:1.7777778em}.prose-lg :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;font-size:.8888889em;padding-inline-end:.4444444em;padding-bottom:.2222222em;padding-top:.2222222em;padding-inline-start:.4444444em}.prose-lg :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8888889em}.prose-lg :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8666667em}.prose-lg :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em}.prose-lg :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.375rem;font-size:.8888889em;line-height:1.75;margin-bottom:2em;margin-top:2em;padding-inline-end:1.5em;padding-bottom:1em;padding-top:1em;padding-inline-start:1.5em}.prose-lg :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em;margin-top:1.3333333em;padding-inline-start:1.5555556em}.prose-lg :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em;margin-top:1.3333333em;padding-inline-start:1.5555556em}.prose-lg :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.6666667em;margin-top:.6666667em}.prose-lg :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.4444444em}.prose-lg :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:.4444444em}.prose-lg :where(.prose-lg>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.8888889em;margin-top:.8888889em}.prose-lg :where(.prose-lg>ul>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.3333333em}.prose-lg :where(.prose-lg>ul>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em}.prose-lg :where(.prose-lg>ol>li>p:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.3333333em}.prose-lg :where(.prose-lg>ol>li>p:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em}.prose-lg :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.8888889em;margin-top:.8888889em}.prose-lg :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em;margin-top:1.3333333em}.prose-lg :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.3333333em}.prose-lg :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.6666667em;padding-inline-start:1.5555556em}.prose-lg :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:3.1111111em;margin-top:3.1111111em}.prose-lg :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-lg :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-lg :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-lg :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-lg :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8888889em;line-height:1.5}.prose-lg :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:.75em;padding-bottom:.75em;padding-inline-start:.75em}.prose-lg :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose-lg :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose-lg :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:.75em;padding-bottom:.75em;padding-top:.75em;padding-inline-start:.75em}.prose-lg :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-start:0}.prose-lg :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-inline-end:0}.prose-lg :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7777778em;margin-top:1.7777778em}.prose-lg :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-lg :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8888889em;line-height:1.5;margin-top:1em}.prose-lg :where(.prose-lg>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-lg :where(.prose-lg>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.sr-only{clip:rect(0,0,0,0);border-width:0;height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.pointer-events-none{pointer-events:none}.pointer-events-auto{pointer-events:auto}.visible{visibility:visible}.invisible{visibility:hidden}.collapse{visibility:collapse}.static{position:static}.fixed{position:fixed}.absolute{position:absolute}.relative{position:relative}.sticky{position:sticky}.inset-0{inset:0}.inset-4{inset:1rem}.inset-x-0{left:0;right:0}.inset-x-4{left:1rem;right:1rem}.inset-y-0{bottom:0;top:0}.-bottom-1\/2{bottom:-50%}.-top-1{top:-.25rem}.-top-1\/2{top:-50%}.-top-2{top:-.5rem}.-top-3{top:-.75rem}.bottom-0{bottom:0}.bottom-1\/2{bottom:50%}.end-0{inset-inline-end:0}.end-4{inset-inline-end:1rem}.end-6{inset-inline-end:1.5rem}.left-3{left:.75rem}.start-0{inset-inline-start:0}.start-full{inset-inline-start:100%}.top-0{top:0}.top-1{top:.25rem}.top-1\/2{top:50%}.top-4{top:1rem}.top-6{top:1.5rem}.isolate{isolation:isolate}.z-10{z-index:10}.z-20{z-index:20}.z-30{z-index:30}.z-40{z-index:40}.z-50{z-index:50}.z-\[1\]{z-index:1}.order-first{order:-9999}.col-\[--col-span-default\]{grid-column:var(--col-span-default)}.col-span-full{grid-column:1/-1}.col-start-2{grid-column-start:2}.col-start-3{grid-column-start:3}.col-start-\[--col-start-default\]{grid-column-start:var(--col-start-default)}.row-start-2{grid-row-start:2}.-m-0\.5{margin:-.125rem}.-m-1{margin:-.25rem}.-m-1\.5{margin:-.375rem}.-m-2{margin:-.5rem}.-m-2\.5{margin:-.625rem}.-m-3{margin:-.75rem}.-m-3\.5{margin:-.875rem}.-mx-2{margin-left:-.5rem;margin-right:-.5rem}.-mx-4{margin-left:-1rem;margin-right:-1rem}.-mx-6{margin-left:-1.5rem;margin-right:-1.5rem}.-my-1{margin-bottom:-.25rem;margin-top:-.25rem}.mx-1{margin-left:.25rem;margin-right:.25rem}.mx-3{margin-left:.75rem;margin-right:.75rem}.mx-auto{margin-left:auto;margin-right:auto}.my-16{margin-bottom:4rem;margin-top:4rem}.my-2{margin-bottom:.5rem;margin-top:.5rem}.my-4{margin-bottom:1rem;margin-top:1rem}.my-auto{margin-bottom:auto;margin-top:auto}.\!mt-0{margin-top:0!important}.-mb-4{margin-bottom:-1rem}.-mb-6{margin-bottom:-1.5rem}.-me-2{margin-inline-end:-.5rem}.-ms-0\.5{margin-inline-start:-.125rem}.-ms-1{margin-inline-start:-.25rem}.-ms-2{margin-inline-start:-.5rem}.-mt-3{margin-top:-.75rem}.-mt-4{margin-top:-1rem}.-mt-6{margin-top:-1.5rem}.-mt-7{margin-top:-1.75rem}.mb-2{margin-bottom:.5rem}.mb-4{margin-bottom:1rem}.mb-5{margin-bottom:1.25rem}.me-1{margin-inline-end:.25rem}.me-3{margin-inline-end:.75rem}.me-4{margin-inline-end:1rem}.me-5{margin-inline-end:1.25rem}.me-6{margin-inline-end:1.5rem}.ml-auto{margin-left:auto}.ms-1{margin-inline-start:.25rem}.ms-auto{margin-inline-start:auto}.mt-0\.5{margin-top:.125rem}.mt-1{margin-top:.25rem}.mt-2{margin-top:.5rem}.mt-3{margin-top:.75rem}.mt-6{margin-top:1.5rem}.mt-auto{margin-top:auto}.line-clamp-\[--line-clamp\]{-webkit-box-orient:vertical;-webkit-line-clamp:var(--line-clamp);display:-webkit-box;overflow:hidden}.block{display:block}.inline-block{display:inline-block}.inline{display:inline}.flex{display:flex}.inline-flex{display:inline-flex}.table{display:table}.grid{display:grid}.inline-grid{display:inline-grid}.hidden{display:none}.h-0{height:0}.h-1\.5{height:.375rem}.h-10{height:2.5rem}.h-11{height:2.75rem}.h-16{height:4rem}.h-3{height:.75rem}.h-3\.5{height:.875rem}.h-32{height:8rem}.h-4{height:1rem}.h-5{height:1.25rem}.h-6{height:1.5rem}.h-7{height:1.75rem}.h-8{height:2rem}.h-9{height:2.25rem}.h-96{height:24rem}.h-\[100dvh\],.h-dvh{height:100dvh}.h-full{height:100%}.h-screen{height:100vh}.max-h-96{max-height:24rem}.min-h-\[theme\(spacing\.48\)\]{min-height:12rem}.min-h-full{min-height:100%}.min-h-screen{min-height:100vh}.w-1{width:.25rem}.w-1\.5{width:.375rem}.w-1\/2{width:50%}.w-10{width:2.5rem}.w-11{width:2.75rem}.w-16{width:4rem}.w-20{width:5rem}.w-3{width:.75rem}.w-3\.5{width:.875rem}.w-32{width:8rem}.w-4{width:1rem}.w-5{width:1.25rem}.w-6{width:1.5rem}.w-7{width:1.75rem}.w-72{width:18rem}.w-8{width:2rem}.w-9{width:2.25rem}.w-\[--sidebar-width\]{width:var(--sidebar-width)}.w-\[calc\(100\%\+2rem\)\]{width:calc(100% + 2rem)}.w-auto{width:auto}.w-full{width:100%}.w-max{width:-moz-max-content;width:max-content}.w-px{width:1px}.w-screen{width:100vw}.min-w-0{min-width:0}.min-w-48{min-width:12rem}.min-w-\[theme\(spacing\.4\)\]{min-width:1rem}.min-w-\[theme\(spacing\.5\)\]{min-width:1.25rem}.min-w-\[theme\(spacing\.6\)\]{min-width:1.5rem}.min-w-\[theme\(spacing\.8\)\]{min-width:2rem}.\!max-w-2xl{max-width:42rem!important}.\!max-w-3xl{max-width:48rem!important}.\!max-w-4xl{max-width:56rem!important}.\!max-w-5xl{max-width:64rem!important}.\!max-w-6xl{max-width:72rem!important}.\!max-w-7xl{max-width:80rem!important}.\!max-w-\[14rem\]{max-width:14rem!important}.\!max-w-lg{max-width:32rem!important}.\!max-w-md{max-width:28rem!important}.\!max-w-sm{max-width:24rem!important}.\!max-w-xl{max-width:36rem!important}.\!max-w-xs{max-width:20rem!important}.max-w-2xl{max-width:42rem}.max-w-3xl{max-width:48rem}.max-w-4xl{max-width:56rem}.max-w-5xl{max-width:64rem}.max-w-6xl{max-width:72rem}.max-w-7xl{max-width:80rem}.max-w-fit{max-width:-moz-fit-content;max-width:fit-content}.max-w-full{max-width:100%}.max-w-lg{max-width:32rem}.max-w-max{max-width:-moz-max-content;max-width:max-content}.max-w-md{max-width:28rem}.max-w-min{max-width:-moz-min-content;max-width:min-content}.max-w-none{max-width:none}.max-w-prose{max-width:65ch}.max-w-screen-2xl{max-width:1536px}.max-w-screen-lg{max-width:1024px}.max-w-screen-md{max-width:768px}.max-w-screen-sm{max-width:640px}.max-w-screen-xl{max-width:1280px}.max-w-sm{max-width:24rem}.max-w-xl{max-width:36rem}.max-w-xs{max-width:20rem}.flex-1{flex:1 1 0%}.shrink-0{flex-shrink:0}.flex-grow,.grow{flex-grow:1}.table-auto{table-layout:auto}.-translate-x-1\/2{--tw-translate-x:-50%}.-translate-x-1\/2,.-translate-x-1\/4{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.-translate-x-1\/4{--tw-translate-x:-25%}.-translate-x-12{--tw-translate-x:-3rem}.-translate-x-12,.-translate-x-5{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.-translate-x-5{--tw-translate-x:-1.25rem}.-translate-x-full{--tw-translate-x:-100%}.-translate-x-full,.-translate-y-1\/2{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.-translate-y-1\/2{--tw-translate-y:-50%}.-translate-y-12{--tw-translate-y:-3rem}.-translate-y-12,.-translate-y-3\/4{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.-translate-y-3\/4{--tw-translate-y:-75%}.translate-x-0{--tw-translate-x:0px}.translate-x-0,.translate-x-12{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.translate-x-12{--tw-translate-x:3rem}.translate-x-5{--tw-translate-x:1.25rem}.translate-x-5,.translate-x-full{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.translate-x-full{--tw-translate-x:100%}.translate-y-12{--tw-translate-y:3rem}.-rotate-180,.translate-y-12{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.-rotate-180{--tw-rotate:-180deg}.rotate-180{--tw-rotate:180deg}.rotate-180,.scale-100{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.scale-100{--tw-scale-x:1;--tw-scale-y:1}.scale-95{--tw-scale-x:.95;--tw-scale-y:.95}.scale-95,.transform{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}@keyframes pulse{50%{opacity:.5}}.animate-pulse{animation:pulse 2s cubic-bezier(.4,0,.6,1) infinite}@keyframes spin{to{transform:rotate(1turn)}}.animate-spin{animation:spin 1s linear infinite}.cursor-default{cursor:default}.cursor-move{cursor:move}.cursor-pointer{cursor:pointer}.cursor-wait{cursor:wait}.select-none{-webkit-user-select:none;-moz-user-select:none;user-select:none}.select-all{-webkit-user-select:all;-moz-user-select:all;user-select:all}.resize-none{resize:none}.resize{resize:both}.scroll-mt-9{scroll-margin-top:2.25rem}.list-inside{list-style-position:inside}.list-disc{list-style-type:disc}.columns-\[--cols-default\]{-moz-columns:var(--cols-default);columns:var(--cols-default)}.break-inside-avoid{-moz-column-break-inside:avoid;break-inside:avoid}.auto-cols-fr{grid-auto-columns:minmax(0,1fr)}.grid-flow-col{grid-auto-flow:column}.grid-cols-1{grid-template-columns:repeat(1,minmax(0,1fr))}.grid-cols-7{grid-template-columns:repeat(7,minmax(0,1fr))}.grid-cols-\[--cols-default\]{grid-template-columns:var(--cols-default)}.grid-cols-\[1fr_auto_1fr\]{grid-template-columns:1fr auto 1fr}.grid-cols-\[repeat\(7\2c minmax\(theme\(spacing\.7\)\2c 1fr\)\)\]{grid-template-columns:repeat(7,minmax(1.75rem,1fr))}.grid-cols-\[repeat\(auto-fit\2c minmax\(0\2c 1fr\)\)\]{grid-template-columns:repeat(auto-fit,minmax(0,1fr))}.grid-rows-\[1fr_auto_1fr\]{grid-template-rows:1fr auto 1fr}.flex-row-reverse{flex-direction:row-reverse}.flex-col{flex-direction:column}.flex-col-reverse{flex-direction:column-reverse}.flex-wrap{flex-wrap:wrap}.content-start{align-content:flex-start}.items-start{align-items:flex-start}.items-end{align-items:flex-end}.items-center{align-items:center}.items-stretch{align-items:stretch}.justify-start{justify-content:flex-start}.justify-end{justify-content:flex-end}.justify-center{justify-content:center}.justify-between{justify-content:space-between}.justify-items-start{justify-items:start}.justify-items-center{justify-items:center}.gap-1{gap:.25rem}.gap-1\.5{gap:.375rem}.gap-2{gap:.5rem}.gap-3{gap:.75rem}.gap-4{gap:1rem}.gap-6{gap:1.5rem}.gap-8{gap:2rem}.gap-x-1{-moz-column-gap:.25rem;column-gap:.25rem}.gap-x-1\.5{-moz-column-gap:.375rem;column-gap:.375rem}.gap-x-2{-moz-column-gap:.5rem;column-gap:.5rem}.gap-x-2\.5{-moz-column-gap:.625rem;column-gap:.625rem}.gap-x-3{-moz-column-gap:.75rem;column-gap:.75rem}.gap-x-4{-moz-column-gap:1rem;column-gap:1rem}.gap-x-5{-moz-column-gap:1.25rem;column-gap:1.25rem}.gap-x-6{-moz-column-gap:1.5rem;column-gap:1.5rem}.gap-y-1{row-gap:.25rem}.gap-y-1\.5{row-gap:.375rem}.gap-y-2{row-gap:.5rem}.gap-y-3{row-gap:.75rem}.gap-y-4{row-gap:1rem}.gap-y-6{row-gap:1.5rem}.gap-y-7{row-gap:1.75rem}.gap-y-8{row-gap:2rem}.gap-y-px{row-gap:1px}.-space-x-1>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-.25rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-.25rem*var(--tw-space-x-reverse))}.-space-x-2>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-.5rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-.5rem*var(--tw-space-x-reverse))}.-space-x-3>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-.75rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-.75rem*var(--tw-space-x-reverse))}.-space-x-4>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-1rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-1rem*var(--tw-space-x-reverse))}.-space-x-5>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-1.25rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-1.25rem*var(--tw-space-x-reverse))}.-space-x-6>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-1.5rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-1.5rem*var(--tw-space-x-reverse))}.-space-x-7>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-1.75rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-1.75rem*var(--tw-space-x-reverse))}.-space-x-8>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0;margin-left:calc(-2rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(-2rem*var(--tw-space-x-reverse))}.space-y-1>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.25rem*var(--tw-space-y-reverse));margin-top:calc(.25rem*(1 - var(--tw-space-y-reverse)))}.space-y-2>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.5rem*var(--tw-space-y-reverse));margin-top:calc(.5rem*(1 - var(--tw-space-y-reverse)))}.space-y-3>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.75rem*var(--tw-space-y-reverse));margin-top:calc(.75rem*(1 - var(--tw-space-y-reverse)))}.space-y-4>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1rem*var(--tw-space-y-reverse));margin-top:calc(1rem*(1 - var(--tw-space-y-reverse)))}.space-y-6>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1.5rem*var(--tw-space-y-reverse));margin-top:calc(1.5rem*(1 - var(--tw-space-y-reverse)))}.divide-x>:not([hidden])~:not([hidden]){--tw-divide-x-reverse:0;border-left-width:calc(1px*(1 - var(--tw-divide-x-reverse)));border-right-width:calc(1px*var(--tw-divide-x-reverse))}.divide-y>:not([hidden])~:not([hidden]){--tw-divide-y-reverse:0;border-bottom-width:calc(1px*var(--tw-divide-y-reverse));border-top-width:calc(1px*(1 - var(--tw-divide-y-reverse)))}.divide-gray-100>:not([hidden])~:not([hidden]){--tw-divide-opacity:1;border-color:rgba(var(--gray-100),var(--tw-divide-opacity))}.divide-gray-200>:not([hidden])~:not([hidden]){--tw-divide-opacity:1;border-color:rgba(var(--gray-200),var(--tw-divide-opacity))}.self-start{align-self:flex-start}.self-stretch{align-self:stretch}.justify-self-start{justify-self:start}.justify-self-end{justify-self:end}.justify-self-center{justify-self:center}.overflow-auto{overflow:auto}.overflow-hidden{overflow:hidden}.overflow-x-auto{overflow-x:auto}.overflow-y-auto{overflow-y:auto}.overflow-x-hidden{overflow-x:hidden}.overflow-x-clip{overflow-x:clip}.truncate{overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.whitespace-normal{white-space:normal}.whitespace-nowrap{white-space:nowrap}.break-words{overflow-wrap:break-word}.rounded{border-radius:.25rem}.rounded-full{border-radius:9999px}.rounded-lg{border-radius:.5rem}.rounded-md{border-radius:.375rem}.rounded-xl{border-radius:.75rem}.rounded-b-xl{border-bottom-left-radius:.75rem;border-bottom-right-radius:.75rem}.rounded-t-xl{border-top-left-radius:.75rem;border-top-right-radius:.75rem}.border{border-width:1px}.border-2{border-width:2px}.border-x-\[0\.5px\]{border-left-width:.5px;border-right-width:.5px}.border-y{border-bottom-width:1px;border-top-width:1px}.\!border-t-0{border-top-width:0!important}.border-b{border-bottom-width:1px}.border-b-0{border-bottom-width:0}.border-e{border-inline-end-width:1px}.border-s{border-inline-start-width:1px}.border-t{border-top-width:1px}.\!border-none{border-style:none!important}.border-none{border-style:none}.border-gray-100{--tw-border-opacity:1;border-color:rgba(var(--gray-100),var(--tw-border-opacity))}.border-gray-200{--tw-border-opacity:1;border-color:rgba(var(--gray-200),var(--tw-border-opacity))}.border-gray-300{--tw-border-opacity:1;border-color:rgba(var(--gray-300),var(--tw-border-opacity))}.border-gray-600{--tw-border-opacity:1;border-color:rgba(var(--gray-600),var(--tw-border-opacity))}.border-primary-500{--tw-border-opacity:1;border-color:rgba(var(--primary-500),var(--tw-border-opacity))}.border-primary-600{--tw-border-opacity:1;border-color:rgba(var(--primary-600),var(--tw-border-opacity))}.border-transparent{border-color:transparent}.border-t-gray-200{--tw-border-opacity:1;border-top-color:rgba(var(--gray-200),var(--tw-border-opacity))}.\!bg-gray-50{--tw-bg-opacity:1!important;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))!important}.\!bg-gray-700{--tw-bg-opacity:1!important;background-color:rgba(var(--gray-700),var(--tw-bg-opacity))!important}.bg-black\/50{background-color:rgba(0,0,0,.5)}.bg-custom-100{--tw-bg-opacity:1;background-color:rgba(var(--c-100),var(--tw-bg-opacity))}.bg-custom-50{--tw-bg-opacity:1;background-color:rgba(var(--c-50),var(--tw-bg-opacity))}.bg-custom-600{--tw-bg-opacity:1;background-color:rgba(var(--c-600),var(--tw-bg-opacity))}.bg-gray-100{--tw-bg-opacity:1;background-color:rgba(var(--gray-100),var(--tw-bg-opacity))}.bg-gray-200{--tw-bg-opacity:1;background-color:rgba(var(--gray-200),var(--tw-bg-opacity))}.bg-gray-300{--tw-bg-opacity:1;background-color:rgba(var(--gray-300),var(--tw-bg-opacity))}.bg-gray-400{--tw-bg-opacity:1;background-color:rgba(var(--gray-400),var(--tw-bg-opacity))}.bg-gray-50{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.bg-gray-950\/50{background-color:rgba(var(--gray-950),.5)}.bg-primary-500{--tw-bg-opacity:1;background-color:rgba(var(--primary-500),var(--tw-bg-opacity))}.bg-primary-600{--tw-bg-opacity:1;background-color:rgba(var(--primary-600),var(--tw-bg-opacity))}.bg-transparent{background-color:transparent}.bg-white{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity))}.bg-white\/0{background-color:hsla(0,0%,100%,0)}.bg-white\/5{background-color:hsla(0,0%,100%,.05)}.\!bg-none{background-image:none!important}.bg-cover{background-size:cover}.bg-center{background-position:50%}.object-cover{-o-object-fit:cover;object-fit:cover}.object-center{-o-object-position:center;object-position:center}.p-0{padding:0}.p-0\.5{padding:.125rem}.p-1{padding:.25rem}.p-2{padding:.5rem}.p-3{padding:.75rem}.p-4{padding:1rem}.p-6{padding:1.5rem}.px-0\.5{padding-left:.125rem;padding-right:.125rem}.px-1{padding-left:.25rem;padding-right:.25rem}.px-1\.5{padding-left:.375rem;padding-right:.375rem}.px-2{padding-left:.5rem;padding-right:.5rem}.px-2\.5{padding-left:.625rem;padding-right:.625rem}.px-3{padding-left:.75rem;padding-right:.75rem}.px-3\.5{padding-left:.875rem;padding-right:.875rem}.px-4{padding-left:1rem;padding-right:1rem}.px-6{padding-left:1.5rem;padding-right:1.5rem}.py-0\.5{padding-bottom:.125rem;padding-top:.125rem}.py-1{padding-bottom:.25rem;padding-top:.25rem}.py-1\.5{padding-bottom:.375rem;padding-top:.375rem}.py-12{padding-bottom:3rem;padding-top:3rem}.py-2{padding-bottom:.5rem;padding-top:.5rem}.py-2\.5{padding-bottom:.625rem;padding-top:.625rem}.py-3{padding-bottom:.75rem;padding-top:.75rem}.py-3\.5{padding-bottom:.875rem;padding-top:.875rem}.py-4{padding-bottom:1rem;padding-top:1rem}.py-5{padding-bottom:1.25rem;padding-top:1.25rem}.py-6{padding-bottom:1.5rem;padding-top:1.5rem}.py-8{padding-bottom:2rem;padding-top:2rem}.pb-4{padding-bottom:1rem}.pb-6{padding-bottom:1.5rem}.pe-0{padding-inline-end:0}.pe-1{padding-inline-end:.25rem}.pe-2{padding-inline-end:.5rem}.pe-3{padding-inline-end:.75rem}.pe-4{padding-inline-end:1rem}.pe-6{padding-inline-end:1.5rem}.pe-8{padding-inline-end:2rem}.ps-0{padding-inline-start:0}.ps-1{padding-inline-start:.25rem}.ps-2{padding-inline-start:.5rem}.ps-3{padding-inline-start:.75rem}.ps-4{padding-inline-start:1rem}.ps-\[5\.25rem\]{padding-inline-start:5.25rem}.pt-0{padding-top:0}.pt-2{padding-top:.5rem}.pt-3{padding-top:.75rem}.pt-4{padding-top:1rem}.pt-6{padding-top:1.5rem}.text-left{text-align:left}.text-center{text-align:center}.text-right{text-align:right}.text-justify{text-align:justify}.text-start{text-align:start}.text-end{text-align:end}.align-top{vertical-align:top}.align-middle{vertical-align:middle}.align-bottom{vertical-align:bottom}.font-mono{font-family:ui-monospace,SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace}.font-sans{font-family:var(--font-family),ui-sans-serif,system-ui,sans-serif,"Apple Color Emoji","Segoe UI Emoji","Segoe UI Symbol","Noto Color Emoji"}.font-serif{font-family:ui-serif,Georgia,Cambria,Times New Roman,Times,serif}.text-2xl{font-size:1.5rem;line-height:2rem}.text-3xl{font-size:1.875rem;line-height:2.25rem}.text-base{font-size:1rem;line-height:1.5rem}.text-lg{font-size:1.125rem;line-height:1.75rem}.text-sm{font-size:.875rem;line-height:1.25rem}.text-xl{font-size:1.25rem;line-height:1.75rem}.text-xs{font-size:.75rem;line-height:1rem}.font-black{font-weight:900}.font-bold{font-weight:700}.font-extrabold{font-weight:800}.font-extralight{font-weight:200}.font-light{font-weight:300}.font-medium{font-weight:500}.font-normal{font-weight:400}.font-semibold{font-weight:600}.font-thin{font-weight:100}.capitalize{text-transform:capitalize}.italic{font-style:italic}.leading-5{line-height:1.25rem}.leading-6{line-height:1.5rem}.leading-loose{line-height:2}.tracking-tight{letter-spacing:-.025em}.tracking-tighter{letter-spacing:-.05em}.text-custom-400{--tw-text-opacity:1;color:rgba(var(--c-400),var(--tw-text-opacity))}.text-custom-50{--tw-text-opacity:1;color:rgba(var(--c-50),var(--tw-text-opacity))}.text-custom-500{--tw-text-opacity:1;color:rgba(var(--c-500),var(--tw-text-opacity))}.text-custom-600{--tw-text-opacity:1;color:rgba(var(--c-600),var(--tw-text-opacity))}.text-custom-700\/50{color:rgba(var(--c-700),.5)}.text-danger-600{--tw-text-opacity:1;color:rgba(var(--danger-600),var(--tw-text-opacity))}.text-gray-100{--tw-text-opacity:1;color:rgba(var(--gray-100),var(--tw-text-opacity))}.text-gray-200{--tw-text-opacity:1;color:rgba(var(--gray-200),var(--tw-text-opacity))}.text-gray-400{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.text-gray-500{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.text-gray-600{--tw-text-opacity:1;color:rgba(var(--gray-600),var(--tw-text-opacity))}.text-gray-700{--tw-text-opacity:1;color:rgba(var(--gray-700),var(--tw-text-opacity))}.text-gray-700\/50{color:rgba(var(--gray-700),.5)}.text-gray-950{--tw-text-opacity:1;color:rgba(var(--gray-950),var(--tw-text-opacity))}.text-primary-400{--tw-text-opacity:1;color:rgba(var(--primary-400),var(--tw-text-opacity))}.text-primary-500{--tw-text-opacity:1;color:rgba(var(--primary-500),var(--tw-text-opacity))}.text-primary-600{--tw-text-opacity:1;color:rgba(var(--primary-600),var(--tw-text-opacity))}.text-white{--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.underline{text-decoration-line:underline}.antialiased{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.opacity-0{opacity:0}.opacity-100{opacity:1}.opacity-50{opacity:.5}.opacity-70{opacity:.7}.shadow{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)}.shadow,.shadow-lg{box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.shadow-lg{--tw-shadow:0 10px 15px -3px rgba(0,0,0,.1),0 4px 6px -4px rgba(0,0,0,.1);--tw-shadow-colored:0 10px 15px -3px var(--tw-shadow-color),0 4px 6px -4px var(--tw-shadow-color)}.shadow-sm{--tw-shadow:0 1px 2px 0 rgba(0,0,0,.05);--tw-shadow-colored:0 1px 2px 0 var(--tw-shadow-color)}.shadow-sm,.shadow-xl{box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.shadow-xl{--tw-shadow:0 20px 25px -5px rgba(0,0,0,.1),0 8px 10px -6px rgba(0,0,0,.1);--tw-shadow-colored:0 20px 25px -5px var(--tw-shadow-color),0 8px 10px -6px var(--tw-shadow-color)}.outline-none{outline:2px solid transparent;outline-offset:2px}.ring{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring,.ring-0{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.ring-0{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring-1{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring-1,.ring-2{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.ring-2{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring-4{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(4px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.ring-inset{--tw-ring-inset:inset}.ring-custom-600{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--c-600),var(--tw-ring-opacity))}.ring-custom-600\/10{--tw-ring-color:rgba(var(--c-600),0.1)}.ring-custom-600\/20{--tw-ring-color:rgba(var(--c-600),0.2)}.ring-danger-600{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--danger-600),var(--tw-ring-opacity))}.ring-gray-200{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--gray-200),var(--tw-ring-opacity))}.ring-gray-300{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--gray-300),var(--tw-ring-opacity))}.ring-gray-600\/10{--tw-ring-color:rgba(var(--gray-600),0.1)}.ring-gray-900\/10{--tw-ring-color:rgba(var(--gray-900),0.1)}.ring-gray-950\/10{--tw-ring-color:rgba(var(--gray-950),0.1)}.ring-gray-950\/5{--tw-ring-color:rgba(var(--gray-950),0.05)}.ring-white{--tw-ring-opacity:1;--tw-ring-color:rgb(255 255 255/var(--tw-ring-opacity))}.ring-white\/10{--tw-ring-color:hsla(0,0%,100%,.1)}.blur{--tw-blur:blur(8px)}.blur,.filter{filter:var(--tw-blur) var(--tw-brightness) var(--tw-contrast) var(--tw-grayscale) var(--tw-hue-rotate) var(--tw-invert) var(--tw-saturate) var(--tw-sepia) var(--tw-drop-shadow)}.transition{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1)}.transition-all{transition-duration:.15s;transition-property:all;transition-timing-function:cubic-bezier(.4,0,.2,1)}.transition-colors{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke;transition-timing-function:cubic-bezier(.4,0,.2,1)}.transition-opacity{transition-duration:.15s;transition-property:opacity;transition-timing-function:cubic-bezier(.4,0,.2,1)}.delay-100{transition-delay:.1s}.duration-100{transition-duration:.1s}.duration-200{transition-duration:.2s}.duration-300{transition-duration:.3s}.duration-500{transition-duration:.5s}.duration-75{transition-duration:75ms}.ease-in{transition-timing-function:cubic-bezier(.4,0,1,1)}.ease-in-out{transition-timing-function:cubic-bezier(.4,0,.2,1)}.ease-out{transition-timing-function:cubic-bezier(0,0,.2,1)}.\[transform\:translateZ\(0\)\]{transform:translateZ(0)}.dark\:prose-invert:is(.dark *){--tw-prose-body:var(--tw-prose-invert-body);--tw-prose-headings:var(--tw-prose-invert-headings);--tw-prose-lead:var(--tw-prose-invert-lead);--tw-prose-links:var(--tw-prose-invert-links);--tw-prose-bold:var(--tw-prose-invert-bold);--tw-prose-counters:var(--tw-prose-invert-counters);--tw-prose-bullets:var(--tw-prose-invert-bullets);--tw-prose-hr:var(--tw-prose-invert-hr);--tw-prose-quotes:var(--tw-prose-invert-quotes);--tw-prose-quote-borders:var(--tw-prose-invert-quote-borders);--tw-prose-captions:var(--tw-prose-invert-captions);--tw-prose-kbd:var(--tw-prose-invert-kbd);--tw-prose-kbd-shadows:var(--tw-prose-invert-kbd-shadows);--tw-prose-code:var(--tw-prose-invert-code);--tw-prose-pre-code:var(--tw-prose-invert-pre-code);--tw-prose-pre-bg:var(--tw-prose-invert-pre-bg);--tw-prose-th-borders:var(--tw-prose-invert-th-borders);--tw-prose-td-borders:var(--tw-prose-invert-td-borders)}.placeholder\:text-gray-400::-moz-placeholder{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.placeholder\:text-gray-400::placeholder{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.before\:absolute:before{content:var(--tw-content);position:absolute}.before\:inset-y-0:before{bottom:0;content:var(--tw-content);top:0}.before\:start-0:before{content:var(--tw-content);inset-inline-start:0}.before\:h-full:before{content:var(--tw-content);height:100%}.before\:w-0\.5:before{content:var(--tw-content);width:.125rem}.before\:bg-primary-600:before{--tw-bg-opacity:1;background-color:rgba(var(--primary-600),var(--tw-bg-opacity));content:var(--tw-content)}.first\:border-s-0:first-child{border-inline-start-width:0}.first\:border-t-0:first-child{border-top-width:0}.last\:border-e-0:last-child{border-inline-end-width:0}.first-of-type\:ps-1:first-of-type{padding-inline-start:.25rem}.last-of-type\:pe-1:last-of-type{padding-inline-end:.25rem}.checked\:ring-0:checked{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus-within\:bg-gray-50:focus-within{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.hover\:bg-custom-400\/10:hover{background-color:rgba(var(--c-400),.1)}.hover\:bg-custom-50:hover{--tw-bg-opacity:1;background-color:rgba(var(--c-50),var(--tw-bg-opacity))}.hover\:bg-custom-500:hover{--tw-bg-opacity:1;background-color:rgba(var(--c-500),var(--tw-bg-opacity))}.hover\:bg-gray-100:hover{--tw-bg-opacity:1;background-color:rgba(var(--gray-100),var(--tw-bg-opacity))}.hover\:bg-gray-400\/10:hover{background-color:rgba(var(--gray-400),.1)}.hover\:bg-gray-50:hover{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.hover\:text-custom-600:hover{--tw-text-opacity:1;color:rgba(var(--c-600),var(--tw-text-opacity))}.hover\:text-custom-700\/75:hover{color:rgba(var(--c-700),.75)}.hover\:text-gray-500:hover{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.hover\:text-gray-700:hover{--tw-text-opacity:1;color:rgba(var(--gray-700),var(--tw-text-opacity))}.hover\:text-gray-700\/75:hover{color:rgba(var(--gray-700),.75)}.hover\:opacity-100:hover{opacity:1}.focus\:ring-0:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(var(--tw-ring-offset-width)) var(--tw-ring-color)}.focus\:ring-0:focus,.focus\:ring-2:focus{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus\:ring-2:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.focus\:ring-danger-600:focus{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--danger-600),var(--tw-ring-opacity))}.focus\:ring-primary-600:focus{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-600),var(--tw-ring-opacity))}.focus\:ring-offset-0:focus{--tw-ring-offset-width:0px}.checked\:focus\:ring-danger-500\/50:focus:checked{--tw-ring-color:rgba(var(--danger-500),0.5)}.checked\:focus\:ring-primary-500\/50:focus:checked{--tw-ring-color:rgba(var(--primary-500),0.5)}.focus-visible\:z-10:focus-visible{z-index:10}.focus-visible\:border-primary-500:focus-visible{--tw-border-opacity:1;border-color:rgba(var(--primary-500),var(--tw-border-opacity))}.focus-visible\:bg-custom-50:focus-visible{--tw-bg-opacity:1;background-color:rgba(var(--c-50),var(--tw-bg-opacity))}.focus-visible\:bg-gray-100:focus-visible{--tw-bg-opacity:1;background-color:rgba(var(--gray-100),var(--tw-bg-opacity))}.focus-visible\:bg-gray-50:focus-visible{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.focus-visible\:text-custom-700\/75:focus-visible{color:rgba(var(--c-700),.75)}.focus-visible\:text-gray-500:focus-visible{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.focus-visible\:text-gray-700\/75:focus-visible{color:rgba(var(--gray-700),.75)}.focus-visible\:outline-none:focus-visible{outline:2px solid transparent;outline-offset:2px}.focus-visible\:ring-1:focus-visible{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus-visible\:ring-2:focus-visible{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus-visible\:ring-inset:focus-visible{--tw-ring-inset:inset}.focus-visible\:ring-custom-500\/50:focus-visible{--tw-ring-color:rgba(var(--c-500),0.5)}.focus-visible\:ring-custom-600:focus-visible{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--c-600),var(--tw-ring-opacity))}.focus-visible\:ring-gray-400\/40:focus-visible{--tw-ring-color:rgba(var(--gray-400),0.4)}.focus-visible\:ring-primary-500:focus-visible{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-500),var(--tw-ring-opacity))}.focus-visible\:ring-primary-600:focus-visible{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-600),var(--tw-ring-opacity))}.enabled\:cursor-wait:enabled{cursor:wait}.enabled\:opacity-70:enabled{opacity:.7}.disabled\:pointer-events-none:disabled{pointer-events:none}.disabled\:bg-gray-50:disabled{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.disabled\:text-gray-50:disabled{--tw-text-opacity:1;color:rgba(var(--gray-50),var(--tw-text-opacity))}.disabled\:text-gray-500:disabled{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.disabled\:opacity-70:disabled{opacity:.7}.disabled\:\[-webkit-text-fill-color\:theme\(colors\.gray\.500\)\]:disabled{-webkit-text-fill-color:rgba(var(--gray-500),1)}.disabled\:placeholder\:\[-webkit-text-fill-color\:theme\(colors\.gray\.400\)\]:disabled::-moz-placeholder{-webkit-text-fill-color:rgba(var(--gray-400),1)}.disabled\:placeholder\:\[-webkit-text-fill-color\:theme\(colors\.gray\.400\)\]:disabled::placeholder{-webkit-text-fill-color:rgba(var(--gray-400),1)}.disabled\:checked\:bg-current:checked:disabled{background-color:currentColor}.disabled\:checked\:text-gray-400:checked:disabled{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.group\/item:first-child .group-first\/item\:rounded-s-lg{border-end-start-radius:.5rem;border-start-start-radius:.5rem}.group\/item:last-child .group-last\/item\:rounded-e-lg{border-end-end-radius:.5rem;border-start-end-radius:.5rem}.group:hover .group-hover\:text-gray-500,.group\/button:hover .group-hover\/button\:text-gray-500{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.group:hover .group-hover\:text-gray-700{--tw-text-opacity:1;color:rgba(var(--gray-700),var(--tw-text-opacity))}.group\/item:hover .group-hover\/item\:underline,.group\/link:hover .group-hover\/link\:underline{text-decoration-line:underline}.group:focus-visible .group-focus-visible\:text-gray-500{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.group:focus-visible .group-focus-visible\:text-gray-700{--tw-text-opacity:1;color:rgba(var(--gray-700),var(--tw-text-opacity))}.group\/item:focus-visible .group-focus-visible\/item\:underline{text-decoration-line:underline}.group\/link:focus-visible .group-focus-visible\/link\:underline{text-decoration-line:underline}.dark\:flex:is(.dark *){display:flex}.dark\:hidden:is(.dark *){display:none}.dark\:divide-white\/10:is(.dark *)>:not([hidden])~:not([hidden]){border-color:hsla(0,0%,100%,.1)}.dark\:divide-white\/5:is(.dark *)>:not([hidden])~:not([hidden]){border-color:hsla(0,0%,100%,.05)}.dark\:border-gray-600:is(.dark *){--tw-border-opacity:1;border-color:rgba(var(--gray-600),var(--tw-border-opacity))}.dark\:border-gray-700:is(.dark *){--tw-border-opacity:1;border-color:rgba(var(--gray-700),var(--tw-border-opacity))}.dark\:border-primary-500:is(.dark *){--tw-border-opacity:1;border-color:rgba(var(--primary-500),var(--tw-border-opacity))}.dark\:border-white\/10:is(.dark *){border-color:hsla(0,0%,100%,.1)}.dark\:border-white\/5:is(.dark *){border-color:hsla(0,0%,100%,.05)}.dark\:border-t-white\/10:is(.dark *){border-top-color:hsla(0,0%,100%,.1)}.dark\:\!bg-gray-700:is(.dark *){--tw-bg-opacity:1!important;background-color:rgba(var(--gray-700),var(--tw-bg-opacity))!important}.dark\:bg-custom-400\/10:is(.dark *){background-color:rgba(var(--c-400),.1)}.dark\:bg-custom-500:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--c-500),var(--tw-bg-opacity))}.dark\:bg-custom-500\/20:is(.dark *){background-color:rgba(var(--c-500),.2)}.dark\:bg-gray-400\/10:is(.dark *){background-color:rgba(var(--gray-400),.1)}.dark\:bg-gray-500:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-500),var(--tw-bg-opacity))}.dark\:bg-gray-500\/20:is(.dark *){background-color:rgba(var(--gray-500),.2)}.dark\:bg-gray-600:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-600),var(--tw-bg-opacity))}.dark\:bg-gray-700:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-700),var(--tw-bg-opacity))}.dark\:bg-gray-800:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-800),var(--tw-bg-opacity))}.dark\:bg-gray-900:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-900),var(--tw-bg-opacity))}.dark\:bg-gray-900\/30:is(.dark *){background-color:rgba(var(--gray-900),.3)}.dark\:bg-gray-950:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-950),var(--tw-bg-opacity))}.dark\:bg-gray-950\/75:is(.dark *){background-color:rgba(var(--gray-950),.75)}.dark\:bg-primary-400:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--primary-400),var(--tw-bg-opacity))}.dark\:bg-primary-500:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--primary-500),var(--tw-bg-opacity))}.dark\:bg-transparent:is(.dark *){background-color:transparent}.dark\:bg-white\/10:is(.dark *){background-color:hsla(0,0%,100%,.1)}.dark\:bg-white\/5:is(.dark *){background-color:hsla(0,0%,100%,.05)}.dark\:text-custom-300\/50:is(.dark *){color:rgba(var(--c-300),.5)}.dark\:text-custom-400:is(.dark *){--tw-text-opacity:1;color:rgba(var(--c-400),var(--tw-text-opacity))}.dark\:text-custom-400\/10:is(.dark *){color:rgba(var(--c-400),.1)}.dark\:text-danger-400:is(.dark *){--tw-text-opacity:1;color:rgba(var(--danger-400),var(--tw-text-opacity))}.dark\:text-danger-500:is(.dark *){--tw-text-opacity:1;color:rgba(var(--danger-500),var(--tw-text-opacity))}.dark\:text-gray-200:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-200),var(--tw-text-opacity))}.dark\:text-gray-300\/50:is(.dark *){color:rgba(var(--gray-300),.5)}.dark\:text-gray-400:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.dark\:text-gray-500:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.dark\:text-gray-700:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-700),var(--tw-text-opacity))}.dark\:text-gray-800:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-800),var(--tw-text-opacity))}.dark\:text-primary-400:is(.dark *){--tw-text-opacity:1;color:rgba(var(--primary-400),var(--tw-text-opacity))}.dark\:text-primary-500:is(.dark *){--tw-text-opacity:1;color:rgba(var(--primary-500),var(--tw-text-opacity))}.dark\:text-white:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.dark\:text-white\/5:is(.dark *){color:hsla(0,0%,100%,.05)}.dark\:ring-custom-400\/30:is(.dark *){--tw-ring-color:rgba(var(--c-400),0.3)}.dark\:ring-custom-500:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--c-500),var(--tw-ring-opacity))}.dark\:ring-danger-500:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--danger-500),var(--tw-ring-opacity))}.dark\:ring-gray-400\/20:is(.dark *){--tw-ring-color:rgba(var(--gray-400),0.2)}.dark\:ring-gray-50\/10:is(.dark *){--tw-ring-color:rgba(var(--gray-50),0.1)}.dark\:ring-gray-700:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--gray-700),var(--tw-ring-opacity))}.dark\:ring-gray-900:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--gray-900),var(--tw-ring-opacity))}.dark\:ring-white\/10:is(.dark *){--tw-ring-color:hsla(0,0%,100%,.1)}.dark\:ring-white\/20:is(.dark *){--tw-ring-color:hsla(0,0%,100%,.2)}.dark\:placeholder\:text-gray-500:is(.dark *)::-moz-placeholder{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.dark\:placeholder\:text-gray-500:is(.dark *)::placeholder{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.dark\:before\:bg-primary-500:is(.dark *):before{--tw-bg-opacity:1;background-color:rgba(var(--primary-500),var(--tw-bg-opacity));content:var(--tw-content)}.dark\:checked\:bg-danger-500:checked:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--danger-500),var(--tw-bg-opacity))}.dark\:checked\:bg-primary-500:checked:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--primary-500),var(--tw-bg-opacity))}.dark\:focus-within\:bg-white\/5:focus-within:is(.dark *){background-color:hsla(0,0%,100%,.05)}.dark\:hover\:bg-custom-400:hover:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--c-400),var(--tw-bg-opacity))}.dark\:hover\:bg-custom-400\/10:hover:is(.dark *){background-color:rgba(var(--c-400),.1)}.dark\:hover\:bg-white\/10:hover:is(.dark *){background-color:hsla(0,0%,100%,.1)}.dark\:hover\:bg-white\/5:hover:is(.dark *){background-color:hsla(0,0%,100%,.05)}.dark\:hover\:text-custom-300:hover:is(.dark *){--tw-text-opacity:1;color:rgba(var(--c-300),var(--tw-text-opacity))}.dark\:hover\:text-custom-300\/75:hover:is(.dark *){color:rgba(var(--c-300),.75)}.dark\:hover\:text-gray-200:hover:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-200),var(--tw-text-opacity))}.dark\:hover\:text-gray-300\/75:hover:is(.dark *){color:rgba(var(--gray-300),.75)}.dark\:hover\:text-gray-400:hover:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.dark\:hover\:ring-white\/20:hover:is(.dark *){--tw-ring-color:hsla(0,0%,100%,.2)}.dark\:focus\:ring-danger-500:focus:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--danger-500),var(--tw-ring-opacity))}.dark\:focus\:ring-primary-500:focus:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-500),var(--tw-ring-opacity))}.dark\:checked\:focus\:ring-danger-400\/50:focus:checked:is(.dark *){--tw-ring-color:rgba(var(--danger-400),0.5)}.dark\:checked\:focus\:ring-primary-400\/50:focus:checked:is(.dark *){--tw-ring-color:rgba(var(--primary-400),0.5)}.dark\:focus-visible\:border-primary-500:focus-visible:is(.dark *){--tw-border-opacity:1;border-color:rgba(var(--primary-500),var(--tw-border-opacity))}.dark\:focus-visible\:bg-custom-400\/10:focus-visible:is(.dark *){background-color:rgba(var(--c-400),.1)}.dark\:focus-visible\:bg-white\/5:focus-visible:is(.dark *){background-color:hsla(0,0%,100%,.05)}.dark\:focus-visible\:text-custom-300\/75:focus-visible:is(.dark *){color:rgba(var(--c-300),.75)}.dark\:focus-visible\:text-gray-300\/75:focus-visible:is(.dark *){color:rgba(var(--gray-300),.75)}.dark\:focus-visible\:text-gray-400:focus-visible:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.dark\:focus-visible\:ring-custom-400\/50:focus-visible:is(.dark *){--tw-ring-color:rgba(var(--c-400),0.5)}.dark\:focus-visible\:ring-custom-500:focus-visible:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--c-500),var(--tw-ring-opacity))}.dark\:focus-visible\:ring-primary-500:focus-visible:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-500),var(--tw-ring-opacity))}.dark\:disabled\:bg-transparent:disabled:is(.dark *){background-color:transparent}.dark\:disabled\:text-gray-400:disabled:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.dark\:disabled\:ring-white\/10:disabled:is(.dark *){--tw-ring-color:hsla(0,0%,100%,.1)}.dark\:disabled\:\[-webkit-text-fill-color\:theme\(colors\.gray\.400\)\]:disabled:is(.dark *){-webkit-text-fill-color:rgba(var(--gray-400),1)}.dark\:disabled\:placeholder\:\[-webkit-text-fill-color\:theme\(colors\.gray\.500\)\]:disabled:is(.dark *)::-moz-placeholder{-webkit-text-fill-color:rgba(var(--gray-500),1)}.dark\:disabled\:placeholder\:\[-webkit-text-fill-color\:theme\(colors\.gray\.500\)\]:disabled:is(.dark *)::placeholder{-webkit-text-fill-color:rgba(var(--gray-500),1)}.dark\:disabled\:checked\:bg-gray-600:checked:disabled:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-600),var(--tw-bg-opacity))}.group\/button:hover .dark\:group-hover\/button\:text-gray-400:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.group:hover .dark\:group-hover\:text-gray-200:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-200),var(--tw-text-opacity))}.group:hover .dark\:group-hover\:text-gray-400:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.group:focus-visible .dark\:group-focus-visible\:text-gray-200:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-200),var(--tw-text-opacity))}.group:focus-visible .dark\:group-focus-visible\:text-gray-400:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}@media (min-width:640px){.sm\:relative{position:relative}.sm\:inset-x-auto{left:auto;right:auto}.sm\:end-0{inset-inline-end:0}.sm\:col-\[--col-span-sm\]{grid-column:var(--col-span-sm)}.sm\:col-span-2{grid-column:span 2/span 2}.sm\:col-start-\[--col-start-sm\]{grid-column-start:var(--col-start-sm)}.sm\:-mx-6{margin-left:-1.5rem;margin-right:-1.5rem}.sm\:-my-2{margin-bottom:-.5rem;margin-top:-.5rem}.sm\:ms-auto{margin-inline-start:auto}.sm\:mt-7{margin-top:1.75rem}.sm\:block{display:block}.sm\:flex{display:flex}.sm\:table-cell{display:table-cell}.sm\:grid{display:grid}.sm\:inline-grid{display:inline-grid}.sm\:hidden{display:none}.sm\:w-\[calc\(100\%\+3rem\)\]{width:calc(100% + 3rem)}.sm\:w-screen{width:100vw}.sm\:max-w-sm{max-width:24rem}.sm\:columns-\[--cols-sm\]{-moz-columns:var(--cols-sm);columns:var(--cols-sm)}.sm\:grid-cols-3{grid-template-columns:repeat(3,minmax(0,1fr))}.sm\:grid-cols-\[--cols-sm\]{grid-template-columns:var(--cols-sm)}.sm\:grid-cols-\[repeat\(auto-fit\2c minmax\(0\2c 1fr\)\)\]{grid-template-columns:repeat(auto-fit,minmax(0,1fr))}.sm\:grid-rows-\[1fr_auto_3fr\]{grid-template-rows:1fr auto 3fr}.sm\:flex-row{flex-direction:row}.sm\:flex-nowrap{flex-wrap:nowrap}.sm\:items-start{align-items:flex-start}.sm\:items-end{align-items:flex-end}.sm\:items-center{align-items:center}.sm\:justify-between{justify-content:space-between}.sm\:gap-1{gap:.25rem}.sm\:gap-3{gap:.75rem}.sm\:gap-x-4{-moz-column-gap:1rem;column-gap:1rem}.sm\:rounded-xl{border-radius:.75rem}.sm\:p-10{padding:2.5rem}.sm\:px-12{padding-left:3rem;padding-right:3rem}.sm\:px-6{padding-left:1.5rem;padding-right:1.5rem}.sm\:py-1\.5{padding-bottom:.375rem;padding-top:.375rem}.sm\:pe-3{padding-inline-end:.75rem}.sm\:pe-6{padding-inline-end:1.5rem}.sm\:ps-3{padding-inline-start:.75rem}.sm\:ps-6{padding-inline-start:1.5rem}.sm\:pt-1\.5{padding-top:.375rem}.sm\:text-3xl{font-size:1.875rem;line-height:2.25rem}.sm\:text-sm{font-size:.875rem;line-height:1.25rem}.sm\:leading-6{line-height:1.5rem}.sm\:first-of-type\:ps-3:first-of-type{padding-inline-start:.75rem}.sm\:first-of-type\:ps-6:first-of-type{padding-inline-start:1.5rem}.sm\:last-of-type\:pe-3:last-of-type{padding-inline-end:.75rem}.sm\:last-of-type\:pe-6:last-of-type{padding-inline-end:1.5rem}}@media (min-width:768px){.md\:bottom-4{bottom:1rem}.md\:order-first{order:-9999}.md\:col-\[--col-span-md\]{grid-column:var(--col-span-md)}.md\:col-span-2{grid-column:span 2/span 2}.md\:col-start-\[--col-start-md\]{grid-column-start:var(--col-start-md)}.md\:block{display:block}.md\:flex{display:flex}.md\:table-cell{display:table-cell}.md\:inline-grid{display:inline-grid}.md\:hidden{display:none}.md\:w-max{width:-moz-max-content;width:max-content}.md\:max-w-60{max-width:15rem}.md\:columns-\[--cols-md\]{-moz-columns:var(--cols-md);columns:var(--cols-md)}.md\:grid-flow-col{grid-auto-flow:column}.md\:grid-cols-1{grid-template-columns:repeat(1,minmax(0,1fr))}.md\:grid-cols-2{grid-template-columns:repeat(2,minmax(0,1fr))}.md\:grid-cols-3{grid-template-columns:repeat(3,minmax(0,1fr))}.md\:grid-cols-\[--cols-md\]{grid-template-columns:var(--cols-md)}.md\:flex-row{flex-direction:row}.md\:items-start{align-items:flex-start}.md\:items-end{align-items:flex-end}.md\:items-center{align-items:center}.md\:justify-end{justify-content:flex-end}.md\:gap-1{gap:.25rem}.md\:gap-3{gap:.75rem}.md\:divide-y-0>:not([hidden])~:not([hidden]){--tw-divide-y-reverse:0;border-bottom-width:calc(0px*var(--tw-divide-y-reverse));border-top-width:calc(0px*(1 - var(--tw-divide-y-reverse)))}.md\:overflow-x-auto{overflow-x:auto}.md\:rounded-xl{border-radius:.75rem}.md\:p-20{padding:5rem}.md\:px-6{padding-left:1.5rem;padding-right:1.5rem}.md\:pe-6{padding-inline-end:1.5rem}.md\:ps-3{padding-inline-start:.75rem}}@media (min-width:1024px){.lg\:sticky{position:sticky}.lg\:z-0{z-index:0}.lg\:col-\[--col-span-lg\]{grid-column:var(--col-span-lg)}.lg\:col-start-\[--col-start-lg\]{grid-column-start:var(--col-start-lg)}.lg\:block{display:block}.lg\:flex{display:flex}.lg\:table-cell{display:table-cell}.lg\:inline-grid{display:inline-grid}.lg\:hidden{display:none}.lg\:h-full{height:100%}.lg\:max-w-xs{max-width:20rem}.lg\:-translate-x-full{--tw-translate-x:-100%}.lg\:-translate-x-full,.lg\:translate-x-0{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.lg\:translate-x-0{--tw-translate-x:0px}.lg\:columns-\[--cols-lg\]{-moz-columns:var(--cols-lg);columns:var(--cols-lg)}.lg\:grid-cols-\[--cols-lg\]{grid-template-columns:var(--cols-lg)}.lg\:flex-row{flex-direction:row}.lg\:items-start{align-items:flex-start}.lg\:items-end{align-items:flex-end}.lg\:items-center{align-items:center}.lg\:gap-1{gap:.25rem}.lg\:gap-3{gap:.75rem}.lg\:bg-transparent{background-color:transparent}.lg\:px-8{padding-left:2rem;padding-right:2rem}.lg\:pe-8{padding-inline-end:2rem}.lg\:shadow-none{--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000}.lg\:shadow-none,.lg\:shadow-sm{box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.lg\:shadow-sm{--tw-shadow:0 1px 2px 0 rgba(0,0,0,.05);--tw-shadow-colored:0 1px 2px 0 var(--tw-shadow-color)}.lg\:ring-0{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.lg\:transition{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1)}.lg\:transition-none{transition-property:none}.lg\:delay-100{transition-delay:.1s}.dark\:lg\:bg-transparent:is(.dark *){background-color:transparent}}@media (min-width:1280px){.xl\:col-\[--col-span-xl\]{grid-column:var(--col-span-xl)}.xl\:col-start-\[--col-start-xl\]{grid-column-start:var(--col-start-xl)}.xl\:block{display:block}.xl\:table-cell{display:table-cell}.xl\:inline-grid{display:inline-grid}.xl\:hidden{display:none}.xl\:columns-\[--cols-xl\]{-moz-columns:var(--cols-xl);columns:var(--cols-xl)}.xl\:grid-cols-4{grid-template-columns:repeat(4,minmax(0,1fr))}.xl\:grid-cols-\[--cols-xl\]{grid-template-columns:var(--cols-xl)}.xl\:flex-row{flex-direction:row}.xl\:items-start{align-items:flex-start}.xl\:items-end{align-items:flex-end}.xl\:items-center{align-items:center}.xl\:gap-1{gap:.25rem}.xl\:gap-3{gap:.75rem}}@media (min-width:1536px){.\32xl\:col-\[--col-span-2xl\]{grid-column:var(--col-span-2xl)}.\32xl\:col-start-\[--col-start-2xl\]{grid-column-start:var(--col-start-2xl)}.\32xl\:block{display:block}.\32xl\:table-cell{display:table-cell}.\32xl\:inline-grid{display:inline-grid}.\32xl\:hidden{display:none}.\32xl\:columns-\[--cols-2xl\]{-moz-columns:var(--cols-2xl);columns:var(--cols-2xl)}.\32xl\:grid-cols-\[--cols-2xl\]{grid-template-columns:var(--cols-2xl)}.\32xl\:flex-row{flex-direction:row}.\32xl\:items-start{align-items:flex-start}.\32xl\:items-end{align-items:flex-end}.\32xl\:items-center{align-items:center}.\32xl\:gap-1{gap:.25rem}.\32xl\:gap-3{gap:.75rem}}.ltr\:hidden:where([dir=ltr],[dir=ltr] *){display:none}.rtl\:hidden:where([dir=rtl],[dir=rtl] *){display:none}.rtl\:-translate-x-0:where([dir=rtl],[dir=rtl] *){--tw-translate-x:-0px;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:-translate-x-5:where([dir=rtl],[dir=rtl] *){--tw-translate-x:-1.25rem;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:-translate-x-full:where([dir=rtl],[dir=rtl] *){--tw-translate-x:-100%;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:translate-x-1\/2:where([dir=rtl],[dir=rtl] *){--tw-translate-x:50%;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:translate-x-1\/4:where([dir=rtl],[dir=rtl] *){--tw-translate-x:25%;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:translate-x-full:where([dir=rtl],[dir=rtl] *){--tw-translate-x:100%;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:rotate-180:where([dir=rtl],[dir=rtl] *){--tw-rotate:180deg;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:flex-row-reverse:where([dir=rtl],[dir=rtl] *){flex-direction:row-reverse}.rtl\:divide-x-reverse:where([dir=rtl],[dir=rtl] *)>:not([hidden])~:not([hidden]){--tw-divide-x-reverse:1}@media (min-width:1024px){.rtl\:lg\:-translate-x-0:where([dir=rtl],[dir=rtl] *){--tw-translate-x:-0px;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:lg\:translate-x-full:where([dir=rtl],[dir=rtl] *){--tw-translate-x:100%;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}}.\[\&\.trix-active\]\:bg-gray-50.trix-active{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.\[\&\.trix-active\]\:text-primary-600.trix-active{--tw-text-opacity:1;color:rgba(var(--primary-600),var(--tw-text-opacity))}.dark\:\[\&\.trix-active\]\:bg-white\/5.trix-active:is(.dark *){background-color:hsla(0,0%,100%,.05)}.dark\:\[\&\.trix-active\]\:text-primary-400.trix-active:is(.dark *){--tw-text-opacity:1;color:rgba(var(--primary-400),var(--tw-text-opacity))}.\[\&\:\:-ms-reveal\]\:hidden::-ms-reveal{display:none}.\[\&\:not\(\:first-of-type\)\]\:border-s:not(:first-of-type){border-inline-start-width:1px}.\[\&\:not\(\:has\(\.fi-ac-action\:focus\)\)\]\:focus-within\:ring-2:focus-within:not(:has(.fi-ac-action:focus)){--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.\[\&\:not\(\:has\(\.fi-ac-action\:focus\)\)\]\:focus-within\:ring-danger-600:focus-within:not(:has(.fi-ac-action:focus)){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--danger-600),var(--tw-ring-opacity))}.\[\&\:not\(\:has\(\.fi-ac-action\:focus\)\)\]\:focus-within\:ring-primary-600:focus-within:not(:has(.fi-ac-action:focus)){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-600),var(--tw-ring-opacity))}.dark\:\[\&\:not\(\:has\(\.fi-ac-action\:focus\)\)\]\:focus-within\:ring-danger-500:focus-within:not(:has(.fi-ac-action:focus)):is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--danger-500),var(--tw-ring-opacity))}.dark\:\[\&\:not\(\:has\(\.fi-ac-action\:focus\)\)\]\:focus-within\:ring-primary-500:focus-within:not(:has(.fi-ac-action:focus)):is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-500),var(--tw-ring-opacity))}.\[\&\:not\(\:last-of-type\)\]\:border-e:not(:last-of-type){border-inline-end-width:1px}.\[\&\:not\(\:nth-child\(1_of_\.fi-btn\)\)\]\:shadow-\[-1px_0_0_0_theme\(colors\.gray\.200\)\]:not(:nth-child(1 of .fi-btn)){--tw-shadow:-1px 0 0 0 rgba(var(--gray-200),1);--tw-shadow-colored:-1px 0 0 0 var(--tw-shadow-color);box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.dark\:\[\&\:not\(\:nth-child\(1_of_\.fi-btn\)\)\]\:shadow-\[-1px_0_0_0_theme\(colors\.white\/20\%\)\]:not(:nth-child(1 of .fi-btn)):is(.dark *){--tw-shadow:-1px 0 0 0 hsla(0,0%,100%,.2);--tw-shadow-colored:-1px 0 0 0 var(--tw-shadow-color);box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.\[\&\:not\(\:nth-last-child\(1_of_\.fi-btn\)\)\]\:me-px:not(:nth-last-child(1 of .fi-btn)){margin-inline-end:1px}.\[\&\:nth-child\(1_of_\.fi-btn\)\]\:rounded-s-lg:nth-child(1 of .fi-btn){border-end-start-radius:.5rem;border-start-start-radius:.5rem}.\[\&\:nth-last-child\(1_of_\.fi-btn\)\]\:rounded-e-lg:nth-last-child(1 of .fi-btn){border-end-end-radius:.5rem;border-start-end-radius:.5rem}.\[\&\>\*\:first-child\]\:relative>:first-child{position:relative}.\[\&\>\*\:first-child\]\:mt-0>:first-child{margin-top:0}.\[\&\>\*\:first-child\]\:before\:absolute>:first-child:before{content:var(--tw-content);position:absolute}.\[\&\>\*\:first-child\]\:before\:inset-y-0>:first-child:before{bottom:0;content:var(--tw-content);top:0}.\[\&\>\*\:first-child\]\:before\:start-0>:first-child:before{content:var(--tw-content);inset-inline-start:0}.\[\&\>\*\:first-child\]\:before\:w-0\.5>:first-child:before{content:var(--tw-content);width:.125rem}.\[\&\>\*\:first-child\]\:before\:bg-primary-600>:first-child:before{--tw-bg-opacity:1;background-color:rgba(var(--primary-600),var(--tw-bg-opacity));content:var(--tw-content)}.\[\&\>\*\:first-child\]\:dark\:before\:bg-primary-500:is(.dark *)>:first-child:before{--tw-bg-opacity:1;background-color:rgba(var(--primary-500),var(--tw-bg-opacity));content:var(--tw-content)}.\[\&\>\*\:last-child\]\:mb-0>:last-child{margin-bottom:0}.\[\&_\.choices\\_\\_inner\]\:ps-0 .choices__inner{padding-inline-start:0}.\[\&_\.fi-badge-delete-button\]\:hidden .fi-badge-delete-button{display:none}.\[\&_\.filepond--root\]\:font-sans .filepond--root{font-family:var(--font-family),ui-sans-serif,system-ui,sans-serif,"Apple Color Emoji","Segoe UI Emoji","Segoe UI Symbol","Noto Color Emoji"}.\[\&_optgroup\]\:bg-white optgroup{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity))}.\[\&_optgroup\]\:dark\:bg-gray-900:is(.dark *) optgroup{--tw-bg-opacity:1;background-color:rgba(var(--gray-900),var(--tw-bg-opacity))}.\[\&_option\]\:bg-white option{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity))}.\[\&_option\]\:dark\:bg-gray-900:is(.dark *) option{--tw-bg-opacity:1;background-color:rgba(var(--gray-900),var(--tw-bg-opacity))}:checked+*>.\[\:checked\+\*\>\&\]\:text-white{--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}@media(hover:hover){.\[\@media\(hover\:hover\)\]\:transition{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1)}.\[\@media\(hover\:hover\)\]\:duration-75{transition-duration:75ms}}input:checked+.\[input\:checked\+\&\]\:bg-custom-600{--tw-bg-opacity:1;background-color:rgba(var(--c-600),var(--tw-bg-opacity))}input:checked+.\[input\:checked\+\&\]\:bg-gray-400{--tw-bg-opacity:1;background-color:rgba(var(--gray-400),var(--tw-bg-opacity))}input:checked+.\[input\:checked\+\&\]\:text-white{--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}input:checked+.\[input\:checked\+\&\]\:ring-0{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}input:checked+.\[input\:checked\+\&\]\:hover\:bg-custom-500:hover{--tw-bg-opacity:1;background-color:rgba(var(--c-500),var(--tw-bg-opacity))}input:checked+.\[input\:checked\+\&\]\:hover\:bg-gray-300:hover{--tw-bg-opacity:1;background-color:rgba(var(--gray-300),var(--tw-bg-opacity))}input:checked+.dark\:\[input\:checked\+\&\]\:bg-custom-500:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--c-500),var(--tw-bg-opacity))}input:checked+.dark\:\[input\:checked\+\&\]\:bg-gray-600:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-600),var(--tw-bg-opacity))}input:checked+.dark\:\[input\:checked\+\&\]\:hover\:bg-custom-400:hover:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--c-400),var(--tw-bg-opacity))}input:checked+.dark\:\[input\:checked\+\&\]\:hover\:bg-gray-500:hover:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-500),var(--tw-bg-opacity))}input:checked:focus-visible+.\[input\:checked\:focus-visible\+\&\]\:ring-custom-500\/50{--tw-ring-color:rgba(var(--c-500),0.5)}input:checked:focus-visible+.dark\:\[input\:checked\:focus-visible\+\&\]\:ring-custom-400\/50:is(.dark *){--tw-ring-color:rgba(var(--c-400),0.5)}input:focus-visible+.\[input\:focus-visible\+\&\]\:z-10{z-index:10}input:focus-visible+.\[input\:focus-visible\+\&\]\:ring-2{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}input:focus-visible+.\[input\:focus-visible\+\&\]\:ring-gray-950\/10{--tw-ring-color:rgba(var(--gray-950),0.1)}input:focus-visible+.dark\:\[input\:focus-visible\+\&\]\:ring-white\/20:is(.dark *){--tw-ring-color:hsla(0,0%,100%,.2)} \ No newline at end of file diff --git a/public/css/filament/forms/forms.css b/public/css/filament/forms/forms.css new file mode 100644 index 0000000..642acfd --- /dev/null +++ b/public/css/filament/forms/forms.css @@ -0,0 +1,49 @@ +input::-webkit-datetime-edit{display:block;padding:0}.cropper-container{-webkit-touch-callout:none;direction:ltr;font-size:0;line-height:0;position:relative;touch-action:none;-webkit-user-select:none;-moz-user-select:none;user-select:none}.cropper-container img{backface-visibility:hidden;display:block;height:100%;image-orientation:0deg;max-height:none!important;max-width:none!important;min-height:0!important;min-width:0!important;width:100%}.cropper-canvas,.cropper-crop-box,.cropper-drag-box,.cropper-modal,.cropper-wrap-box{inset:0;position:absolute}.cropper-canvas,.cropper-wrap-box{overflow:hidden}.cropper-drag-box{background-color:#fff;opacity:0}.cropper-modal{background-color:#000;opacity:.5}.cropper-view-box{display:block;height:100%;outline:1px solid #39f;outline-color:#3399ffbf;overflow:hidden;width:100%}.cropper-dashed{border:0 dashed #eee;display:block;opacity:.5;position:absolute}.cropper-dashed.dashed-h{border-bottom-width:1px;border-top-width:1px;height:33.33333%;left:0;top:33.33333%;width:100%}.cropper-dashed.dashed-v{border-left-width:1px;border-right-width:1px;height:100%;left:33.33333%;top:0;width:33.33333%}.cropper-center{display:block;height:0;left:50%;opacity:.75;position:absolute;top:50%;width:0}.cropper-center:after,.cropper-center:before{background-color:#eee;content:" ";display:block;position:absolute}.cropper-center:before{height:1px;left:-3px;top:0;width:7px}.cropper-center:after{height:7px;left:0;top:-3px;width:1px}.cropper-face,.cropper-line,.cropper-point{display:block;height:100%;opacity:.1;position:absolute;width:100%}.cropper-face{background-color:#fff;left:0;top:0}.cropper-line{background-color:#39f}.cropper-line.line-e{cursor:ew-resize;right:-3px;top:0;width:5px}.cropper-line.line-n{cursor:ns-resize;height:5px;left:0;top:-3px}.cropper-line.line-w{cursor:ew-resize;left:-3px;top:0;width:5px}.cropper-line.line-s{bottom:-3px;cursor:ns-resize;height:5px;left:0}.cropper-point{background-color:#39f;height:5px;opacity:.75;width:5px}.cropper-point.point-e{cursor:ew-resize;margin-top:-3px;right:-3px;top:50%}.cropper-point.point-n{cursor:ns-resize;left:50%;margin-left:-3px;top:-3px}.cropper-point.point-w{cursor:ew-resize;left:-3px;margin-top:-3px;top:50%}.cropper-point.point-s{bottom:-3px;cursor:s-resize;left:50%;margin-left:-3px}.cropper-point.point-ne{cursor:nesw-resize;right:-3px;top:-3px}.cropper-point.point-nw{cursor:nwse-resize;left:-3px;top:-3px}.cropper-point.point-sw{bottom:-3px;cursor:nesw-resize;left:-3px}.cropper-point.point-se{bottom:-3px;cursor:nwse-resize;height:20px;opacity:1;right:-3px;width:20px}@media (min-width:768px){.cropper-point.point-se{height:15px;width:15px}}@media (min-width:992px){.cropper-point.point-se{height:10px;width:10px}}@media (min-width:1200px){.cropper-point.point-se{height:5px;opacity:.75;width:5px}}.cropper-point.point-se:before{background-color:#39f;bottom:-50%;content:" ";display:block;height:200%;opacity:0;position:absolute;right:-50%;width:200%}.cropper-invisible{opacity:0}.cropper-bg{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQAQMAAAAlPW0iAAAAA3NCSVQICAjb4U/gAAAABlBMVEXMzMz////TjRV2AAAACXBIWXMAAArrAAAK6wGCiw1aAAAAHHRFWHRTb2Z0d2FyZQBBZG9iZSBGaXJld29ya3MgQ1M26LyyjAAAABFJREFUCJlj+M/AgBVhF/0PAH6/D/HkDxOGAAAAAElFTkSuQmCC)}.cropper-hide{display:block;height:0;position:absolute;width:0}.cropper-hidden{display:none!important}.cropper-move{cursor:move}.cropper-crop{cursor:crosshair}.cropper-disabled .cropper-drag-box,.cropper-disabled .cropper-face,.cropper-disabled .cropper-line,.cropper-disabled .cropper-point{cursor:not-allowed}.filepond--assistant{clip:rect(1px,1px,1px,1px);border:0;clip-path:inset(50%);height:1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.filepond--browser.filepond--browser{font-size:0;left:1em;margin:0;opacity:0;padding:0;position:absolute;top:1.75em;width:calc(100% - 2em)}.filepond--data{border:none;contain:strict;height:0;margin:0;padding:0;visibility:hidden;width:0}.filepond--data,.filepond--drip{pointer-events:none;position:absolute}.filepond--drip{background:rgba(0,0,0,.01);border-radius:.5em;inset:0;opacity:.1;overflow:hidden}.filepond--drip-blob{background:#292625;border-radius:50%;height:8em;margin-left:-4em;margin-top:-4em;transform-origin:center center;width:8em}.filepond--drip-blob,.filepond--drop-label{left:0;position:absolute;top:0;will-change:transform,opacity}.filepond--drop-label{align-items:center;color:#4f4f4f;display:flex;height:0;justify-content:center;margin:0;right:0;-webkit-user-select:none;-moz-user-select:none;user-select:none}.filepond--drop-label.filepond--drop-label label{display:block;margin:0;padding:.5em}.filepond--drop-label label{cursor:default;font-size:.875em;font-weight:400;line-height:1.5;text-align:center}.filepond--label-action{-webkit-text-decoration-skip:ink;cursor:pointer;text-decoration:underline;text-decoration-color:#a7a4a4;text-decoration-skip-ink:auto}.filepond--root[data-disabled] .filepond--drop-label label{opacity:.5}.filepond--file-action-button.filepond--file-action-button{border:none;font-family:inherit;font-size:1em;height:1.625em;line-height:inherit;margin:0;outline:none;padding:0;width:1.625em;will-change:transform,opacity}.filepond--file-action-button.filepond--file-action-button span{clip:rect(1px,1px,1px,1px);border:0;clip-path:inset(50%);height:1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.filepond--file-action-button.filepond--file-action-button svg{height:100%;width:100%}.filepond--file-action-button.filepond--file-action-button:after{content:"";inset:-.75em;position:absolute}.filepond--file-action-button{background-color:#00000080;background-image:none;border-radius:50%;box-shadow:0 0 #fff0;color:#fff;cursor:auto;transition:box-shadow .25s ease-in}.filepond--file-action-button:focus,.filepond--file-action-button:hover{box-shadow:0 0 0 .125em #ffffffe6}.filepond--file-action-button[disabled]{background-color:#00000040;color:#ffffff80}.filepond--file-action-button[hidden]{display:none}.filepond--file-info{align-items:flex-start;display:flex;flex:1;flex-direction:column;margin:0 .5em 0 0;min-width:0;pointer-events:none;position:static;-webkit-user-select:none;-moz-user-select:none;user-select:none;will-change:transform,opacity}.filepond--file-info *{margin:0}.filepond--file-info .filepond--file-info-main{font-size:.75em;line-height:1.2;overflow:hidden;text-overflow:ellipsis;white-space:nowrap;width:100%}.filepond--file-info .filepond--file-info-sub{font-size:.625em;opacity:.5;transition:opacity .25s ease-in-out;white-space:nowrap}.filepond--file-info .filepond--file-info-sub:empty{display:none}.filepond--file-status{align-items:flex-end;display:flex;flex-direction:column;flex-grow:0;flex-shrink:0;margin:0;min-width:2.25em;pointer-events:none;position:static;text-align:right;-webkit-user-select:none;-moz-user-select:none;user-select:none;will-change:transform,opacity}.filepond--file-status *{margin:0;white-space:nowrap}.filepond--file-status .filepond--file-status-main{font-size:.75em;line-height:1.2}.filepond--file-status .filepond--file-status-sub{font-size:.625em;opacity:.5;transition:opacity .25s ease-in-out}.filepond--file-wrapper.filepond--file-wrapper{border:none;height:100%;margin:0;min-width:0;padding:0}.filepond--file-wrapper.filepond--file-wrapper>legend{clip:rect(1px,1px,1px,1px);border:0;clip-path:inset(50%);height:1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.filepond--file{align-items:flex-start;border-radius:.5em;color:#fff;display:flex;height:100%;padding:.5625em;position:static}.filepond--file .filepond--file-status{margin-left:auto;margin-right:2.25em}.filepond--file .filepond--processing-complete-indicator{pointer-events:none;-webkit-user-select:none;-moz-user-select:none;user-select:none;z-index:3}.filepond--file .filepond--file-action-button,.filepond--file .filepond--processing-complete-indicator,.filepond--file .filepond--progress-indicator{position:absolute}.filepond--file [data-align*=left]{left:.5625em}.filepond--file [data-align*=right]{right:.5625em}.filepond--file [data-align*=center]{left:calc(50% - .8125em)}.filepond--file [data-align*=bottom]{bottom:1.125em}.filepond--file [data-align=center]{top:calc(50% - .8125em)}.filepond--file .filepond--progress-indicator{margin-top:.1875em}.filepond--file .filepond--progress-indicator[data-align*=right]{margin-right:.1875em}.filepond--file .filepond--progress-indicator[data-align*=left]{margin-left:.1875em}[data-filepond-item-state*=error] .filepond--file-info,[data-filepond-item-state*=invalid] .filepond--file-info,[data-filepond-item-state=cancelled] .filepond--file-info{margin-right:2.25em}[data-filepond-item-state~=processing] .filepond--file-status-sub{opacity:0}[data-filepond-item-state~=processing] .filepond--action-abort-item-processing~.filepond--file-status .filepond--file-status-sub{opacity:.5}[data-filepond-item-state=processing-error] .filepond--file-status-sub{opacity:0}[data-filepond-item-state=processing-error] .filepond--action-retry-item-processing~.filepond--file-status .filepond--file-status-sub{opacity:.5}[data-filepond-item-state=processing-complete] .filepond--action-revert-item-processing svg{animation:fall .5s linear .125s both}[data-filepond-item-state=processing-complete] .filepond--file-status-sub{opacity:.5}[data-filepond-item-state=processing-complete] .filepond--file-info-sub,[data-filepond-item-state=processing-complete] .filepond--processing-complete-indicator:not([style*=hidden])~.filepond--file-status .filepond--file-status-sub{opacity:0}[data-filepond-item-state=processing-complete] .filepond--action-revert-item-processing~.filepond--file-info .filepond--file-info-sub{opacity:.5}[data-filepond-item-state*=error] .filepond--file-wrapper,[data-filepond-item-state*=error] .filepond--panel,[data-filepond-item-state*=invalid] .filepond--file-wrapper,[data-filepond-item-state*=invalid] .filepond--panel{animation:shake .65s linear both}[data-filepond-item-state*=busy] .filepond--progress-indicator svg{animation:spin 1s linear infinite}@keyframes spin{0%{transform:rotate(0)}to{transform:rotate(1turn)}}@keyframes shake{10%,90%{transform:translate(-.0625em)}20%,80%{transform:translate(.125em)}30%,50%,70%{transform:translate(-.25em)}40%,60%{transform:translate(.25em)}}@keyframes fall{0%{animation-timing-function:ease-out;opacity:0;transform:scale(.5)}70%{animation-timing-function:ease-in-out;opacity:1;transform:scale(1.1)}to{animation-timing-function:ease-out;transform:scale(1)}}.filepond--hopper[data-hopper-state=drag-over]>*{pointer-events:none}.filepond--hopper[data-hopper-state=drag-over]:after{content:"";inset:0;position:absolute;z-index:100}.filepond--progress-indicator{z-index:103}.filepond--file-action-button{z-index:102}.filepond--file-status{z-index:101}.filepond--file-info{z-index:100}.filepond--item{left:0;margin:.25em;padding:0;position:absolute;right:0;top:0;touch-action:none;will-change:transform,opacity;z-index:1}.filepond--item>.filepond--panel{z-index:-1}.filepond--item>.filepond--panel .filepond--panel-bottom{box-shadow:0 .0625em .125em -.0625em #00000040}.filepond--item>.filepond--file-wrapper,.filepond--item>.filepond--panel{transition:opacity .15s ease-out}.filepond--item[data-drag-state]{cursor:grab}.filepond--item[data-drag-state]>.filepond--panel{box-shadow:0 0 0 transparent;transition:box-shadow .125s ease-in-out}.filepond--item[data-drag-state=drag]{cursor:grabbing}.filepond--item[data-drag-state=drag]>.filepond--panel{box-shadow:0 .125em .3125em #00000053}.filepond--item[data-drag-state]:not([data-drag-state=idle]){z-index:2}.filepond--item-panel{background-color:#64605e}[data-filepond-item-state=processing-complete] .filepond--item-panel{background-color:#369763}[data-filepond-item-state*=error] .filepond--item-panel,[data-filepond-item-state*=invalid] .filepond--item-panel{background-color:#c44e47}.filepond--item-panel{border-radius:.5em;transition:background-color .25s}.filepond--list-scroller{left:0;margin:0;position:absolute;right:0;top:0;will-change:transform}.filepond--list-scroller[data-state=overflow] .filepond--list{bottom:0;right:0}.filepond--list-scroller[data-state=overflow]{-webkit-overflow-scrolling:touch;-webkit-mask:linear-gradient(180deg,#000 calc(100% - .5em),transparent);mask:linear-gradient(180deg,#000 calc(100% - .5em),transparent);overflow-x:hidden;overflow-y:scroll}.filepond--list-scroller::-webkit-scrollbar{background:transparent}.filepond--list-scroller::-webkit-scrollbar:vertical{width:1em}.filepond--list-scroller::-webkit-scrollbar:horizontal{height:0}.filepond--list-scroller::-webkit-scrollbar-thumb{background-clip:content-box;background-color:#0000004d;border:.3125em solid transparent;border-radius:99999px}.filepond--list.filepond--list{list-style-type:none;margin:0;padding:0;position:absolute;top:0;will-change:transform}.filepond--list{left:.75em;right:.75em}.filepond--root[data-style-panel-layout~=integrated]{height:100%;margin:0;max-width:none;width:100%}.filepond--root[data-style-panel-layout~=circle] .filepond--panel-root,.filepond--root[data-style-panel-layout~=integrated] .filepond--panel-root{border-radius:0}.filepond--root[data-style-panel-layout~=circle] .filepond--panel-root>*,.filepond--root[data-style-panel-layout~=integrated] .filepond--panel-root>*{display:none}.filepond--root[data-style-panel-layout~=circle] .filepond--drop-label,.filepond--root[data-style-panel-layout~=integrated] .filepond--drop-label{align-items:center;bottom:0;display:flex;height:auto;justify-content:center;z-index:7}.filepond--root[data-style-panel-layout~=circle] .filepond--item-panel,.filepond--root[data-style-panel-layout~=integrated] .filepond--item-panel{display:none}.filepond--root[data-style-panel-layout~=compact] .filepond--list-scroller,.filepond--root[data-style-panel-layout~=integrated] .filepond--list-scroller{height:100%;margin-bottom:0;margin-top:0;overflow:hidden}.filepond--root[data-style-panel-layout~=compact] .filepond--list,.filepond--root[data-style-panel-layout~=integrated] .filepond--list{height:100%;left:0;right:0}.filepond--root[data-style-panel-layout~=compact] .filepond--item,.filepond--root[data-style-panel-layout~=integrated] .filepond--item{margin:0}.filepond--root[data-style-panel-layout~=compact] .filepond--file-wrapper,.filepond--root[data-style-panel-layout~=integrated] .filepond--file-wrapper{height:100%}.filepond--root[data-style-panel-layout~=compact] .filepond--drop-label,.filepond--root[data-style-panel-layout~=integrated] .filepond--drop-label{z-index:7}.filepond--root[data-style-panel-layout~=circle]{border-radius:99999rem;overflow:hidden}.filepond--root[data-style-panel-layout~=circle]>.filepond--panel{border-radius:inherit}.filepond--root[data-style-panel-layout~=circle] .filepond--file-info,.filepond--root[data-style-panel-layout~=circle] .filepond--file-status,.filepond--root[data-style-panel-layout~=circle]>.filepond--panel>*{display:none}@media not all and (-webkit-min-device-pixel-ratio:0),not all and (min-resolution:.001dpcm){@supports (-webkit-appearance:none) and (stroke-color:transparent){.filepond--root[data-style-panel-layout~=circle]{will-change:transform}}}.filepond--panel-root{background-color:#f1f0ef;border-radius:.5em}.filepond--panel{height:100%!important;left:0;margin:0;pointer-events:none;position:absolute;right:0;top:0}.filepond-panel:not([data-scalable=false]){height:auto!important}.filepond--panel[data-scalable=false]>div{display:none}.filepond--panel[data-scalable=true]{background-color:transparent!important;border:none!important;transform-style:preserve-3d}.filepond--panel-bottom,.filepond--panel-center,.filepond--panel-top{left:0;margin:0;padding:0;position:absolute;right:0;top:0}.filepond--panel-bottom,.filepond--panel-top{height:.5em}.filepond--panel-top{border-bottom:none!important;border-bottom-left-radius:0!important;border-bottom-right-radius:0!important}.filepond--panel-top:after{background-color:inherit;bottom:-1px;content:"";height:2px;left:0;position:absolute;right:0}.filepond--panel-bottom,.filepond--panel-center{backface-visibility:hidden;transform:translate3d(0,.5em,0);transform-origin:left top;will-change:transform}.filepond--panel-bottom{border-top:none!important;border-top-left-radius:0!important;border-top-right-radius:0!important}.filepond--panel-bottom:before{background-color:inherit;content:"";height:2px;left:0;position:absolute;right:0;top:-1px}.filepond--panel-center{border-bottom:none!important;border-radius:0!important;border-top:none!important;height:100px!important}.filepond--panel-center:not([style]){visibility:hidden}.filepond--progress-indicator{color:#fff;height:1.25em;margin:0;pointer-events:none;position:static;width:1.25em;will-change:transform,opacity}.filepond--progress-indicator svg{height:100%;transform-box:fill-box;vertical-align:top;width:100%}.filepond--progress-indicator path{fill:none;stroke:currentColor}.filepond--list-scroller{z-index:6}.filepond--drop-label{z-index:5}.filepond--drip{z-index:3}.filepond--root>.filepond--panel{z-index:2}.filepond--browser{z-index:1}.filepond--root{box-sizing:border-box;contain:layout style size;direction:ltr;font-family:-apple-system,BlinkMacSystemFont,Segoe UI,Roboto,Helvetica,Arial,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol;font-size:1rem;font-weight:450;line-height:normal;margin-bottom:1em;position:relative;text-align:left;text-rendering:optimizeLegibility}.filepond--root *{box-sizing:inherit;line-height:inherit}.filepond--root :not(text){font-size:inherit}.filepond--root[data-disabled]{pointer-events:none}.filepond--root[data-disabled] .filepond--list-scroller{pointer-events:all}.filepond--root[data-disabled] .filepond--list{pointer-events:none}.filepond--root .filepond--drop-label{min-height:4.75em}.filepond--root .filepond--list-scroller{margin-bottom:1em;margin-top:1em}.filepond--root .filepond--credits{bottom:-14px;color:inherit;font-size:11px;line-height:.85;opacity:.175;position:absolute;right:0;text-decoration:none;z-index:3}.filepond--root .filepond--credits[style]{bottom:auto;margin-top:14px;top:0}.filepond--action-edit-item.filepond--action-edit-item{height:2em;padding:.1875em;width:2em}.filepond--action-edit-item.filepond--action-edit-item[data-align*=center]{margin-left:-.1875em}.filepond--action-edit-item.filepond--action-edit-item[data-align*=bottom]{margin-bottom:-.1875em}.filepond--action-edit-item-alt{background:transparent;border:none;color:inherit;font-family:inherit;line-height:inherit;margin:0 0 0 .25em;outline:none;padding:0;pointer-events:all;position:absolute}.filepond--action-edit-item-alt svg{height:1.3125em;width:1.3125em}.filepond--action-edit-item-alt span{font-size:0;opacity:0}.filepond--root[data-style-panel-layout~=circle] .filepond--action-edit-item{opacity:1!important;visibility:visible!important}.filepond--image-preview-markup{left:0;position:absolute;top:0}.filepond--image-preview-wrapper{z-index:2}.filepond--image-preview-overlay{display:block;left:0;margin:0;max-height:7rem;min-height:5rem;opacity:0;pointer-events:none;position:absolute;top:0;-webkit-user-select:none;-moz-user-select:none;user-select:none;width:100%;z-index:2}.filepond--image-preview-overlay svg{color:inherit;height:auto;max-height:inherit;width:100%}.filepond--image-preview-overlay-idle{color:#282828d9;mix-blend-mode:multiply}.filepond--image-preview-overlay-success{color:#369763;mix-blend-mode:normal}.filepond--image-preview-overlay-failure{color:#c44e47;mix-blend-mode:normal}@supports (-webkit-marquee-repetition:infinite) and ((-o-object-fit:fill) or (object-fit:fill)){.filepond--image-preview-overlay-idle{mix-blend-mode:normal}}.filepond--image-preview-wrapper{background:rgba(0,0,0,.01);border-radius:.45em;height:100%;left:0;margin:0;overflow:hidden;position:absolute;right:0;top:0;-webkit-user-select:none;-moz-user-select:none;user-select:none}.filepond--image-preview{align-items:center;background:#222;display:flex;height:100%;left:0;pointer-events:none;position:absolute;top:0;width:100%;will-change:transform,opacity;z-index:1}.filepond--image-clip{margin:0 auto;overflow:hidden;position:relative}.filepond--image-clip[data-transparency-indicator=grid] canvas,.filepond--image-clip[data-transparency-indicator=grid] img{background-color:#fff;background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg viewBox='0 0 100 100' xmlns='http://www.w3.org/2000/svg' fill='%23eee'%3E%3Cpath d='M0 0h50v50H0M50 50h50v50H50'/%3E%3C/svg%3E");background-size:1.25em 1.25em}.filepond--image-bitmap,.filepond--image-vector{left:0;position:absolute;top:0;will-change:transform}.filepond--root[data-style-panel-layout~=integrated] .filepond--image-preview-wrapper{border-radius:0}.filepond--root[data-style-panel-layout~=integrated] .filepond--image-preview{align-items:center;display:flex;height:100%;justify-content:center}.filepond--root[data-style-panel-layout~=circle] .filepond--image-preview-wrapper{border-radius:99999rem}.filepond--root[data-style-panel-layout~=circle] .filepond--image-preview-overlay{bottom:0;top:auto;transform:scaleY(-1)}.filepond--root[data-style-panel-layout~=circle] .filepond--file .filepond--file-action-button[data-align*=bottom]:not([data-align*=center]){margin-bottom:.325em}.filepond--root[data-style-panel-layout~=circle] .filepond--file [data-align*=left]{left:calc(50% - 3em)}.filepond--root[data-style-panel-layout~=circle] .filepond--file [data-align*=right]{right:calc(50% - 3em)}.filepond--root[data-style-panel-layout~=circle] .filepond--progress-indicator[data-align*=bottom][data-align*=left],.filepond--root[data-style-panel-layout~=circle] .filepond--progress-indicator[data-align*=bottom][data-align*=right]{margin-bottom:.5125em}.filepond--root[data-style-panel-layout~=circle] .filepond--progress-indicator[data-align*=bottom][data-align*=center]{margin-bottom:.1875em;margin-left:.1875em;margin-top:0}.filepond--media-preview audio{display:none}.filepond--media-preview .audioplayer{margin:2.3em auto auto;width:calc(100% - 1.4em)}.filepond--media-preview .playpausebtn{background-position:50%;background-repeat:no-repeat;border:none;border-radius:25px;cursor:pointer;float:left;height:25px;margin-right:.3em;margin-top:.3em;outline:none;width:25px}.filepond--media-preview .playpausebtn:hover{background-color:#00000080}.filepond--media-preview .play{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABQAAAAUCAYAAACNiR0NAAAAyElEQVQ4T9XUsWoCQRRG4XPaFL5SfIy8gKYKBCysrax8Ahs7qzQ2qVIFOwsrsbEWLEK6EBFGBrIQhN2d3dnGgalm+Jh7789Ix8uOPe4YDCH0gZ66atKW0pJDCE/AEngDXtRjCpwCRucbGANzNVTBqWBhfAJDdV+GNgWj8wtM41bPt3AbsDB2f69d/0dzwC0wUDe54A8wAWbqJbfkD+BZPeQO5QsYqYu6LKb0MIb7VT3VYfG8CnwEHtT3FKi4c8e/TZMyk3LYFrwCgMdHFbRDKS8AAAAASUVORK5CYII=)}.filepond--media-preview .pause{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABQAAAAUCAYAAACNiR0NAAAAh0lEQVQ4T+2UsQkCURBE30PLMbAMMResQrAPsQ0TK9AqDKxGZeTLD74aGNwlhzfZssvADDMrPcOe+RggYZIJcG2s2KinMidZAvu6u6uzT8u+JCeZArfmcKUeK+EaONTdQy23bxgJX8aPHvIHsSnVuzTx36rn2pQFsGuqN//ZlK7vbIDvq6vkJ9yteBXzecYbAAAAAElFTkSuQmCC)}.filepond--media-preview .timeline{background:hsla(0,0%,100%,.3);border-radius:15px;float:left;height:3px;margin-top:1em;width:calc(100% - 2.5em)}.filepond--media-preview .playhead{background:#fff;border-radius:50%;height:13px;margin-top:-5px;width:13px}.filepond--media-preview-wrapper{background:rgba(0,0,0,.01);border-radius:.45em;height:100%;left:0;margin:0;overflow:hidden;pointer-events:auto;position:absolute;right:0;top:0}.filepond--media-preview-wrapper:before{background:linear-gradient(180deg,#000 0,transparent);content:" ";filter:progid:DXImageTransform.Microsoft.gradient(startColorstr="#000000",endColorstr="#00000000",GradientType=0);height:2em;position:absolute;width:100%;z-index:3}.filepond--media-preview{display:block;height:100%;position:relative;transform-origin:center center;width:100%;will-change:transform,opacity;z-index:1}.filepond--media-preview audio,.filepond--media-preview video{width:100%;will-change:transform}.filepond--root{--tw-bg-opacity:1;--tw-shadow:0 1px 2px 0 rgba(0,0,0,.05);--tw-shadow-colored:0 1px 2px 0 var(--tw-shadow-color);--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--gray-950),0.1);background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);margin-bottom:0}.filepond--root:is(.dark *){--tw-ring-color:hsla(0,0%,100%,.2);background-color:hsla(0,0%,100%,.05)}.filepond--root[data-disabled=disabled]{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.filepond--root[data-disabled=disabled]:is(.dark *){--tw-ring-color:hsla(0,0%,100%,.1);background-color:transparent}.filepond--panel-root{background-color:transparent}.filepond--drop-label label{--tw-text-opacity:1;color:rgba(var(--gray-600),var(--tw-text-opacity));font-size:.875rem;line-height:1.25rem;padding:.75rem!important}.filepond--drop-label label:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.filepond--label-action{--tw-text-opacity:1;color:rgba(var(--primary-600),var(--tw-text-opacity));font-weight:500;text-decoration-line:none;transition-duration:75ms;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1)}.filepond--label-action:hover{--tw-text-opacity:1;color:rgba(var(--primary-500),var(--tw-text-opacity))}.filepond--label-action:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.filepond--label-action:hover:is(.dark *){--tw-text-opacity:1;color:rgba(var(--primary-500),var(--tw-text-opacity))}.filepond--drip-blob{--tw-bg-opacity:1;background-color:rgba(var(--gray-400),var(--tw-bg-opacity))}.filepond--drip-blob:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-500),var(--tw-bg-opacity))}.filepond--root[data-style-panel-layout=grid] .filepond--item{display:inline;width:calc(50% - .5rem)}@media (min-width:1024px){.filepond--root[data-style-panel-layout=grid] .filepond--item{width:calc(33.33% - .5rem)}}.filepond--download-icon{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity));display:inline-block;height:1rem;margin-inline-end:.25rem;pointer-events:auto;vertical-align:bottom;width:1rem}.filepond--download-icon:hover{background-color:hsla(0,0%,100%,.7)}.filepond--download-icon{-webkit-mask-image:url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNCIgaGVpZ2h0PSIyNCIgZmlsbD0ibm9uZSIgc3Ryb2tlPSJjdXJyZW50Q29sb3IiIHN0cm9rZS13aWR0aD0iMiIgc3Ryb2tlLWxpbmVjYXA9InJvdW5kIiBzdHJva2UtbGluZWpvaW49InJvdW5kIiBjbGFzcz0iZmVhdGhlciBmZWF0aGVyLWRvd25sb2FkIj48cGF0aCBkPSJNMjEgMTV2NGEyIDIgMCAwIDEtMiAySDVhMiAyIDAgMCAxLTItMnYtNE03IDEwbDUgNSA1LTVNMTIgMTVWMyIvPjwvc3ZnPg==);mask-image:url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIyNCIgaGVpZ2h0PSIyNCIgZmlsbD0ibm9uZSIgc3Ryb2tlPSJjdXJyZW50Q29sb3IiIHN0cm9rZS13aWR0aD0iMiIgc3Ryb2tlLWxpbmVjYXA9InJvdW5kIiBzdHJva2UtbGluZWpvaW49InJvdW5kIiBjbGFzcz0iZmVhdGhlciBmZWF0aGVyLWRvd25sb2FkIj48cGF0aCBkPSJNMjEgMTV2NGEyIDIgMCAwIDEtMiAySDVhMiAyIDAgMCAxLTItMnYtNE03IDEwbDUgNSA1LTVNMTIgMTVWMyIvPjwvc3ZnPg==);-webkit-mask-repeat:no-repeat;mask-repeat:no-repeat;-webkit-mask-size:100%;mask-size:100%}.filepond--open-icon{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity));display:inline-block;height:1rem;margin-inline-end:.25rem;pointer-events:auto;vertical-align:bottom;width:1rem}.filepond--open-icon:hover{background-color:hsla(0,0%,100%,.7)}.filepond--open-icon{-webkit-mask-image:url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGNsYXNzPSJoLTYgdy02IiBmaWxsPSJub25lIiB2aWV3Qm94PSIwIDAgMjQgMjQiIHN0cm9rZT0iY3VycmVudENvbG9yIiBzdHJva2Utd2lkdGg9IjIiPjxwYXRoIHN0cm9rZS1saW5lY2FwPSJyb3VuZCIgc3Ryb2tlLWxpbmVqb2luPSJyb3VuZCIgZD0iTTEwIDZINmEyIDIgMCAwIDAtMiAydjEwYTIgMiAwIDAgMCAyIDJoMTBhMiAyIDAgMCAwIDItMnYtNE0xNCA0aDZtMCAwdjZtMC02TDEwIDE0Ii8+PC9zdmc+);mask-image:url(data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIGNsYXNzPSJoLTYgdy02IiBmaWxsPSJub25lIiB2aWV3Qm94PSIwIDAgMjQgMjQiIHN0cm9rZT0iY3VycmVudENvbG9yIiBzdHJva2Utd2lkdGg9IjIiPjxwYXRoIHN0cm9rZS1saW5lY2FwPSJyb3VuZCIgc3Ryb2tlLWxpbmVqb2luPSJyb3VuZCIgZD0iTTEwIDZINmEyIDIgMCAwIDAtMiAydjEwYTIgMiAwIDAgMCAyIDJoMTBhMiAyIDAgMCAwIDItMnYtNE0xNCA0aDZtMCAwdjZtMC02TDEwIDE0Ii8+PC9zdmc+);-webkit-mask-repeat:no-repeat;mask-repeat:no-repeat;-webkit-mask-size:100%;mask-size:100%}.filepond--file-action-button.filepond--action-edit-item{background-color:rgba(0,0,0,.5)}.cropper-drag-box.cropper-crop.cropper-modal{background-color:rgba(var(--gray-100),.5);opacity:1}.cropper-drag-box.cropper-crop.cropper-modal:is(.dark *){background-color:rgba(var(--gray-900),.8)}.fi-fo-file-upload-circle-cropper .cropper-face,.fi-fo-file-upload-circle-cropper .cropper-view-box{border-radius:50%}.CodeMirror{color:#000;direction:ltr;font-family:monospace;height:300px}.CodeMirror-lines{padding:4px 0}.CodeMirror pre.CodeMirror-line,.CodeMirror pre.CodeMirror-line-like{padding:0 4px}.CodeMirror-gutter-filler,.CodeMirror-scrollbar-filler{background-color:#fff}.CodeMirror-gutters{background-color:#f7f7f7;border-right:1px solid #ddd;white-space:nowrap}.CodeMirror-linenumber{color:#999;min-width:20px;padding:0 3px 0 5px;text-align:right;white-space:nowrap}.CodeMirror-guttermarker{color:#000}.CodeMirror-guttermarker-subtle{color:#999}.CodeMirror-cursor{border-left:1px solid #000;border-right:none;width:0}.CodeMirror div.CodeMirror-secondarycursor{border-left:1px solid silver}.cm-fat-cursor .CodeMirror-cursor{background:#7e7;border:0!important;width:auto}.cm-fat-cursor div.CodeMirror-cursors{z-index:1}.cm-fat-cursor .CodeMirror-line::selection,.cm-fat-cursor .CodeMirror-line>span::selection,.cm-fat-cursor .CodeMirror-line>span>span::selection{background:0 0}.cm-fat-cursor .CodeMirror-line::-moz-selection,.cm-fat-cursor .CodeMirror-line>span::-moz-selection,.cm-fat-cursor .CodeMirror-line>span>span::-moz-selection{background:0 0}.cm-fat-cursor{caret-color:transparent}@keyframes blink{50%{background-color:transparent}}.cm-tab{display:inline-block;text-decoration:inherit}.CodeMirror-rulers{inset:-50px 0 0;overflow:hidden;position:absolute}.CodeMirror-ruler{border-left:1px solid #ccc;bottom:0;position:absolute;top:0}.cm-s-default .cm-header{color:#00f}.cm-s-default .cm-quote{color:#090}.cm-negative{color:#d44}.cm-positive{color:#292}.cm-header,.cm-strong{font-weight:700}.cm-em{font-style:italic}.cm-link{text-decoration:underline}.cm-strikethrough{text-decoration:line-through}.cm-s-default .cm-keyword{color:#708}.cm-s-default .cm-atom{color:#219}.cm-s-default .cm-number{color:#164}.cm-s-default .cm-def{color:#00f}.cm-s-default .cm-variable-2{color:#05a}.cm-s-default .cm-type,.cm-s-default .cm-variable-3{color:#085}.cm-s-default .cm-comment{color:#a50}.cm-s-default .cm-string{color:#a11}.cm-s-default .cm-string-2{color:#f50}.cm-s-default .cm-meta,.cm-s-default .cm-qualifier{color:#555}.cm-s-default .cm-builtin{color:#30a}.cm-s-default .cm-bracket{color:#997}.cm-s-default .cm-tag{color:#170}.cm-s-default .cm-attribute{color:#00c}.cm-s-default .cm-hr{color:#999}.cm-s-default .cm-link{color:#00c}.cm-invalidchar,.cm-s-default .cm-error{color:red}.CodeMirror-composing{border-bottom:2px solid}div.CodeMirror span.CodeMirror-matchingbracket{color:#0b0}div.CodeMirror span.CodeMirror-nonmatchingbracket{color:#a22}.CodeMirror-matchingtag{background:rgba(255,150,0,.3)}.CodeMirror-activeline-background{background:#e8f2ff}.CodeMirror{background:#fff;overflow:hidden;position:relative}.CodeMirror-scroll{height:100%;margin-bottom:-50px;margin-right:-50px;outline:0;overflow:scroll!important;padding-bottom:50px;position:relative;z-index:0}.CodeMirror-sizer{border-right:50px solid transparent;position:relative}.CodeMirror-gutter-filler,.CodeMirror-hscrollbar,.CodeMirror-scrollbar-filler,.CodeMirror-vscrollbar{display:none;outline:0;position:absolute;z-index:6}.CodeMirror-vscrollbar{overflow-x:hidden;overflow-y:scroll;right:0;top:0}.CodeMirror-hscrollbar{bottom:0;left:0;overflow-x:scroll;overflow-y:hidden}.CodeMirror-scrollbar-filler{bottom:0;right:0}.CodeMirror-gutter-filler{bottom:0;left:0}.CodeMirror-gutters{left:0;min-height:100%;position:absolute;top:0;z-index:3}.CodeMirror-gutter{display:inline-block;height:100%;margin-bottom:-50px;vertical-align:top;white-space:normal}.CodeMirror-gutter-wrapper{background:0 0!important;border:none!important;position:absolute;z-index:4}.CodeMirror-gutter-background{bottom:0;position:absolute;top:0;z-index:4}.CodeMirror-gutter-elt{cursor:default;position:absolute;z-index:4}.CodeMirror-gutter-wrapper ::selection{background-color:transparent}.CodeMirror-gutter-wrapper ::-moz-selection{background-color:transparent}.CodeMirror-lines{cursor:text;min-height:1px}.CodeMirror pre.CodeMirror-line,.CodeMirror pre.CodeMirror-line-like{word-wrap:normal;-webkit-tap-highlight-color:transparent;background:0 0;border-radius:0;border-width:0;color:inherit;font-family:inherit;font-size:inherit;font-variant-ligatures:contextual;line-height:inherit;margin:0;overflow:visible;position:relative;white-space:pre;z-index:2}.CodeMirror-wrap pre.CodeMirror-line,.CodeMirror-wrap pre.CodeMirror-line-like{word-wrap:break-word;white-space:pre-wrap;word-break:normal}.CodeMirror-linebackground{inset:0;position:absolute;z-index:0}.CodeMirror-linewidget{padding:.1px;position:relative;z-index:2}.CodeMirror-code{outline:0}.CodeMirror-gutter,.CodeMirror-gutters,.CodeMirror-linenumber,.CodeMirror-scroll,.CodeMirror-sizer{box-sizing:content-box}.CodeMirror-measure{height:0;overflow:hidden;position:absolute;visibility:hidden;width:100%}.CodeMirror-cursor{pointer-events:none;position:absolute}.CodeMirror-measure pre{position:static}div.CodeMirror-cursors{position:relative;visibility:hidden;z-index:3}.CodeMirror-focused div.CodeMirror-cursors,div.CodeMirror-dragcursors{visibility:visible}.CodeMirror-selected{background:#d9d9d9}.CodeMirror-focused .CodeMirror-selected{background:#d7d4f0}.CodeMirror-crosshair{cursor:crosshair}.CodeMirror-line::selection,.CodeMirror-line>span::selection,.CodeMirror-line>span>span::selection{background:#d7d4f0}.CodeMirror-line::-moz-selection,.CodeMirror-line>span::-moz-selection,.CodeMirror-line>span>span::-moz-selection{background:#d7d4f0}.cm-searching{background-color:#ffa;background-color:#ff06}.cm-force-border{padding-right:.1px}@media print{.CodeMirror div.CodeMirror-cursors{visibility:hidden}}.cm-tab-wrap-hack:after{content:""}span.CodeMirror-selectedtext{background:0 0}.EasyMDEContainer{display:block}.CodeMirror-rtl pre{direction:rtl}.EasyMDEContainer.sided--no-fullscreen{display:flex;flex-direction:row;flex-wrap:wrap}.EasyMDEContainer .CodeMirror{word-wrap:break-word;border:1px solid #ced4da;border-bottom-left-radius:4px;border-bottom-right-radius:4px;box-sizing:border-box;font:inherit;height:auto;padding:10px;z-index:0}.EasyMDEContainer .CodeMirror-scroll{cursor:text}.EasyMDEContainer .CodeMirror-fullscreen{background:#fff;border-bottom-right-radius:0!important;border-right:none!important;height:auto;inset:50px 0 0;position:fixed!important;z-index:8}.EasyMDEContainer .CodeMirror-sided{width:50%!important}.EasyMDEContainer.sided--no-fullscreen .CodeMirror-sided{border-bottom-right-radius:0;border-right:none!important;flex:1 1 auto;position:relative}.EasyMDEContainer .CodeMirror-placeholder{opacity:.5}.EasyMDEContainer .CodeMirror-focused .CodeMirror-selected{background:#d9d9d9}.editor-toolbar{border-left:1px solid #ced4da;border-right:1px solid #ced4da;border-top:1px solid #ced4da;border-top-left-radius:4px;border-top-right-radius:4px;padding:9px 10px;position:relative;-webkit-user-select:none;-moz-user-select:none;-o-user-select:none;user-select:none}.editor-toolbar.fullscreen{background:#fff;border:0;box-sizing:border-box;height:50px;left:0;opacity:1;padding-bottom:10px;padding-top:10px;position:fixed;top:0;width:100%;z-index:9}.editor-toolbar.fullscreen:before{background:linear-gradient(90deg,#fff 0,hsla(0,0%,100%,0));height:50px;left:0;margin:0;padding:0;position:fixed;top:0;width:20px}.editor-toolbar.fullscreen:after{background:linear-gradient(90deg,hsla(0,0%,100%,0) 0,#fff);height:50px;margin:0;padding:0;position:fixed;right:0;top:0;width:20px}.EasyMDEContainer.sided--no-fullscreen .editor-toolbar{width:100%}.editor-toolbar .easymde-dropdown,.editor-toolbar button{background:0 0;border:1px solid transparent;border-radius:3px;cursor:pointer;display:inline-block;height:30px;margin:0;padding:0;text-align:center;text-decoration:none!important}.editor-toolbar button{font-weight:700;min-width:30px;padding:0 6px;white-space:nowrap}.editor-toolbar button.active,.editor-toolbar button:hover{background:#fcfcfc;border-color:#95a5a6}.editor-toolbar i.separator{border-left:1px solid #d9d9d9;border-right:1px solid #fff;color:transparent;display:inline-block;margin:0 6px;text-indent:-10px;width:0}.editor-toolbar button:after{font-family:Arial,Helvetica Neue,Helvetica,sans-serif;font-size:65%;position:relative;top:2px;vertical-align:text-bottom}.editor-toolbar button.heading-1:after{content:"1"}.editor-toolbar button.heading-2:after{content:"2"}.editor-toolbar button.heading-3:after{content:"3"}.editor-toolbar button.heading-bigger:after{content:"\25b2"}.editor-toolbar button.heading-smaller:after{content:"\25bc"}.editor-toolbar.disabled-for-preview button:not(.no-disable){opacity:.6;pointer-events:none}@media only screen and (max-width:700px){.editor-toolbar i.no-mobile{display:none}}.editor-statusbar{color:#959694;font-size:12px;padding:8px 10px;text-align:right}.EasyMDEContainer.sided--no-fullscreen .editor-statusbar{width:100%}.editor-statusbar span{display:inline-block;margin-left:1em;min-width:4em}.editor-statusbar .lines:before{content:"lines: "}.editor-statusbar .words:before{content:"words: "}.editor-statusbar .characters:before{content:"characters: "}.editor-preview-full{height:100%;left:0;position:absolute;top:0;width:100%;z-index:7}.editor-preview-full,.editor-preview-side{box-sizing:border-box;display:none;overflow:auto}.editor-preview-side{word-wrap:break-word;border:1px solid #ddd;bottom:0;position:fixed;right:0;top:50px;width:50%;z-index:9}.editor-preview-active-side{display:block}.EasyMDEContainer.sided--no-fullscreen .editor-preview-active-side{flex:1 1 auto;height:auto;position:static}.editor-preview-active{display:block}.editor-preview{background:#fafafa;padding:10px}.editor-preview>p{margin-top:0}.editor-preview pre{background:#eee;margin-bottom:10px}.editor-preview table td,.editor-preview table th{border:1px solid #ddd;padding:5px}.cm-s-easymde .cm-tag{color:#63a35c}.cm-s-easymde .cm-attribute{color:#795da3}.cm-s-easymde .cm-string{color:#183691}.cm-s-easymde .cm-header-1{font-size:calc(1.375rem + 1.5vw)}.cm-s-easymde .cm-header-2{font-size:calc(1.325rem + .9vw)}.cm-s-easymde .cm-header-3{font-size:calc(1.3rem + .6vw)}.cm-s-easymde .cm-header-4{font-size:calc(1.275rem + .3vw)}.cm-s-easymde .cm-header-5{font-size:1.25rem}.cm-s-easymde .cm-header-6{font-size:1rem}.cm-s-easymde .cm-header-1,.cm-s-easymde .cm-header-2,.cm-s-easymde .cm-header-3,.cm-s-easymde .cm-header-4,.cm-s-easymde .cm-header-5,.cm-s-easymde .cm-header-6{line-height:1.2;margin-bottom:.5rem}.cm-s-easymde .cm-comment{background:rgba(0,0,0,.05);border-radius:2px}.cm-s-easymde .cm-link{color:#7f8c8d}.cm-s-easymde .cm-url{color:#aab2b3}.cm-s-easymde .cm-quote{color:#7f8c8d;font-style:italic}.editor-toolbar .easymde-dropdown{border:1px solid #fff;border-radius:0;position:relative}.editor-toolbar .easymde-dropdown,.editor-toolbar .easymde-dropdown:hover{background:linear-gradient(to bottom right,#fff,#fff 84%,#333 0,#333)}.easymde-dropdown-content{background-color:#f9f9f9;box-shadow:0 8px 16px #0003;display:block;padding:8px;position:absolute;top:30px;visibility:hidden;z-index:2}.easymde-dropdown:active .easymde-dropdown-content,.easymde-dropdown:focus .easymde-dropdown-content,.easymde-dropdown:focus-within .easymde-dropdown-content{visibility:visible}.easymde-dropdown-content button{display:block}span[data-img-src]:after{background-image:var(--bg-image);background-repeat:no-repeat;background-size:contain;content:"";display:block;height:0;max-height:100%;max-width:100%;padding-top:var(--height);width:var(--width)}.CodeMirror .cm-spell-error:not(.cm-url):not(.cm-comment):not(.cm-tag):not(.cm-word){background:rgba(255,0,0,.15)}:root{--color-cm-red:#991b1b;--color-cm-orange:#9a3412;--color-cm-amber:#92400e;--color-cm-yellow:#854d0e;--color-cm-lime:#3f6212;--color-cm-green:#166534;--color-cm-emerald:#065f46;--color-cm-teal:#115e59;--color-cm-cyan:#155e75;--color-cm-sky:#075985;--color-cm-blue:#1e40af;--color-cm-indigo:#3730a3;--color-cm-violet:#5b21b6;--color-cm-purple:#6b21a8;--color-cm-fuchsia:#86198f;--color-cm-pink:#9d174d;--color-cm-rose:#9f1239;--color-cm-gray:#18181b;--color-cm-gray-muted:#71717a;--color-cm-gray-background:#e4e4e7}.dark{--color-cm-red:#f87171;--color-cm-orange:#fb923c;--color-cm-amber:#fbbf24;--color-cm-yellow:#facc15;--color-cm-lime:#a3e635;--color-cm-green:#4ade80;--color-cm-emerald:#4ade80;--color-cm-teal:#2dd4bf;--color-cm-cyan:#22d3ee;--color-cm-sky:#38bdf8;--color-cm-blue:#60a5fa;--color-cm-indigo:#818cf8;--color-cm-violet:#a78bfa;--color-cm-purple:#c084fc;--color-cm-fuchsia:#e879f9;--color-cm-pink:#f472b6;--color-cm-rose:#fb7185;--color-cm-gray:#fafafa;--color-cm-gray-muted:#a1a1aa;--color-cm-gray-background:#52525b}.cm-s-easymde .cm-comment{background-color:transparent;color:var(--color-cm-gray-muted)}.EasyMDEContainer .CodeMirror-cursor{border-color:currentColor}.dark .EasyMDEContainer .cm-s-easymde span.CodeMirror-selectedtext{filter:invert(100%)}.EasyMDEContainer .cm-s-easymde .cm-keyword{color:var(--color-cm-violet)}.EasyMDEContainer .cm-s-easymde .cm-atom{color:var(--color-cm-blue)}.EasyMDEContainer .cm-s-easymde .cm-number{color:var(--color-cm-green)}.EasyMDEContainer .cm-s-easymde .cm-def{color:var(--color-cm-blue)}.EasyMDEContainer .cm-s-easymde .cm-variable{color:var(--color-cm-yellow)}.EasyMDEContainer .cm-s-easymde .cm-variable-2{color:var(--color-cm-blue)}.EasyMDEContainer .cm-s-easymde .cm-variable-3{color:var(--color-cm-emerald)}.EasyMDEContainer .cm-s-easymde .cm-operator,.EasyMDEContainer .cm-s-easymde .cm-property{color:var(--color-cm-gray)}.EasyMDEContainer .cm-s-easymde .cm-string,.EasyMDEContainer .cm-s-easymde .cm-string-2{color:var(--color-cm-rose)}.EasyMDEContainer .cm-s-easymde .cm-meta{color:var(--color-cm-gray-muted)}.EasyMDEContainer .cm-s-easymde .cm-error{color:var(--color-cm-red)}.EasyMDEContainer .cm-s-easymde .cm-qualifier{color:var(--color-cm-gray-muted)}.EasyMDEContainer .cm-s-easymde .cm-builtin{color:var(--color-cm-violet)}.EasyMDEContainer .cm-s-easymde .cm-bracket{color:var(--color-cm-gray-muted)}.EasyMDEContainer .cm-s-easymde .cm-tag{color:var(--color-cm-green)}.EasyMDEContainer .cm-s-easymde .cm-attribute{color:var(--color-cm-blue)}.EasyMDEContainer .cm-s-easymde .cm-hr{color:var(--color-cm-gray-muted)}.EasyMDEContainer .cm-s-easymde .cm-formatting-quote{color:var(--color-cm-sky)}.EasyMDEContainer .cm-s-easymde .cm-formatting-quote+.cm-quote{color:var(--color-cm-gray-muted)}.EasyMDEContainer .cm-s-easymde .cm-formatting-list,.EasyMDEContainer .cm-s-easymde .cm-formatting-list+.cm-variable-2,.EasyMDEContainer .cm-s-easymde .cm-tab+.cm-variable-2{color:var(--color-cm-gray)}.EasyMDEContainer .cm-s-easymde .cm-link{color:var(--color-cm-blue)}.EasyMDEContainer .cm-s-easymde .cm-tag{color:var(--color-cm-red)}.EasyMDEContainer .cm-s-easymde .cm-attribute{color:var(--color-cm-amber)}.EasyMDEContainer .cm-s-easymde .cm-attribute+.cm-string{color:var(--color-cm-green)}.EasyMDEContainer .cm-s-easymde .cm-formatting-code+.cm-comment:not(.cm-formatting-code){background-color:var(--color-cm-gray-background);color:var(--color-cm-gray)}.EasyMDEContainer .cm-s-easymde .cm-header-1{font-size:1.875rem;line-height:2.25rem}.EasyMDEContainer .cm-s-easymde .cm-header-2{font-size:1.5rem;line-height:2rem}.EasyMDEContainer .cm-s-easymde .cm-header-3{font-size:1.25rem;line-height:1.75rem}.EasyMDEContainer .cm-s-easymde .cm-header-4{font-size:1.125rem;line-height:1.75rem}.EasyMDEContainer .cm-s-easymde .cm-header-5{font-size:1rem;line-height:1.5rem}.EasyMDEContainer .cm-s-easymde .cm-header-6{font-size:.875rem;line-height:1.25rem}.EasyMDEContainer .cm-s-easymde .cm-comment{background-image:none}.EasyMDEContainer .CodeMirror,.EasyMDEContainer .cm-s-easymde .cm-formatting-code-block,.EasyMDEContainer .cm-s-easymde .cm-tab+.cm-comment{background-color:transparent;color:inherit}.EasyMDEContainer .CodeMirror{border-style:none;padding:.375rem .75rem}.EasyMDEContainer .CodeMirror-scroll{height:auto}.EasyMDEContainer .editor-toolbar{--tw-border-opacity:1;border-color:rgba(var(--gray-200),var(--tw-border-opacity));border-radius:0;border-width:0 0 1px;-moz-column-gap:.25rem;column-gap:.25rem;display:flex;overflow-x:auto;padding:.5rem .625rem}.EasyMDEContainer .editor-toolbar:is(.dark *){border-color:hsla(0,0%,100%,.1)}.EasyMDEContainer .editor-toolbar button{border-radius:.5rem;border-style:none;cursor:pointer;display:grid;height:2rem;padding:0;place-content:center;transition-duration:75ms;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1);width:2rem}.EasyMDEContainer .editor-toolbar button:hover{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.EasyMDEContainer .editor-toolbar button:focus-visible{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.EasyMDEContainer .editor-toolbar button:hover:is(.dark *){background-color:hsla(0,0%,100%,.05)}.EasyMDEContainer .editor-toolbar button:focus-visible:is(.dark *){background-color:hsla(0,0%,100%,.05)}.EasyMDEContainer .editor-toolbar button.active{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.EasyMDEContainer .editor-toolbar button.active:is(.dark *){background-color:hsla(0,0%,100%,.05)}.EasyMDEContainer .editor-toolbar button:before{--tw-bg-opacity:1;background-color:rgba(var(--gray-700),var(--tw-bg-opacity));display:block;height:1.25rem;width:1.25rem}.EasyMDEContainer .editor-toolbar button:is(.dark *):before{--tw-bg-opacity:1;background-color:rgba(var(--gray-300),var(--tw-bg-opacity))}.EasyMDEContainer .editor-toolbar button:before{content:"";-webkit-mask-position:center;mask-position:center;-webkit-mask-repeat:no-repeat;mask-repeat:no-repeat}.EasyMDEContainer .editor-toolbar button.active:before{--tw-bg-opacity:1;background-color:rgba(var(--primary-600),var(--tw-bg-opacity))}.EasyMDEContainer .editor-toolbar button.active:is(.dark *):before{--tw-bg-opacity:1;background-color:rgba(var(--primary-400),var(--tw-bg-opacity))}.EasyMDEContainer .editor-toolbar .separator{border-style:none;margin:0!important;width:.25rem}.EasyMDEContainer .editor-toolbar .bold:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M4 3a1 1 0 0 1 1-1h6a4.5 4.5 0 0 1 3.274 7.587A4.75 4.75 0 0 1 11.25 18H5a1 1 0 0 1-1-1V3Zm2.5 5.5v-4H11a2 2 0 1 1 0 4H6.5Zm0 2.5v4.5h4.75a2.25 2.25 0 0 0 0-4.5H6.5Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M4 3a1 1 0 0 1 1-1h6a4.5 4.5 0 0 1 3.274 7.587A4.75 4.75 0 0 1 11.25 18H5a1 1 0 0 1-1-1V3Zm2.5 5.5v-4H11a2 2 0 1 1 0 4H6.5Zm0 2.5v4.5h4.75a2.25 2.25 0 0 0 0-4.5H6.5Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .italic:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M8 2.75A.75.75 0 0 1 8.75 2h7.5a.75.75 0 0 1 0 1.5h-3.215l-4.483 13h2.698a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1 0-1.5h3.215l4.483-13H8.75A.75.75 0 0 1 8 2.75Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M8 2.75A.75.75 0 0 1 8.75 2h7.5a.75.75 0 0 1 0 1.5h-3.215l-4.483 13h2.698a.75.75 0 0 1 0 1.5h-7.5a.75.75 0 0 1 0-1.5h3.215l4.483-13H8.75A.75.75 0 0 1 8 2.75Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .strikethrough:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M11.617 3.963c-1.186-.318-2.418-.323-3.416.015-.992.336-1.49.91-1.642 1.476-.152.566-.007 1.313.684 2.1.528.6 1.273 1.1 2.128 1.446h7.879a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1 0-1.5h3.813a5.976 5.976 0 0 1-.447-.456C5.18 7.479 4.798 6.231 5.11 5.066c.312-1.164 1.268-2.055 2.61-2.509 1.336-.451 2.877-.42 4.286-.043.856.23 1.684.592 2.409 1.074a.75.75 0 1 1-.83 1.25 6.723 6.723 0 0 0-1.968-.875Zm1.909 8.123a.75.75 0 0 1 1.015.309c.53.99.607 2.062.18 3.01-.421.94-1.289 1.648-2.441 2.038-1.336.452-2.877.42-4.286.043-1.409-.377-2.759-1.121-3.69-2.18a.75.75 0 1 1 1.127-.99c.696.791 1.765 1.403 2.952 1.721 1.186.318 2.418.323 3.416-.015.853-.288 1.34-.756 1.555-1.232.21-.467.205-1.049-.136-1.69a.75.75 0 0 1 .308-1.014Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M11.617 3.963c-1.186-.318-2.418-.323-3.416.015-.992.336-1.49.91-1.642 1.476-.152.566-.007 1.313.684 2.1.528.6 1.273 1.1 2.128 1.446h7.879a.75.75 0 0 1 0 1.5H2.75a.75.75 0 0 1 0-1.5h3.813a5.976 5.976 0 0 1-.447-.456C5.18 7.479 4.798 6.231 5.11 5.066c.312-1.164 1.268-2.055 2.61-2.509 1.336-.451 2.877-.42 4.286-.043.856.23 1.684.592 2.409 1.074a.75.75 0 1 1-.83 1.25 6.723 6.723 0 0 0-1.968-.875Zm1.909 8.123a.75.75 0 0 1 1.015.309c.53.99.607 2.062.18 3.01-.421.94-1.289 1.648-2.441 2.038-1.336.452-2.877.42-4.286.043-1.409-.377-2.759-1.121-3.69-2.18a.75.75 0 1 1 1.127-.99c.696.791 1.765 1.403 2.952 1.721 1.186.318 2.418.323 3.416-.015.853-.288 1.34-.756 1.555-1.232.21-.467.205-1.049-.136-1.69a.75.75 0 0 1 .308-1.014Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .link:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath d='M12.232 4.232a2.5 2.5 0 0 1 3.536 3.536l-1.225 1.224a.75.75 0 0 0 1.061 1.06l1.224-1.224a4 4 0 0 0-5.656-5.656l-3 3a4 4 0 0 0 .225 5.865.75.75 0 0 0 .977-1.138 2.5 2.5 0 0 1-.142-3.667l3-3Z'/%3E%3Cpath d='M11.603 7.963a.75.75 0 0 0-.977 1.138 2.5 2.5 0 0 1 .142 3.667l-3 3a2.5 2.5 0 0 1-3.536-3.536l1.225-1.224a.75.75 0 0 0-1.061-1.06l-1.224 1.224a4 4 0 1 0 5.656 5.656l3-3a4 4 0 0 0-.225-5.865Z'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath d='M12.232 4.232a2.5 2.5 0 0 1 3.536 3.536l-1.225 1.224a.75.75 0 0 0 1.061 1.06l1.224-1.224a4 4 0 0 0-5.656-5.656l-3 3a4 4 0 0 0 .225 5.865.75.75 0 0 0 .977-1.138 2.5 2.5 0 0 1-.142-3.667l3-3Z'/%3E%3Cpath d='M11.603 7.963a.75.75 0 0 0-.977 1.138 2.5 2.5 0 0 1 .142 3.667l-3 3a2.5 2.5 0 0 1-3.536-3.536l1.225-1.224a.75.75 0 0 0-1.061-1.06l-1.224 1.224a4 4 0 1 0 5.656 5.656l3-3a4 4 0 0 0-.225-5.865Z'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .heading:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M2.75 4a.75.75 0 0 1 .75.75v4.5h5v-4.5a.75.75 0 0 1 1.5 0v10.5a.75.75 0 0 1-1.5 0v-4.5h-5v4.5a.75.75 0 0 1-1.5 0V4.75A.75.75 0 0 1 2.75 4ZM13 8.75a.75.75 0 0 1 .75-.75h1.75a.75.75 0 0 1 .75.75v5.75h1a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1 0-1.5h1v-5h-1a.75.75 0 0 1-.75-.75Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M2.75 4a.75.75 0 0 1 .75.75v4.5h5v-4.5a.75.75 0 0 1 1.5 0v10.5a.75.75 0 0 1-1.5 0v-4.5h-5v4.5a.75.75 0 0 1-1.5 0V4.75A.75.75 0 0 1 2.75 4ZM13 8.75a.75.75 0 0 1 .75-.75h1.75a.75.75 0 0 1 .75.75v5.75h1a.75.75 0 0 1 0 1.5h-3.5a.75.75 0 0 1 0-1.5h1v-5h-1a.75.75 0 0 1-.75-.75Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .quote:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M10 2c-2.236 0-4.43.18-6.57.524C1.993 2.755 1 4.014 1 5.426v5.148c0 1.413.993 2.67 2.43 2.902 1.168.188 2.352.327 3.55.414.28.02.521.18.642.413l1.713 3.293a.75.75 0 0 0 1.33 0l1.713-3.293a.783.783 0 0 1 .642-.413 41.102 41.102 0 0 0 3.55-.414c1.437-.231 2.43-1.49 2.43-2.902V5.426c0-1.413-.993-2.67-2.43-2.902A41.289 41.289 0 0 0 10 2ZM6.75 6a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Zm0 2.5a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M10 2c-2.236 0-4.43.18-6.57.524C1.993 2.755 1 4.014 1 5.426v5.148c0 1.413.993 2.67 2.43 2.902 1.168.188 2.352.327 3.55.414.28.02.521.18.642.413l1.713 3.293a.75.75 0 0 0 1.33 0l1.713-3.293a.783.783 0 0 1 .642-.413 41.102 41.102 0 0 0 3.55-.414c1.437-.231 2.43-1.49 2.43-2.902V5.426c0-1.413-.993-2.67-2.43-2.902A41.289 41.289 0 0 0 10 2ZM6.75 6a.75.75 0 0 0 0 1.5h6.5a.75.75 0 0 0 0-1.5h-6.5Zm0 2.5a.75.75 0 0 0 0 1.5h3.5a.75.75 0 0 0 0-1.5h-3.5Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .code:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M6.28 5.22a.75.75 0 0 1 0 1.06L2.56 10l3.72 3.72a.75.75 0 0 1-1.06 1.06L.97 10.53a.75.75 0 0 1 0-1.06l4.25-4.25a.75.75 0 0 1 1.06 0Zm7.44 0a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 0 1 0 1.06l-4.25 4.25a.75.75 0 0 1-1.06-1.06L17.44 10l-3.72-3.72a.75.75 0 0 1 0-1.06Zm-2.343-3.209a.75.75 0 0 1 .612.867l-2.5 14.5a.75.75 0 0 1-1.478-.255l2.5-14.5a.75.75 0 0 1 .866-.612Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M6.28 5.22a.75.75 0 0 1 0 1.06L2.56 10l3.72 3.72a.75.75 0 0 1-1.06 1.06L.97 10.53a.75.75 0 0 1 0-1.06l4.25-4.25a.75.75 0 0 1 1.06 0Zm7.44 0a.75.75 0 0 1 1.06 0l4.25 4.25a.75.75 0 0 1 0 1.06l-4.25 4.25a.75.75 0 0 1-1.06-1.06L17.44 10l-3.72-3.72a.75.75 0 0 1 0-1.06Zm-2.343-3.209a.75.75 0 0 1 .612.867l-2.5 14.5a.75.75 0 0 1-1.478-.255l2.5-14.5a.75.75 0 0 1 .866-.612Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .unordered-list:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M6 4.75A.75.75 0 0 1 6.75 4h10.5a.75.75 0 0 1 0 1.5H6.75A.75.75 0 0 1 6 4.75ZM6 10a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H6.75A.75.75 0 0 1 6 10Zm0 5.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H6.75a.75.75 0 0 1-.75-.75ZM1.99 4.75a1 1 0 0 1 1-1H3a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1v-.01Zm0 10.5a1 1 0 0 1 1-1H3a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1v-.01Zm0-5.25a1 1 0 0 1 1-1H3a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1V10Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M6 4.75A.75.75 0 0 1 6.75 4h10.5a.75.75 0 0 1 0 1.5H6.75A.75.75 0 0 1 6 4.75ZM6 10a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H6.75A.75.75 0 0 1 6 10Zm0 5.25a.75.75 0 0 1 .75-.75h10.5a.75.75 0 0 1 0 1.5H6.75a.75.75 0 0 1-.75-.75ZM1.99 4.75a1 1 0 0 1 1-1H3a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1v-.01Zm0 10.5a1 1 0 0 1 1-1H3a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1v-.01Zm0-5.25a1 1 0 0 1 1-1H3a1 1 0 0 1 1 1v.01a1 1 0 0 1-1 1h-.01a1 1 0 0 1-1-1V10Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .ordered-list:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath d='M3 1.25a.75.75 0 0 0 0 1.5h.25v2.5a.75.75 0 0 0 1.5 0V2A.75.75 0 0 0 4 1.25H3Zm-.03 7.404a3.5 3.5 0 0 1 1.524-.12.034.034 0 0 1-.012.012L2.415 9.579A.75.75 0 0 0 2 10.25v1c0 .414.336.75.75.75h2.5a.75.75 0 0 0 0-1.5H3.927l1.225-.613c.52-.26.848-.79.848-1.371 0-.647-.429-1.327-1.193-1.451a5.03 5.03 0 0 0-2.277.155.75.75 0 0 0 .44 1.434ZM7.75 3a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5Zm0 6.25a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5Zm0 6.25a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5Zm-5.125-1.625a.75.75 0 0 0 0 1.5h1.5a.125.125 0 0 1 0 .25H3.5a.75.75 0 0 0 0 1.5h.625a.125.125 0 0 1 0 .25h-1.5a.75.75 0 0 0 0 1.5h1.5a1.625 1.625 0 0 0 1.37-2.5 1.625 1.625 0 0 0-1.37-2.5h-1.5Z'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath d='M3 1.25a.75.75 0 0 0 0 1.5h.25v2.5a.75.75 0 0 0 1.5 0V2A.75.75 0 0 0 4 1.25H3Zm-.03 7.404a3.5 3.5 0 0 1 1.524-.12.034.034 0 0 1-.012.012L2.415 9.579A.75.75 0 0 0 2 10.25v1c0 .414.336.75.75.75h2.5a.75.75 0 0 0 0-1.5H3.927l1.225-.613c.52-.26.848-.79.848-1.371 0-.647-.429-1.327-1.193-1.451a5.03 5.03 0 0 0-2.277.155.75.75 0 0 0 .44 1.434ZM7.75 3a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5Zm0 6.25a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5Zm0 6.25a.75.75 0 0 0 0 1.5h9.5a.75.75 0 0 0 0-1.5h-9.5Zm-5.125-1.625a.75.75 0 0 0 0 1.5h1.5a.125.125 0 0 1 0 .25H3.5a.75.75 0 0 0 0 1.5h.625a.125.125 0 0 1 0 .25h-1.5a.75.75 0 0 0 0 1.5h1.5a1.625 1.625 0 0 0 1.37-2.5 1.625 1.625 0 0 0-1.37-2.5h-1.5Z'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .table:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M.99 5.24A2.25 2.25 0 0 1 3.25 3h13.5A2.25 2.25 0 0 1 19 5.25l.01 9.5A2.25 2.25 0 0 1 16.76 17H3.26A2.267 2.267 0 0 1 1 14.74l-.01-9.5Zm8.26 9.52v-.625a.75.75 0 0 0-.75-.75H3.25a.75.75 0 0 0-.75.75v.615c0 .414.336.75.75.75h5.373a.75.75 0 0 0 .627-.74Zm1.5 0a.75.75 0 0 0 .627.74h5.373a.75.75 0 0 0 .75-.75v-.615a.75.75 0 0 0-.75-.75H11.5a.75.75 0 0 0-.75.75v.625Zm6.75-3.63v-.625a.75.75 0 0 0-.75-.75H11.5a.75.75 0 0 0-.75.75v.625c0 .414.336.75.75.75h5.25a.75.75 0 0 0 .75-.75Zm-8.25 0v-.625a.75.75 0 0 0-.75-.75H3.25a.75.75 0 0 0-.75.75v.625c0 .414.336.75.75.75H8.5a.75.75 0 0 0 .75-.75ZM17.5 7.5v-.625a.75.75 0 0 0-.75-.75H11.5a.75.75 0 0 0-.75.75V7.5c0 .414.336.75.75.75h5.25a.75.75 0 0 0 .75-.75Zm-8.25 0v-.625a.75.75 0 0 0-.75-.75H3.25a.75.75 0 0 0-.75.75V7.5c0 .414.336.75.75.75H8.5a.75.75 0 0 0 .75-.75Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M.99 5.24A2.25 2.25 0 0 1 3.25 3h13.5A2.25 2.25 0 0 1 19 5.25l.01 9.5A2.25 2.25 0 0 1 16.76 17H3.26A2.267 2.267 0 0 1 1 14.74l-.01-9.5Zm8.26 9.52v-.625a.75.75 0 0 0-.75-.75H3.25a.75.75 0 0 0-.75.75v.615c0 .414.336.75.75.75h5.373a.75.75 0 0 0 .627-.74Zm1.5 0a.75.75 0 0 0 .627.74h5.373a.75.75 0 0 0 .75-.75v-.615a.75.75 0 0 0-.75-.75H11.5a.75.75 0 0 0-.75.75v.625Zm6.75-3.63v-.625a.75.75 0 0 0-.75-.75H11.5a.75.75 0 0 0-.75.75v.625c0 .414.336.75.75.75h5.25a.75.75 0 0 0 .75-.75Zm-8.25 0v-.625a.75.75 0 0 0-.75-.75H3.25a.75.75 0 0 0-.75.75v.625c0 .414.336.75.75.75H8.5a.75.75 0 0 0 .75-.75ZM17.5 7.5v-.625a.75.75 0 0 0-.75-.75H11.5a.75.75 0 0 0-.75.75V7.5c0 .414.336.75.75.75h5.25a.75.75 0 0 0 .75-.75Zm-8.25 0v-.625a.75.75 0 0 0-.75-.75H3.25a.75.75 0 0 0-.75.75V7.5c0 .414.336.75.75.75H8.5a.75.75 0 0 0 .75-.75Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .upload-image:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M1 5.25A2.25 2.25 0 0 1 3.25 3h13.5A2.25 2.25 0 0 1 19 5.25v9.5A2.25 2.25 0 0 1 16.75 17H3.25A2.25 2.25 0 0 1 1 14.75v-9.5Zm1.5 5.81v3.69c0 .414.336.75.75.75h13.5a.75.75 0 0 0 .75-.75v-2.69l-2.22-2.219a.75.75 0 0 0-1.06 0l-1.91 1.909.47.47a.75.75 0 1 1-1.06 1.06L6.53 8.091a.75.75 0 0 0-1.06 0l-2.97 2.97ZM12 7a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M1 5.25A2.25 2.25 0 0 1 3.25 3h13.5A2.25 2.25 0 0 1 19 5.25v9.5A2.25 2.25 0 0 1 16.75 17H3.25A2.25 2.25 0 0 1 1 14.75v-9.5Zm1.5 5.81v3.69c0 .414.336.75.75.75h13.5a.75.75 0 0 0 .75-.75v-2.69l-2.22-2.219a.75.75 0 0 0-1.06 0l-1.91 1.909.47.47a.75.75 0 1 1-1.06 1.06L6.53 8.091a.75.75 0 0 0-1.06 0l-2.97 2.97ZM12 7a1 1 0 1 1-2 0 1 1 0 0 1 2 0Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .undo:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M7.793 2.232a.75.75 0 0 1-.025 1.06L3.622 7.25h10.003a5.375 5.375 0 0 1 0 10.75H10.75a.75.75 0 0 1 0-1.5h2.875a3.875 3.875 0 0 0 0-7.75H3.622l4.146 3.957a.75.75 0 0 1-1.036 1.085l-5.5-5.25a.75.75 0 0 1 0-1.085l5.5-5.25a.75.75 0 0 1 1.06.025Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M7.793 2.232a.75.75 0 0 1-.025 1.06L3.622 7.25h10.003a5.375 5.375 0 0 1 0 10.75H10.75a.75.75 0 0 1 0-1.5h2.875a3.875 3.875 0 0 0 0-7.75H3.622l4.146 3.957a.75.75 0 0 1-1.036 1.085l-5.5-5.25a.75.75 0 0 1 0-1.085l5.5-5.25a.75.75 0 0 1 1.06.025Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-toolbar .redo:before{-webkit-mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M12.207 2.232a.75.75 0 0 0 .025 1.06l4.146 3.958H6.375a5.375 5.375 0 0 0 0 10.75H9.25a.75.75 0 0 0 0-1.5H6.375a3.875 3.875 0 0 1 0-7.75h10.003l-4.146 3.957a.75.75 0 0 0 1.036 1.085l5.5-5.25a.75.75 0 0 0 0-1.085l-5.5-5.25a.75.75 0 0 0-1.06.025Z' clip-rule='evenodd'/%3E%3C/svg%3E");mask-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 20 20' fill='currentColor' class='size-5'%3E%3Cpath fill-rule='evenodd' d='M12.207 2.232a.75.75 0 0 0 .025 1.06l4.146 3.958H6.375a5.375 5.375 0 0 0 0 10.75H9.25a.75.75 0 0 0 0-1.5H6.375a3.875 3.875 0 0 1 0-7.75h10.003l-4.146 3.957a.75.75 0 0 0 1.036 1.085l5.5-5.25a.75.75 0 0 0 0-1.085l-5.5-5.25a.75.75 0 0 0-1.06.025Z' clip-rule='evenodd'/%3E%3C/svg%3E")}.EasyMDEContainer .editor-statusbar{display:none}.fi-fo-rich-editor trix-toolbar .trix-dialogs{position:relative}.fi-fo-rich-editor trix-toolbar .trix-dialog{--tw-bg-opacity:1;--tw-shadow:0 4px 6px -1px rgba(0,0,0,.1),0 2px 4px -2px rgba(0,0,0,.1);--tw-shadow-colored:0 4px 6px -1px var(--tw-shadow-color),0 2px 4px -2px var(--tw-shadow-color);background-color:rgba(var(--gray-50),var(--tw-bg-opacity));border-radius:.5rem;bottom:auto;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);left:0;padding:.5rem;position:absolute;right:0;top:1rem}.fi-fo-rich-editor trix-toolbar .trix-dialog:is(.dark *){--tw-bg-opacity:1;background-color:rgba(var(--gray-800),var(--tw-bg-opacity))}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields{display:flex;flex-direction:column;gap:.5rem;width:100%}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-button-group{display:flex;gap:.5rem}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input{--tw-bg-opacity:1;--tw-text-opacity:1;--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--gray-950),0.1);background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.375rem;border-style:none;box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);color:rgba(var(--gray-950),var(--tw-text-opacity));display:block;font-size:.875rem;line-height:1.25rem;outline:2px solid transparent;outline-offset:2px;padding-bottom:.375rem;padding-inline-end:.75rem;padding-top:.375rem;padding-inline-start:.75rem;transition-duration:75ms;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1);width:100%}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input::-moz-placeholder{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input::placeholder{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input:focus-within{--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-600),var(--tw-ring-opacity))}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input:is(.dark *){--tw-bg-opacity:1;--tw-text-opacity:1;--tw-ring-color:hsla(0,0%,100%,.2);background-color:rgba(var(--gray-700),var(--tw-bg-opacity));color:rgb(255 255 255/var(--tw-text-opacity))}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input:is(.dark *)::-moz-placeholder{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input:is(.dark *)::placeholder{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input:focus-within:is(.dark *){--tw-ring-opacity:1;--tw-ring-color:rgba(var(--primary-600),var(--tw-ring-opacity))}@media (min-width:640px){.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-input{font-size:.875rem;line-height:1.5rem}}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-button-group .trix-button{--tw-bg-opacity:1;--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-opacity:1;--tw-ring-color:rgba(var(--gray-200),var(--tw-ring-opacity));background-color:rgba(var(--gray-50),var(--tw-bg-opacity));border-radius:.375rem;box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);font-size:.75rem;line-height:1rem;padding:.125rem .5rem}.fi-fo-rich-editor trix-toolbar .trix-dialog__link-fields .trix-button-group .trix-button:is(.dark *){--tw-bg-opacity:1;--tw-ring-opacity:1;--tw-ring-color:rgba(var(--gray-600),var(--tw-ring-opacity));background-color:rgba(var(--gray-700),var(--tw-bg-opacity))}.fi-fo-rich-editor trix-editor:empty:before{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.fi-fo-rich-editor trix-editor:empty:is(.dark *):before{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.fi-fo-rich-editor trix-editor:empty:before{content:attr(placeholder)}.fi-fo-rich-editor trix-editor.prose :where(ol):not(:where([class~=not-prose] *)),.fi-fo-rich-editor trix-editor.prose :where(ul):not(:where([class~=not-prose] *)){padding-inline-end:0!important;padding-inline-start:1.625em!important}.fi-fo-rich-editor trix-editor.prose :where(ul>li):not(:where([class~=not-prose] *)){padding-inline-end:0!important;padding-inline-start:.375em!important}select:not(.choices){background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='none' viewBox='0 0 20 20'%3E%3Cpath stroke='%236b7280' stroke-linecap='round' stroke-linejoin='round' stroke-width='1.5' d='m6 8 4 4 4-4'/%3E%3C/svg%3E")}[dir=rtl] select{background-position:left .5rem center!important}.choices{outline:2px solid transparent;outline-offset:2px;position:relative}.choices [hidden]{display:none!important}.choices[data-type*=select-one] .has-no-choices{display:none}.choices[data-type*=select-one] .choices__input{display:block;margin:0;width:100%}.choices__inner{background-repeat:no-repeat;outline:2px solid transparent;outline-offset:2px;padding-bottom:.375rem;padding-inline-end:2rem;padding-top:.375rem;padding-inline-start:.75rem}@media (min-width:640px){.choices__inner{font-size:.875rem;line-height:1.5rem}}.choices__inner{background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' fill='none' viewBox='0 0 20 20'%3E%3Cpath stroke='%236b7280' stroke-linecap='round' stroke-linejoin='round' stroke-width='1.5' d='m6 8 4 4 4-4'/%3E%3C/svg%3E");background-position:right .5rem center;background-size:1.5em 1.5em}.choices.is-disabled .choices__inner{cursor:default}[dir=rtl] .choices__inner{background-position:left .5rem center}.choices__list--single{display:inline-block}.choices__list--single .choices__item{--tw-text-opacity:1;color:rgba(var(--gray-950),var(--tw-text-opacity))}.choices__list--single .choices__item:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.choices.is-disabled .choices__list--single .choices__item{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.choices.is-disabled .choices__list--single .choices__item:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.choices__list--multiple{display:flex;flex-wrap:wrap;gap:.375rem}.choices__list--multiple:not(:empty){margin-bottom:.25rem;margin-left:-.25rem;margin-right:-.25rem;padding-bottom:.125rem;padding-top:.125rem}.choices__list--multiple .choices__item{--tw-bg-opacity:1;--tw-text-opacity:1;--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-inset:inset;--tw-ring-color:rgba(var(--primary-600),0.1);align-items:center;background-color:rgba(var(--primary-50),var(--tw-bg-opacity));border-radius:.375rem;box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);color:rgba(var(--primary-600),var(--tw-text-opacity));display:inline-flex;font-size:.75rem;font-weight:500;gap:.25rem;line-height:1rem;padding:.25rem .5rem;word-break:break-all}.choices__list--multiple .choices__item:is(.dark *){--tw-text-opacity:1;--tw-ring-color:rgba(var(--primary-400),0.3);background-color:rgba(var(--primary-400),.1);color:rgba(var(--primary-400),var(--tw-text-opacity))}.choices__list--dropdown,.choices__list[aria-expanded]{--tw-bg-opacity:1;--tw-shadow:0 10px 15px -3px rgba(0,0,0,.1),0 4px 6px -4px rgba(0,0,0,.1);--tw-shadow-colored:0 10px 15px -3px var(--tw-shadow-color),0 4px 6px -4px var(--tw-shadow-color);--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--gray-950),0.05);background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);display:none;font-size:.875rem;line-height:1.25rem;margin-top:.5rem;overflow:hidden;overflow-wrap:break-word;position:absolute;top:100%;width:100%;will-change:visibility;z-index:10}.choices__list--dropdown:is(.dark *),.choices__list[aria-expanded]:is(.dark *){--tw-bg-opacity:1;--tw-ring-color:hsla(0,0%,100%,.1);background-color:rgba(var(--gray-900),var(--tw-bg-opacity))}.is-active.choices__list--dropdown,.is-active.choices__list[aria-expanded]{display:block;padding:.25rem}.choices__list--dropdown .choices__list,.choices__list[aria-expanded] .choices__list{max-height:15rem;overflow:auto;will-change:scroll-position}.choices__item--choice{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity));padding:.5rem;transition-duration:75ms;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke;transition-timing-function:cubic-bezier(.4,0,.2,1)}.choices__item--choice:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.choices__item--choice.choices__item--selectable{--tw-text-opacity:1;border-radius:.375rem;color:rgba(var(--gray-950),var(--tw-text-opacity))}.choices__item--choice.choices__item--selectable:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.choices__list--dropdown .choices__item--selectable.is-highlighted,.choices__list[aria-expanded] .choices__item--selectable.is-highlighted{--tw-bg-opacity:1;background-color:rgba(var(--gray-50),var(--tw-bg-opacity))}.choices__list--dropdown .choices__item--selectable.is-highlighted:is(.dark *),.choices__list[aria-expanded] .choices__item--selectable.is-highlighted:is(.dark *){background-color:hsla(0,0%,100%,.05)}.choices__item{cursor:default}.choices__item--disabled{pointer-events:none}.choices__item--disabled:disabled{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.choices__item--disabled:disabled:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.choices.is-disabled .choices__placeholder.choices__item,.choices__placeholder.choices__item{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity));cursor:default}.choices.is-disabled .choices__placeholder.choices__item:is(.dark *),.choices__placeholder.choices__item:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.choices__button{background-color:transparent;background-position:50%;background-repeat:no-repeat;border-width:0;outline:2px solid transparent;outline-offset:2px;text-indent:-9999px}.choices[data-type*=select-one] .choices__button{height:1rem;inset-inline-end:0;margin-inline-end:2.25rem;opacity:.5;padding:0;position:absolute;transition-duration:75ms;transition-property:opacity;transition-timing-function:cubic-bezier(.4,0,.2,1);width:1rem}.choices[data-type*=select-one] .choices__button:is(.dark *){opacity:.4}.choices[data-type*=select-one] .choices__button{background-image:url(data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMjEiIGhlaWdodD0iMjEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PGcgZmlsbC1ydWxlPSJldmVub2RkIj48cGF0aCBkPSJtMi41OTIuMDQ0IDE4LjM2NCAxOC4zNjQtMi41NDggMi41NDhMLjA0NCAyLjU5MnoiLz48cGF0aCBkPSJNMCAxOC4zNjQgMTguMzY0IDBsMi41NDggMi41NDhMMi41NDggMjAuOTEyeiIvPjwvZz48L3N2Zz4=);background-size:.7142em .7142em;top:calc(50% - .5714em)}.dark .choices[data-type*=select-one] .choices__button{background-image:url(data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMjEiIGhlaWdodD0iMjEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PGcgZmlsbD0iI2ZmZiIgZmlsbC1ydWxlPSJldmVub2RkIj48cGF0aCBkPSJtMi41OTIuMDQ0IDE4LjM2NCAxOC4zNjQtMi41NDggMi41NDhMLjA0NCAyLjU5MnoiLz48cGF0aCBkPSJNMCAxOC4zNjQgMTguMzY0IDBsMi41NDggMi41NDhMMi41NDggMjAuOTEyeiIvPjwvZz48L3N2Zz4=)}.choices[data-type*=select-multiple] .choices__button{height:1rem;opacity:.5;width:1rem}.choices[data-type*=select-multiple] .choices__button:is(.dark *){opacity:.4}.choices[data-type*=select-multiple] .choices__button{background-image:url(data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMjEiIGhlaWdodD0iMjEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PGcgZmlsbC1ydWxlPSJldmVub2RkIj48cGF0aCBkPSJtMi41OTIuMDQ0IDE4LjM2NCAxOC4zNjQtMi41NDggMi41NDhMLjA0NCAyLjU5MnoiLz48cGF0aCBkPSJNMCAxOC4zNjQgMTguMzY0IDBsMi41NDggMi41NDhMMi41NDggMjAuOTEyeiIvPjwvZz48L3N2Zz4=);background-size:.7142em .7142em}.dark .choices[data-type*=select-multiple] .choices__button{background-image:url(data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMjEiIGhlaWdodD0iMjEiIHhtbG5zPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyI+PGcgZmlsbD0iI2ZmZiIgZmlsbC1ydWxlPSJldmVub2RkIj48cGF0aCBkPSJtMi41OTIuMDQ0IDE4LjM2NCAxOC4zNjQtMi41NDggMi41NDhMLjA0NCAyLjU5MnoiLz48cGF0aCBkPSJNMCAxOC4zNjQgMTguMzY0IDBsMi41NDggMi41NDhMMi41NDggMjAuOTEyeiIvPjwvZz48L3N2Zz4=)}.choices[data-type*=select-multiple] .choices__button:focus-visible,.choices[data-type*=select-multiple] .choices__button:hover,.choices[data-type*=select-one] .choices__button:focus-visible,.choices[data-type*=select-one] .choices__button:hover{opacity:.7}.choices[data-type*=select-multiple] .choices__button:focus-visible:is(.dark *),.choices[data-type*=select-multiple] .choices__button:hover:is(.dark *),.choices[data-type*=select-one] .choices__button:focus-visible:is(.dark *),.choices[data-type*=select-one] .choices__button:hover:is(.dark *){opacity:.6}.choices.is-disabled .choices__button,.choices[data-type*=select-one] .choices__item[data-value=""] .choices__button{display:none}.choices__input{--tw-text-opacity:1;background-color:transparent!important;border-style:none;color:rgba(var(--gray-950),var(--tw-text-opacity));font-size:1rem!important;line-height:1.5rem!important;padding:0!important;transition-duration:75ms;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1)}.choices__input::-moz-placeholder{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.choices__input::placeholder{--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.choices__input:focus-visible{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color)!important;--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(var(--tw-ring-offset-width)) var(--tw-ring-color)!important;box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)!important}.choices__input:disabled{--tw-text-opacity:1;-webkit-text-fill-color:rgba(var(--gray-500),1);color:rgba(var(--gray-500),var(--tw-text-opacity))}.choices__input:is(.dark *){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.choices__input:is(.dark *)::-moz-placeholder{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.choices__input:is(.dark *)::placeholder{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity))}.choices__input:disabled:is(.dark *){--tw-text-opacity:1;-webkit-text-fill-color:rgba(var(--gray-400),1);color:rgba(var(--gray-400),var(--tw-text-opacity))}@media (min-width:640px){.choices__input{font-size:.875rem!important;line-height:1.5rem}}.choices__list--dropdown .choices__input{padding:.5rem!important}.choices__input::-webkit-search-cancel-button,.choices__input::-webkit-search-decoration,.choices__input::-webkit-search-results-button,.choices__input::-webkit-search-results-decoration{display:none}.choices__input::-ms-clear,.choices__input::-ms-reveal{display:none;height:0;width:0}.choices__group{--tw-text-opacity:1;color:rgba(var(--gray-500),var(--tw-text-opacity));padding:1rem .5rem .5rem}.choices__group:first-child{padding-top:.5rem}.choices__group:is(.dark *){--tw-text-opacity:1;color:rgba(var(--gray-400),var(--tw-text-opacity))}.webkit-calendar-picker-indicator\:opacity-0::-webkit-calendar-picker-indicator{opacity:0}/*! Bundled license information: + +cropperjs/dist/cropper.min.css: + (*! + * Cropper.js v1.6.2 + * https://fengyuanchen.github.io/cropperjs + * + * Copyright 2015-present Chen Fengyuan + * Released under the MIT license + * + * Date: 2024-04-21T07:43:02.731Z + *) + +filepond/dist/filepond.min.css: + (*! + * FilePond 4.31.4 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-edit/dist/filepond-plugin-image-edit.css: + (*! + * FilePondPluginImageEdit 1.6.3 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-preview/dist/filepond-plugin-image-preview.css: + (*! + * FilePondPluginImagePreview 4.6.12 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-media-preview/dist/filepond-plugin-media-preview.css: + (*! + * FilePondPluginmediaPreview 1.0.11 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit undefined for details. + *) + +easymde/dist/easymde.min.css: + (** + * easymde v2.18.0 + * Copyright Jeroen Akkerman + * @link https://github.com/ionaru/easy-markdown-editor + * @license MIT + *) +*/ \ No newline at end of file diff --git a/public/css/filament/support/support.css b/public/css/filament/support/support.css new file mode 100644 index 0000000..a80d070 --- /dev/null +++ b/public/css/filament/support/support.css @@ -0,0 +1 @@ +.fi-pagination-items,.fi-pagination-overview,.fi-pagination-records-per-page-select:not(.fi-compact){display:none}@supports (container-type:inline-size){.fi-pagination{container-type:inline-size}@container (min-width: 28rem){.fi-pagination-records-per-page-select.fi-compact{display:none}.fi-pagination-records-per-page-select:not(.fi-compact){display:inline}}@container (min-width: 56rem){.fi-pagination:not(.fi-simple)>.fi-pagination-previous-btn{display:none}.fi-pagination-overview{display:inline}.fi-pagination:not(.fi-simple)>.fi-pagination-next-btn{display:none}.fi-pagination-items{display:flex}}}@supports not (container-type:inline-size){@media (min-width:640px){.fi-pagination-records-per-page-select.fi-compact{display:none}.fi-pagination-records-per-page-select:not(.fi-compact){display:inline}}@media (min-width:768px){.fi-pagination:not(.fi-simple)>.fi-pagination-previous-btn{display:none}.fi-pagination-overview{display:inline}.fi-pagination:not(.fi-simple)>.fi-pagination-next-btn{display:none}.fi-pagination-items{display:flex}}}.tippy-box[data-animation=fade][data-state=hidden]{opacity:0}[data-tippy-root]{max-width:calc(100vw - 10px)}.tippy-box{background-color:#333;border-radius:4px;color:#fff;font-size:14px;line-height:1.4;outline:0;position:relative;transition-property:transform,visibility,opacity;white-space:normal}.tippy-box[data-placement^=top]>.tippy-arrow{bottom:0}.tippy-box[data-placement^=top]>.tippy-arrow:before{border-top-color:initial;border-width:8px 8px 0;bottom:-7px;left:0;transform-origin:center top}.tippy-box[data-placement^=bottom]>.tippy-arrow{top:0}.tippy-box[data-placement^=bottom]>.tippy-arrow:before{border-bottom-color:initial;border-width:0 8px 8px;left:0;top:-7px;transform-origin:center bottom}.tippy-box[data-placement^=left]>.tippy-arrow{right:0}.tippy-box[data-placement^=left]>.tippy-arrow:before{border-left-color:initial;border-width:8px 0 8px 8px;right:-7px;transform-origin:center left}.tippy-box[data-placement^=right]>.tippy-arrow{left:0}.tippy-box[data-placement^=right]>.tippy-arrow:before{border-right-color:initial;border-width:8px 8px 8px 0;left:-7px;transform-origin:center right}.tippy-box[data-inertia][data-state=visible]{transition-timing-function:cubic-bezier(.54,1.5,.38,1.11)}.tippy-arrow{color:#333;height:16px;width:16px}.tippy-arrow:before{border-color:transparent;border-style:solid;content:"";position:absolute}.tippy-content{padding:5px 9px;position:relative;z-index:1}.tippy-box[data-theme~=light]{background-color:#fff;box-shadow:0 0 20px 4px #9aa1b126,0 4px 80px -8px #24282f40,0 4px 4px -2px #5b5e6926;color:#26323d}.tippy-box[data-theme~=light][data-placement^=top]>.tippy-arrow:before{border-top-color:#fff}.tippy-box[data-theme~=light][data-placement^=bottom]>.tippy-arrow:before{border-bottom-color:#fff}.tippy-box[data-theme~=light][data-placement^=left]>.tippy-arrow:before{border-left-color:#fff}.tippy-box[data-theme~=light][data-placement^=right]>.tippy-arrow:before{border-right-color:#fff}.tippy-box[data-theme~=light]>.tippy-backdrop{background-color:#fff}.tippy-box[data-theme~=light]>.tippy-svg-arrow{fill:#fff}.fi-sortable-ghost{opacity:.3} \ No newline at end of file diff --git a/public/js/filament/filament/app.js b/public/js/filament/filament/app.js new file mode 100644 index 0000000..caff167 --- /dev/null +++ b/public/js/filament/filament/app.js @@ -0,0 +1 @@ +(()=>{var Z=Object.create,L=Object.defineProperty,ee=Object.getPrototypeOf,te=Object.prototype.hasOwnProperty,re=Object.getOwnPropertyNames,ne=Object.getOwnPropertyDescriptor,ae=s=>L(s,"__esModule",{value:!0}),ie=(s,n)=>()=>(n||(n={exports:{}},s(n.exports,n)),n.exports),oe=(s,n,p)=>{if(n&&typeof n=="object"||typeof n=="function")for(let d of re(n))!te.call(s,d)&&d!=="default"&&L(s,d,{get:()=>n[d],enumerable:!(p=ne(n,d))||p.enumerable});return s},se=s=>oe(ae(L(s!=null?Z(ee(s)):{},"default",s&&s.__esModule&&"default"in s?{get:()=>s.default,enumerable:!0}:{value:s,enumerable:!0})),s),fe=ie((s,n)=>{(function(p,d,M){if(!p)return;for(var h={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",20:"capslock",27:"esc",32:"space",33:"pageup",34:"pagedown",35:"end",36:"home",37:"left",38:"up",39:"right",40:"down",45:"ins",46:"del",91:"meta",93:"meta",224:"meta"},y={106:"*",107:"+",109:"-",110:".",111:"/",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},g={"~":"`","!":"1","@":"2","#":"3",$:"4","%":"5","^":"6","&":"7","*":"8","(":"9",")":"0",_:"-","+":"=",":":";",'"':"'","<":",",">":".","?":"/","|":"\\"},q={option:"alt",command:"meta",return:"enter",escape:"esc",plus:"+",mod:/Mac|iPod|iPhone|iPad/.test(navigator.platform)?"meta":"ctrl"},S,w=1;w<20;++w)h[111+w]="f"+w;for(w=0;w<=9;++w)h[w+96]=w.toString();function C(e,t,a){if(e.addEventListener){e.addEventListener(t,a,!1);return}e.attachEvent("on"+t,a)}function T(e){if(e.type=="keypress"){var t=String.fromCharCode(e.which);return e.shiftKey||(t=t.toLowerCase()),t}return h[e.which]?h[e.which]:y[e.which]?y[e.which]:String.fromCharCode(e.which).toLowerCase()}function V(e,t){return e.sort().join(",")===t.sort().join(",")}function $(e){var t=[];return e.shiftKey&&t.push("shift"),e.altKey&&t.push("alt"),e.ctrlKey&&t.push("ctrl"),e.metaKey&&t.push("meta"),t}function B(e){if(e.preventDefault){e.preventDefault();return}e.returnValue=!1}function H(e){if(e.stopPropagation){e.stopPropagation();return}e.cancelBubble=!0}function O(e){return e=="shift"||e=="ctrl"||e=="alt"||e=="meta"}function J(){if(!S){S={};for(var e in h)e>95&&e<112||h.hasOwnProperty(e)&&(S[h[e]]=e)}return S}function U(e,t,a){return a||(a=J()[e]?"keydown":"keypress"),a=="keypress"&&t.length&&(a="keydown"),a}function X(e){return e==="+"?["+"]:(e=e.replace(/\+{2}/g,"+plus"),e.split("+"))}function I(e,t){var a,c,b,P=[];for(a=X(e),b=0;b1){z(r,m,o,l);return}f=I(r,l),t._callbacks[f.key]=t._callbacks[f.key]||[],j(f.key,f.modifiers,{type:f.action},i,r,u),t._callbacks[f.key][i?"unshift":"push"]({callback:o,modifiers:f.modifiers,action:f.action,seq:i,level:u,combo:r})}t._bindMultiple=function(r,o,l){for(var i=0;i-1||D(t,a.target))return!1;if("composedPath"in e&&typeof e.composedPath=="function"){var c=e.composedPath()[0];c!==e.target&&(t=c)}return t.tagName=="INPUT"||t.tagName=="SELECT"||t.tagName=="TEXTAREA"||t.isContentEditable},v.prototype.handleKey=function(){var e=this;return e._handleKey.apply(e,arguments)},v.addKeycodes=function(e){for(var t in e)e.hasOwnProperty(t)&&(h[t]=e[t]);S=null},v.init=function(){var e=v(d);for(var t in e)t.charAt(0)!=="_"&&(v[t]=function(a){return function(){return e[a].apply(e,arguments)}}(t))},v.init(),p.Mousetrap=v,typeof n<"u"&&n.exports&&(n.exports=v),typeof define=="function"&&define.amd&&define(function(){return v})})(typeof window<"u"?window:null,typeof window<"u"?document:null)}),R=se(fe());(function(s){if(s){var n={},p=s.prototype.stopCallback;s.prototype.stopCallback=function(d,M,h,y){var g=this;return g.paused?!0:n[h]||n[y]?!1:p.call(g,d,M,h)},s.prototype.bindGlobal=function(d,M,h){var y=this;if(y.bind(d,M,h),d instanceof Array){for(var g=0;g{s.directive("mousetrap",(n,{modifiers:p,expression:d},{evaluate:M})=>{let h=()=>d?M(d):n.click();p=p.map(y=>y.replace(/-/g,"+")),p.includes("global")&&(p=p.filter(y=>y!=="global"),R.default.bindGlobal(p,y=>{y.preventDefault(),h()})),R.default.bind(p,y=>{y.preventDefault(),h()})})},F=le;document.addEventListener("alpine:init",()=>{window.Alpine.plugin(F),window.Alpine.store("sidebar",{isOpen:window.Alpine.$persist(!0).as("isOpen"),collapsedGroups:window.Alpine.$persist(null).as("collapsedGroups"),groupIsCollapsed:function(n){return this.collapsedGroups.includes(n)},collapseGroup:function(n){this.collapsedGroups.includes(n)||(this.collapsedGroups=this.collapsedGroups.concat(n))},toggleCollapsedGroup:function(n){this.collapsedGroups=this.collapsedGroups.includes(n)?this.collapsedGroups.filter(p=>p!==n):this.collapsedGroups.concat(n)},close:function(){this.isOpen=!1},open:function(){this.isOpen=!0}});let s=localStorage.getItem("theme")??getComputedStyle(document.documentElement).getPropertyValue("--default-theme-mode");window.Alpine.store("theme",s==="dark"||s==="system"&&window.matchMedia("(prefers-color-scheme: dark)").matches?"dark":"light"),window.addEventListener("theme-changed",n=>{let p=n.detail;localStorage.setItem("theme",p),p==="system"&&(p=window.matchMedia("(prefers-color-scheme: dark)").matches?"dark":"light"),window.Alpine.store("theme",p)}),window.matchMedia("(prefers-color-scheme: dark)").addEventListener("change",n=>{localStorage.getItem("theme")==="system"&&window.Alpine.store("theme",n.matches?"dark":"light")}),window.Alpine.effect(()=>{window.Alpine.store("theme")==="dark"?document.documentElement.classList.add("dark"):document.documentElement.classList.remove("dark")})});})(); diff --git a/public/js/filament/filament/echo.js b/public/js/filament/filament/echo.js new file mode 100644 index 0000000..f1a9a28 --- /dev/null +++ b/public/js/filament/filament/echo.js @@ -0,0 +1,13 @@ +(()=>{var ki=Object.create;var he=Object.defineProperty;var Si=Object.getOwnPropertyDescriptor;var Ci=Object.getOwnPropertyNames;var Ti=Object.getPrototypeOf,Pi=Object.prototype.hasOwnProperty;var xi=(l,h)=>()=>(h||l((h={exports:{}}).exports,h),h.exports);var Oi=(l,h,a,c)=>{if(h&&typeof h=="object"||typeof h=="function")for(let s of Ci(h))!Pi.call(l,s)&&s!==a&&he(l,s,{get:()=>h[s],enumerable:!(c=Si(h,s))||c.enumerable});return l};var Ai=(l,h,a)=>(a=l!=null?ki(Ti(l)):{},Oi(h||!l||!l.__esModule?he(a,"default",{value:l,enumerable:!0}):a,l));var _e=xi((yt,It)=>{(function(h,a){typeof yt=="object"&&typeof It=="object"?It.exports=a():typeof define=="function"&&define.amd?define([],a):typeof yt=="object"?yt.Pusher=a():h.Pusher=a()})(window,function(){return function(l){var h={};function a(c){if(h[c])return h[c].exports;var s=h[c]={i:c,l:!1,exports:{}};return l[c].call(s.exports,s,s.exports,a),s.l=!0,s.exports}return a.m=l,a.c=h,a.d=function(c,s,f){a.o(c,s)||Object.defineProperty(c,s,{enumerable:!0,get:f})},a.r=function(c){typeof Symbol<"u"&&Symbol.toStringTag&&Object.defineProperty(c,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(c,"__esModule",{value:!0})},a.t=function(c,s){if(s&1&&(c=a(c)),s&8||s&4&&typeof c=="object"&&c&&c.__esModule)return c;var f=Object.create(null);if(a.r(f),Object.defineProperty(f,"default",{enumerable:!0,value:c}),s&2&&typeof c!="string")for(var d in c)a.d(f,d,function(N){return c[N]}.bind(null,d));return f},a.n=function(c){var s=c&&c.__esModule?function(){return c.default}:function(){return c};return a.d(s,"a",s),s},a.o=function(c,s){return Object.prototype.hasOwnProperty.call(c,s)},a.p="",a(a.s=2)}([function(l,h,a){"use strict";var c=this&&this.__extends||function(){var b=function(v,y){return b=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(w,O){w.__proto__=O}||function(w,O){for(var I in O)O.hasOwnProperty(I)&&(w[I]=O[I])},b(v,y)};return function(v,y){b(v,y);function w(){this.constructor=v}v.prototype=y===null?Object.create(y):(w.prototype=y.prototype,new w)}}();Object.defineProperty(h,"__esModule",{value:!0});var s=256,f=function(){function b(v){v===void 0&&(v="="),this._paddingCharacter=v}return b.prototype.encodedLength=function(v){return this._paddingCharacter?(v+2)/3*4|0:(v*8+5)/6|0},b.prototype.encode=function(v){for(var y="",w=0;w>>3*6&63),y+=this._encodeByte(O>>>2*6&63),y+=this._encodeByte(O>>>1*6&63),y+=this._encodeByte(O>>>0*6&63)}var I=v.length-w;if(I>0){var O=v[w]<<16|(I===2?v[w+1]<<8:0);y+=this._encodeByte(O>>>3*6&63),y+=this._encodeByte(O>>>2*6&63),I===2?y+=this._encodeByte(O>>>1*6&63):y+=this._paddingCharacter||"",y+=this._paddingCharacter||""}return y},b.prototype.maxDecodedLength=function(v){return this._paddingCharacter?v/4*3|0:(v*6+7)/8|0},b.prototype.decodedLength=function(v){return this.maxDecodedLength(v.length-this._getPaddingLength(v))},b.prototype.decode=function(v){if(v.length===0)return new Uint8Array(0);for(var y=this._getPaddingLength(v),w=v.length-y,O=new Uint8Array(this.maxDecodedLength(w)),I=0,q=0,M=0,J=0,F=0,z=0,B=0;q>>4,O[I++]=F<<4|z>>>2,O[I++]=z<<6|B,M|=J&s,M|=F&s,M|=z&s,M|=B&s;if(q>>4,M|=J&s,M|=F&s),q>>2,M|=z&s),q>>8&0-65-26+97,y+=51-v>>>8&26-97-52+48,y+=61-v>>>8&52-48-62+43,y+=62-v>>>8&62-43-63+47,String.fromCharCode(y)},b.prototype._decodeChar=function(v){var y=s;return y+=(42-v&v-44)>>>8&-s+v-43+62,y+=(46-v&v-48)>>>8&-s+v-47+63,y+=(47-v&v-58)>>>8&-s+v-48+52,y+=(64-v&v-91)>>>8&-s+v-65+0,y+=(96-v&v-123)>>>8&-s+v-97+26,y},b.prototype._getPaddingLength=function(v){var y=0;if(this._paddingCharacter){for(var w=v.length-1;w>=0&&v[w]===this._paddingCharacter;w--)y++;if(v.length<4||y>2)throw new Error("Base64Coder: incorrect padding")}return y},b}();h.Coder=f;var d=new f;function N(b){return d.encode(b)}h.encode=N;function P(b){return d.decode(b)}h.decode=P;var T=function(b){c(v,b);function v(){return b!==null&&b.apply(this,arguments)||this}return v.prototype._encodeByte=function(y){var w=y;return w+=65,w+=25-y>>>8&0-65-26+97,w+=51-y>>>8&26-97-52+48,w+=61-y>>>8&52-48-62+45,w+=62-y>>>8&62-45-63+95,String.fromCharCode(w)},v.prototype._decodeChar=function(y){var w=s;return w+=(44-y&y-46)>>>8&-s+y-45+62,w+=(94-y&y-96)>>>8&-s+y-95+63,w+=(47-y&y-58)>>>8&-s+y-48+52,w+=(64-y&y-91)>>>8&-s+y-65+0,w+=(96-y&y-123)>>>8&-s+y-97+26,w},v}(f);h.URLSafeCoder=T;var S=new T;function C(b){return S.encode(b)}h.encodeURLSafe=C;function x(b){return S.decode(b)}h.decodeURLSafe=x,h.encodedLength=function(b){return d.encodedLength(b)},h.maxDecodedLength=function(b){return d.maxDecodedLength(b)},h.decodedLength=function(b){return d.decodedLength(b)}},function(l,h,a){"use strict";Object.defineProperty(h,"__esModule",{value:!0});var c="utf8: invalid string",s="utf8: invalid source encoding";function f(P){for(var T=new Uint8Array(d(P)),S=0,C=0;C>6,T[S++]=128|x&63):x<55296?(T[S++]=224|x>>12,T[S++]=128|x>>6&63,T[S++]=128|x&63):(C++,x=(x&1023)<<10,x|=P.charCodeAt(C)&1023,x+=65536,T[S++]=240|x>>18,T[S++]=128|x>>12&63,T[S++]=128|x>>6&63,T[S++]=128|x&63)}return T}h.encode=f;function d(P){for(var T=0,S=0;S=P.length-1)throw new Error(c);S++,T+=4}else throw new Error(c)}return T}h.encodedLength=d;function N(P){for(var T=[],S=0;S=P.length)throw new Error(s);var b=P[++S];if((b&192)!==128)throw new Error(s);C=(C&31)<<6|b&63,x=128}else if(C<240){if(S>=P.length-1)throw new Error(s);var b=P[++S],v=P[++S];if((b&192)!==128||(v&192)!==128)throw new Error(s);C=(C&15)<<12|(b&63)<<6|v&63,x=2048}else if(C<248){if(S>=P.length-2)throw new Error(s);var b=P[++S],v=P[++S],y=P[++S];if((b&192)!==128||(v&192)!==128||(y&192)!==128)throw new Error(s);C=(C&15)<<18|(b&63)<<12|(v&63)<<6|y&63,x=65536}else throw new Error(s);if(C=55296&&C<=57343)throw new Error(s);if(C>=65536){if(C>1114111)throw new Error(s);C-=65536,T.push(String.fromCharCode(55296|C>>10)),C=56320|C&1023}}T.push(String.fromCharCode(C))}return T.join("")}h.decode=N},function(l,h,a){l.exports=a(3).default},function(l,h,a){"use strict";a.r(h);var c=function(){function e(t,n){this.lastId=0,this.prefix=t,this.name=n}return e.prototype.create=function(t){this.lastId++;var n=this.lastId,r=this.prefix+n,i=this.name+"["+n+"]",o=!1,u=function(){o||(t.apply(null,arguments),o=!0)};return this[n]=u,{number:n,id:r,name:i,callback:u}},e.prototype.remove=function(t){delete this[t.number]},e}(),s=new c("_pusher_script_","Pusher.ScriptReceivers"),f={VERSION:"7.6.0",PROTOCOL:7,wsPort:80,wssPort:443,wsPath:"",httpHost:"sockjs.pusher.com",httpPort:80,httpsPort:443,httpPath:"/pusher",stats_host:"stats.pusher.com",authEndpoint:"/pusher/auth",authTransport:"ajax",activityTimeout:12e4,pongTimeout:3e4,unavailableTimeout:1e4,cluster:"mt1",userAuthentication:{endpoint:"/pusher/user-auth",transport:"ajax"},channelAuthorization:{endpoint:"/pusher/auth",transport:"ajax"},cdn_http:"http://js.pusher.com",cdn_https:"https://js.pusher.com",dependency_suffix:""},d=f,N=function(){function e(t){this.options=t,this.receivers=t.receivers||s,this.loading={}}return e.prototype.load=function(t,n,r){var i=this;if(i.loading[t]&&i.loading[t].length>0)i.loading[t].push(r);else{i.loading[t]=[r];var o=m.createScriptRequest(i.getPath(t,n)),u=i.receivers.create(function(p){if(i.receivers.remove(u),i.loading[t]){var _=i.loading[t];delete i.loading[t];for(var g=function(E){E||o.cleanup()},k=0;k<_.length;k++)_[k](p,g)}});o.send(u)}},e.prototype.getRoot=function(t){var n,r=m.getDocument().location.protocol;return t&&t.useTLS||r==="https:"?n=this.options.cdn_https:n=this.options.cdn_http,n.replace(/\/*$/,"")+"/"+this.options.version},e.prototype.getPath=function(t,n){return this.getRoot(n)+"/"+t+this.options.suffix+".js"},e}(),P=N,T=new c("_pusher_dependencies","Pusher.DependenciesReceivers"),S=new P({cdn_http:d.cdn_http,cdn_https:d.cdn_https,version:d.VERSION,suffix:d.dependency_suffix,receivers:T}),C={baseUrl:"https://pusher.com",urls:{authenticationEndpoint:{path:"/docs/channels/server_api/authenticating_users"},authorizationEndpoint:{path:"/docs/channels/server_api/authorizing-users/"},javascriptQuickStart:{path:"/docs/javascript_quick_start"},triggeringClientEvents:{path:"/docs/client_api_guide/client_events#trigger-events"},encryptedChannelSupport:{fullUrl:"https://github.com/pusher/pusher-js/tree/cc491015371a4bde5743d1c87a0fbac0feb53195#encrypted-channel-support"}}},x=function(e){var t="See:",n=C.urls[e];if(!n)return"";var r;return n.fullUrl?r=n.fullUrl:n.path&&(r=C.baseUrl+n.path),r?t+" "+r:""},b={buildLogSuffix:x},v;(function(e){e.UserAuthentication="user-authentication",e.ChannelAuthorization="channel-authorization"})(v||(v={}));var y=function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,i){r.__proto__=i}||function(r,i){for(var o in i)i.hasOwnProperty(o)&&(r[o]=i[o])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),w=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),O=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),I=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),q=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),M=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),J=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),F=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),z=function(e){y(t,e);function t(n){var r=this.constructor,i=e.call(this,n)||this;return Object.setPrototypeOf(i,r.prototype),i}return t}(Error),B=function(e){y(t,e);function t(n,r){var i=this.constructor,o=e.call(this,r)||this;return o.status=n,Object.setPrototypeOf(o,i.prototype),o}return t}(Error),me=function(e,t,n,r,i){var o=m.createXHR();o.open("POST",n.endpoint,!0),o.setRequestHeader("Content-Type","application/x-www-form-urlencoded");for(var u in n.headers)o.setRequestHeader(u,n.headers[u]);if(n.headersProvider!=null){var p=n.headersProvider();for(var u in p)o.setRequestHeader(u,p[u])}return o.onreadystatechange=function(){if(o.readyState===4)if(o.status===200){var _=void 0,g=!1;try{_=JSON.parse(o.responseText),g=!0}catch{i(new B(200,"JSON returned from "+r.toString()+" endpoint was invalid, yet status code was 200. Data was: "+o.responseText),null)}g&&i(null,_)}else{var k="";switch(r){case v.UserAuthentication:k=b.buildLogSuffix("authenticationEndpoint");break;case v.ChannelAuthorization:k="Clients must be authorized to join private or presence channels. "+b.buildLogSuffix("authorizationEndpoint");break}i(new B(o.status,"Unable to retrieve auth string from "+r.toString()+" endpoint - "+("received status: "+o.status+" from "+n.endpoint+". "+k)),null)}},o.send(t),o},we=me;function ke(e){return Oe(Pe(e))}for(var nt=String.fromCharCode,Z="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/",Se={},at=0,Ce=Z.length;at>>6)+nt(128|t&63):nt(224|t>>>12&15)+nt(128|t>>>6&63)+nt(128|t&63)},Pe=function(e){return e.replace(/[^\x00-\x7F]/g,Te)},xe=function(e){var t=[0,2,1][e.length%3],n=e.charCodeAt(0)<<16|(e.length>1?e.charCodeAt(1):0)<<8|(e.length>2?e.charCodeAt(2):0),r=[Z.charAt(n>>>18),Z.charAt(n>>>12&63),t>=2?"=":Z.charAt(n>>>6&63),t>=1?"=":Z.charAt(n&63)];return r.join("")},Oe=window.btoa||function(e){return e.replace(/[\s\S]{1,3}/g,xe)},Ae=function(){function e(t,n,r,i){var o=this;this.clear=n,this.timer=t(function(){o.timer&&(o.timer=i(o.timer))},r)}return e.prototype.isRunning=function(){return this.timer!==null},e.prototype.ensureAborted=function(){this.timer&&(this.clear(this.timer),this.timer=null)},e}(),jt=Ae,Nt=function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,i){r.__proto__=i}||function(r,i){for(var o in i)i.hasOwnProperty(o)&&(r[o]=i[o])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}();function Ee(e){window.clearTimeout(e)}function Le(e){window.clearInterval(e)}var Q=function(e){Nt(t,e);function t(n,r){return e.call(this,setTimeout,Ee,n,function(i){return r(),null})||this}return t}(jt),Re=function(e){Nt(t,e);function t(n,r){return e.call(this,setInterval,Le,n,function(i){return r(),i})||this}return t}(jt),Ie={now:function(){return Date.now?Date.now():new Date().valueOf()},defer:function(e){return new Q(0,e)},method:function(e){for(var t=[],n=1;n0)for(var i=0;i=1002&&e.code<=1004?"backoff":null:e.code===4e3?"tls_only":e.code<4100?"refused":e.code<4200?"backoff":e.code<4300?"retry":"refused"},getCloseError:function(e){return e.code!==1e3&&e.code!==1001?{type:"PusherError",data:{code:e.code,message:e.reason||e.message}}:null}},K=Vt,kn=function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,i){r.__proto__=i}||function(r,i){for(var o in i)i.hasOwnProperty(o)&&(r[o]=i[o])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),Sn=function(e){kn(t,e);function t(n,r){var i=e.call(this)||this;return i.id=n,i.transport=r,i.activityTimeout=r.activityTimeout,i.bindListeners(),i}return t.prototype.handlesActivityChecks=function(){return this.transport.handlesActivityChecks()},t.prototype.send=function(n){return this.transport.send(n)},t.prototype.send_event=function(n,r,i){var o={event:n,data:r};return i&&(o.channel=i),A.debug("Event sent",o),this.send(K.encodeMessage(o))},t.prototype.ping=function(){this.transport.supportsPing()?this.transport.ping():this.send_event("pusher:ping",{})},t.prototype.close=function(){this.transport.close()},t.prototype.bindListeners=function(){var n=this,r={message:function(o){var u;try{u=K.decodeMessage(o)}catch(p){n.emit("error",{type:"MessageParseError",error:p,data:o.data})}if(u!==void 0){switch(A.debug("Event recd",u),u.event){case"pusher:error":n.emit("error",{type:"PusherError",data:u.data});break;case"pusher:ping":n.emit("ping");break;case"pusher:pong":n.emit("pong");break}n.emit("message",u)}},activity:function(){n.emit("activity")},error:function(o){n.emit("error",o)},closed:function(o){i(),o&&o.code&&n.handleCloseEvent(o),n.transport=null,n.emit("closed")}},i=function(){W(r,function(o,u){n.transport.unbind(u,o)})};W(r,function(o,u){n.transport.bind(u,o)})},t.prototype.handleCloseEvent=function(n){var r=K.getCloseAction(n),i=K.getCloseError(n);i&&this.emit("error",i),r&&this.emit(r,{action:r,error:i})},t}(V),Cn=Sn,Tn=function(){function e(t,n){this.transport=t,this.callback=n,this.bindListeners()}return e.prototype.close=function(){this.unbindListeners(),this.transport.close()},e.prototype.bindListeners=function(){var t=this;this.onMessage=function(n){t.unbindListeners();var r;try{r=K.processHandshake(n)}catch(i){t.finish("error",{error:i}),t.transport.close();return}r.action==="connected"?t.finish("connected",{connection:new Cn(r.id,t.transport),activityTimeout:r.activityTimeout}):(t.finish(r.action,{error:r.error}),t.transport.close())},this.onClosed=function(n){t.unbindListeners();var r=K.getCloseAction(n)||"backoff",i=K.getCloseError(n);t.finish(r,{error:i})},this.transport.bind("message",this.onMessage),this.transport.bind("closed",this.onClosed)},e.prototype.unbindListeners=function(){this.transport.unbind("message",this.onMessage),this.transport.unbind("closed",this.onClosed)},e.prototype.finish=function(t,n){this.callback(U({transport:this.transport,action:t},n))},e}(),Pn=Tn,xn=function(){function e(t,n){this.timeline=t,this.options=n||{}}return e.prototype.send=function(t,n){this.timeline.isEmpty()||this.timeline.send(m.TimelineTransport.getAgent(this,t),n)},e}(),On=xn,An=function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,i){r.__proto__=i}||function(r,i){for(var o in i)i.hasOwnProperty(o)&&(r[o]=i[o])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),En=function(e){An(t,e);function t(n,r){var i=e.call(this,function(o,u){A.debug("No callbacks on "+n+" for "+o)})||this;return i.name=n,i.pusher=r,i.subscribed=!1,i.subscriptionPending=!1,i.subscriptionCancelled=!1,i}return t.prototype.authorize=function(n,r){return r(null,{auth:""})},t.prototype.trigger=function(n,r){if(n.indexOf("client-")!==0)throw new w("Event '"+n+"' does not start with 'client-'");if(!this.subscribed){var i=b.buildLogSuffix("triggeringClientEvents");A.warn("Client event triggered before channel 'subscription_succeeded' event . "+i)}return this.pusher.send_event(n,r,this.name)},t.prototype.disconnect=function(){this.subscribed=!1,this.subscriptionPending=!1},t.prototype.handleEvent=function(n){var r=n.event,i=n.data;if(r==="pusher_internal:subscription_succeeded")this.handleSubscriptionSucceededEvent(n);else if(r==="pusher_internal:subscription_count")this.handleSubscriptionCountEvent(n);else if(r.indexOf("pusher_internal:")!==0){var o={};this.emit(r,i,o)}},t.prototype.handleSubscriptionSucceededEvent=function(n){this.subscriptionPending=!1,this.subscribed=!0,this.subscriptionCancelled?this.pusher.unsubscribe(this.name):this.emit("pusher:subscription_succeeded",n.data)},t.prototype.handleSubscriptionCountEvent=function(n){n.data.subscription_count&&(this.subscriptionCount=n.data.subscription_count),this.emit("pusher:subscription_count",n.data)},t.prototype.subscribe=function(){var n=this;this.subscribed||(this.subscriptionPending=!0,this.subscriptionCancelled=!1,this.authorize(this.pusher.connection.socket_id,function(r,i){r?(n.subscriptionPending=!1,A.error(r.toString()),n.emit("pusher:subscription_error",Object.assign({},{type:"AuthError",error:r.message},r instanceof B?{status:r.status}:{}))):n.pusher.send_event("pusher:subscribe",{auth:i.auth,channel_data:i.channel_data,channel:n.name})}))},t.prototype.unsubscribe=function(){this.subscribed=!1,this.pusher.send_event("pusher:unsubscribe",{channel:this.name})},t.prototype.cancelSubscription=function(){this.subscriptionCancelled=!0},t.prototype.reinstateSubscription=function(){this.subscriptionCancelled=!1},t}(V),mt=En,Ln=function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,i){r.__proto__=i}||function(r,i){for(var o in i)i.hasOwnProperty(o)&&(r[o]=i[o])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),Rn=function(e){Ln(t,e);function t(){return e!==null&&e.apply(this,arguments)||this}return t.prototype.authorize=function(n,r){return this.pusher.config.channelAuthorizer({channelName:this.name,socketId:n},r)},t}(mt),wt=Rn,In=function(){function e(){this.reset()}return e.prototype.get=function(t){return Object.prototype.hasOwnProperty.call(this.members,t)?{id:t,info:this.members[t]}:null},e.prototype.each=function(t){var n=this;W(this.members,function(r,i){t(n.get(i))})},e.prototype.setMyID=function(t){this.myID=t},e.prototype.onSubscription=function(t){this.members=t.presence.hash,this.count=t.presence.count,this.me=this.get(this.myID)},e.prototype.addMember=function(t){return this.get(t.user_id)===null&&this.count++,this.members[t.user_id]=t.user_info,this.get(t.user_id)},e.prototype.removeMember=function(t){var n=this.get(t.user_id);return n&&(delete this.members[t.user_id],this.count--),n},e.prototype.reset=function(){this.members={},this.count=0,this.myID=null,this.me=null},e}(),jn=In,Nn=function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,i){r.__proto__=i}||function(r,i){for(var o in i)i.hasOwnProperty(o)&&(r[o]=i[o])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),qn=function(e,t,n,r){function i(o){return o instanceof n?o:new n(function(u){u(o)})}return new(n||(n=Promise))(function(o,u){function p(k){try{g(r.next(k))}catch(E){u(E)}}function _(k){try{g(r.throw(k))}catch(E){u(E)}}function g(k){k.done?o(k.value):i(k.value).then(p,_)}g((r=r.apply(e,t||[])).next())})},Un=function(e,t){var n={label:0,sent:function(){if(o[0]&1)throw o[1];return o[1]},trys:[],ops:[]},r,i,o,u;return u={next:p(0),throw:p(1),return:p(2)},typeof Symbol=="function"&&(u[Symbol.iterator]=function(){return this}),u;function p(g){return function(k){return _([g,k])}}function _(g){if(r)throw new TypeError("Generator is already executing.");for(;n;)try{if(r=1,i&&(o=g[0]&2?i.return:g[0]?i.throw||((o=i.return)&&o.call(i),0):i.next)&&!(o=o.call(i,g[1])).done)return o;switch(i=0,o&&(g=[g[0]&2,o.value]),g[0]){case 0:case 1:o=g;break;case 4:return n.label++,{value:g[1],done:!1};case 5:n.label++,i=g[1],g=[0];continue;case 7:g=n.ops.pop(),n.trys.pop();continue;default:if(o=n.trys,!(o=o.length>0&&o[o.length-1])&&(g[0]===6||g[0]===2)){n=0;continue}if(g[0]===3&&(!o||g[1]>o[0]&&g[1]0&&this.emit("connecting_in",Math.round(n/1e3)),this.retryTimer=new Q(n||0,function(){r.disconnectInternally(),r.connect()})},t.prototype.clearRetryTimer=function(){this.retryTimer&&(this.retryTimer.ensureAborted(),this.retryTimer=null)},t.prototype.setUnavailableTimer=function(){var n=this;this.unavailableTimer=new Q(this.options.unavailableTimeout,function(){n.updateState("unavailable")})},t.prototype.clearUnavailableTimer=function(){this.unavailableTimer&&this.unavailableTimer.ensureAborted()},t.prototype.sendActivityCheck=function(){var n=this;this.stopActivityCheck(),this.connection.ping(),this.activityTimer=new Q(this.options.pongTimeout,function(){n.timeline.error({pong_timed_out:n.options.pongTimeout}),n.retryIn(0)})},t.prototype.resetActivityCheck=function(){var n=this;this.stopActivityCheck(),this.connection&&!this.connection.handlesActivityChecks()&&(this.activityTimer=new Q(this.activityTimeout,function(){n.sendActivityCheck()}))},t.prototype.stopActivityCheck=function(){this.activityTimer&&this.activityTimer.ensureAborted()},t.prototype.buildConnectionCallbacks=function(n){var r=this;return U({},n,{message:function(i){r.resetActivityCheck(),r.emit("message",i)},ping:function(){r.send_event("pusher:pong",{})},activity:function(){r.resetActivityCheck()},error:function(i){r.emit("error",i)},closed:function(){r.abandonConnection(),r.shouldRetry()&&r.retryIn(1e3)}})},t.prototype.buildHandshakeCallbacks=function(n){var r=this;return U({},n,{connected:function(i){r.activityTimeout=Math.min(r.options.activityTimeout,i.activityTimeout,i.connection.activityTimeout||1/0),r.clearUnavailableTimer(),r.setConnection(i.connection),r.socket_id=r.connection.id,r.updateState("connected",{socket_id:r.socket_id})}})},t.prototype.buildErrorCallbacks=function(){var n=this,r=function(i){return function(o){o.error&&n.emit("error",{type:"WebSocketError",error:o.error}),i(o)}};return{tls_only:r(function(){n.usingTLS=!0,n.updateStrategy(),n.retryIn(0)}),refused:r(function(){n.disconnect()}),backoff:r(function(){n.retryIn(1e3)}),retry:r(function(){n.retryIn(0)})}},t.prototype.setConnection=function(n){this.connection=n;for(var r in this.connectionCallbacks)this.connection.bind(r,this.connectionCallbacks[r]);this.resetActivityCheck()},t.prototype.abandonConnection=function(){if(this.connection){this.stopActivityCheck();for(var n in this.connectionCallbacks)this.connection.unbind(n,this.connectionCallbacks[n]);var r=this.connection;return this.connection=null,r}},t.prototype.updateState=function(n,r){var i=this.state;if(this.state=n,i!==n){var o=n;o==="connected"&&(o+=" with new socket ID "+r.socket_id),A.debug("State changed",i+" -> "+o),this.timeline.info({state:n,params:r}),this.emit("state_change",{previous:i,current:n}),this.emit(n,r)}},t.prototype.shouldRetry=function(){return this.state==="connecting"||this.state==="connected"},t}(V),Wn=Jn,Vn=function(){function e(){this.channels={}}return e.prototype.add=function(t,n){return this.channels[t]||(this.channels[t]=Qn(t,n)),this.channels[t]},e.prototype.all=function(){return Ne(this.channels)},e.prototype.find=function(t){return this.channels[t]},e.prototype.remove=function(t){var n=this.channels[t];return delete this.channels[t],n},e.prototype.disconnect=function(){W(this.channels,function(t){t.disconnect()})},e}(),Gn=Vn;function Qn(e,t){if(e.indexOf("private-encrypted-")===0){if(t.config.nacl)return G.createEncryptedChannel(e,t,t.config.nacl);var n="Tried to subscribe to a private-encrypted- channel but no nacl implementation available",r=b.buildLogSuffix("encryptedChannelSupport");throw new J(n+". "+r)}else{if(e.indexOf("private-")===0)return G.createPrivateChannel(e,t);if(e.indexOf("presence-")===0)return G.createPresenceChannel(e,t);if(e.indexOf("#")===0)throw new O('Cannot create a channel with name "'+e+'".');return G.createChannel(e,t)}}var Kn={createChannels:function(){return new Gn},createConnectionManager:function(e,t){return new Wn(e,t)},createChannel:function(e,t){return new mt(e,t)},createPrivateChannel:function(e,t){return new wt(e,t)},createPresenceChannel:function(e,t){return new Hn(e,t)},createEncryptedChannel:function(e,t,n){return new Bn(e,t,n)},createTimelineSender:function(e,t){return new On(e,t)},createHandshake:function(e,t){return new Pn(e,t)},createAssistantToTheTransportManager:function(e,t,n){return new wn(e,t,n)}},G=Kn,Yn=function(){function e(t){this.options=t||{},this.livesLeft=this.options.lives||1/0}return e.prototype.getAssistant=function(t){return G.createAssistantToTheTransportManager(this,t,{minPingDelay:this.options.minPingDelay,maxPingDelay:this.options.maxPingDelay})},e.prototype.isAlive=function(){return this.livesLeft>0},e.prototype.reportDeath=function(){this.livesLeft-=1},e}(),Gt=Yn,$n=function(){function e(t,n){this.strategies=t,this.loop=!!n.loop,this.failFast=!!n.failFast,this.timeout=n.timeout,this.timeoutLimit=n.timeoutLimit}return e.prototype.isSupported=function(){return zt(this.strategies,j.method("isSupported"))},e.prototype.connect=function(t,n){var r=this,i=this.strategies,o=0,u=this.timeout,p=null,_=function(g,k){k?n(null,k):(o=o+1,r.loop&&(o=o%i.length),o0&&(o=new Q(r.timeout,function(){u.abort(),i(!0)})),u=t.connect(n,function(p,_){p&&o&&o.isRunning()&&!r.failFast||(o&&o.ensureAborted(),i(p,_))}),{abort:function(){o&&o.ensureAborted(),u.abort()},forceMinPriority:function(p){u.forceMinPriority(p)}}},e}(),Y=$n,Zn=function(){function e(t){this.strategies=t}return e.prototype.isSupported=function(){return zt(this.strategies,j.method("isSupported"))},e.prototype.connect=function(t,n){return tr(this.strategies,t,function(r,i){return function(o,u){if(i[r].error=o,o){er(i)&&n(!0);return}rt(i,function(p){p.forceMinPriority(u.transport.priority)}),n(null,u)}})},e}(),St=Zn;function tr(e,t,n){var r=Dt(e,function(i,o,u,p){return i.connect(t,n(o,p))});return{abort:function(){rt(r,nr)},forceMinPriority:function(i){rt(r,function(o){o.forceMinPriority(i)})}}}function er(e){return De(e,function(t){return!!t.error})}function nr(e){!e.error&&!e.aborted&&(e.abort(),e.aborted=!0)}var rr=function(){function e(t,n,r){this.strategy=t,this.transports=n,this.ttl=r.ttl||1800*1e3,this.usingTLS=r.useTLS,this.timeline=r.timeline}return e.prototype.isSupported=function(){return this.strategy.isSupported()},e.prototype.connect=function(t,n){var r=this.usingTLS,i=or(r),o=[this.strategy];if(i&&i.timestamp+this.ttl>=j.now()){var u=this.transports[i.transport];u&&(this.timeline.info({cached:!0,transport:i.transport,latency:i.latency}),o.push(new Y([u],{timeout:i.latency*2+1e3,failFast:!0})))}var p=j.now(),_=o.pop().connect(t,function g(k,E){k?(Qt(r),o.length>0?(p=j.now(),_=o.pop().connect(t,g)):n(k)):(sr(r,E.transport.name,j.now()-p),n(null,E))});return{abort:function(){_.abort()},forceMinPriority:function(g){t=g,_&&_.forceMinPriority(g)}}},e}(),ir=rr;function Ct(e){return"pusherTransport"+(e?"TLS":"NonTLS")}function or(e){var t=m.getLocalStorage();if(t)try{var n=t[Ct(e)];if(n)return JSON.parse(n)}catch{Qt(e)}return null}function sr(e,t,n){var r=m.getLocalStorage();if(r)try{r[Ct(e)]=ct({timestamp:j.now(),transport:t,latency:n})}catch{}}function Qt(e){var t=m.getLocalStorage();if(t)try{delete t[Ct(e)]}catch{}}var ar=function(){function e(t,n){var r=n.delay;this.strategy=t,this.options={delay:r}}return e.prototype.isSupported=function(){return this.strategy.isSupported()},e.prototype.connect=function(t,n){var r=this.strategy,i,o=new Q(this.options.delay,function(){i=r.connect(t,n)});return{abort:function(){o.ensureAborted(),i&&i.abort()},forceMinPriority:function(u){t=u,i&&i.forceMinPriority(u)}}},e}(),ht=ar,cr=function(){function e(t,n,r){this.test=t,this.trueBranch=n,this.falseBranch=r}return e.prototype.isSupported=function(){var t=this.test()?this.trueBranch:this.falseBranch;return t.isSupported()},e.prototype.connect=function(t,n){var r=this.test()?this.trueBranch:this.falseBranch;return r.connect(t,n)},e}(),it=cr,ur=function(){function e(t){this.strategy=t}return e.prototype.isSupported=function(){return this.strategy.isSupported()},e.prototype.connect=function(t,n){var r=this.strategy.connect(t,function(i,o){o&&r.abort(),n(i,o)});return r},e}(),hr=ur;function ot(e){return function(){return e.isSupported()}}var lr=function(e,t,n){var r={};function i(ce,_i,bi,mi,wi){var ue=n(e,ce,_i,bi,mi,wi);return r[ce]=ue,ue}var o=Object.assign({},t,{hostNonTLS:e.wsHost+":"+e.wsPort,hostTLS:e.wsHost+":"+e.wssPort,httpPath:e.wsPath}),u=Object.assign({},o,{useTLS:!0}),p=Object.assign({},t,{hostNonTLS:e.httpHost+":"+e.httpPort,hostTLS:e.httpHost+":"+e.httpsPort,httpPath:e.httpPath}),_={loop:!0,timeout:15e3,timeoutLimit:6e4},g=new Gt({lives:2,minPingDelay:1e4,maxPingDelay:e.activityTimeout}),k=new Gt({lives:2,minPingDelay:1e4,maxPingDelay:e.activityTimeout}),E=i("ws","ws",3,o,g),X=i("wss","ws",3,u,g),pi=i("sockjs","sockjs",1,p),ne=i("xhr_streaming","xhr_streaming",1,p,k),di=i("xdr_streaming","xdr_streaming",1,p,k),re=i("xhr_polling","xhr_polling",1,p),vi=i("xdr_polling","xdr_polling",1,p),ie=new Y([E],_),yi=new Y([X],_),gi=new Y([pi],_),oe=new Y([new it(ot(ne),ne,di)],_),se=new Y([new it(ot(re),re,vi)],_),ae=new Y([new it(ot(oe),new St([oe,new ht(se,{delay:4e3})]),se)],_),Ot=new it(ot(ae),ae,gi),At;return t.useTLS?At=new St([ie,new ht(Ot,{delay:2e3})]):At=new St([ie,new ht(yi,{delay:2e3}),new ht(Ot,{delay:5e3})]),new ir(new hr(new it(ot(E),At,Ot)),r,{ttl:18e5,timeline:t.timeline,useTLS:t.useTLS})},fr=lr,pr=function(){var e=this;e.timeline.info(e.buildTimelineMessage({transport:e.name+(e.options.useTLS?"s":"")})),e.hooks.isInitialized()?e.changeState("initialized"):e.hooks.file?(e.changeState("initializing"),S.load(e.hooks.file,{useTLS:e.options.useTLS},function(t,n){e.hooks.isInitialized()?(e.changeState("initialized"),n(!0)):(t&&e.onError(t),e.onClose(),n(!1))})):e.onClose()},dr={getRequest:function(e){var t=new window.XDomainRequest;return t.ontimeout=function(){e.emit("error",new I),e.close()},t.onerror=function(n){e.emit("error",n),e.close()},t.onprogress=function(){t.responseText&&t.responseText.length>0&&e.onChunk(200,t.responseText)},t.onload=function(){t.responseText&&t.responseText.length>0&&e.onChunk(200,t.responseText),e.emit("finished",200),e.close()},t},abortRequest:function(e){e.ontimeout=e.onerror=e.onprogress=e.onload=null,e.abort()}},vr=dr,yr=function(){var e=function(t,n){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(r,i){r.__proto__=i}||function(r,i){for(var o in i)i.hasOwnProperty(o)&&(r[o]=i[o])},e(t,n)};return function(t,n){e(t,n);function r(){this.constructor=t}t.prototype=n===null?Object.create(n):(r.prototype=n.prototype,new r)}}(),gr=256*1024,_r=function(e){yr(t,e);function t(n,r,i){var o=e.call(this)||this;return o.hooks=n,o.method=r,o.url=i,o}return t.prototype.start=function(n){var r=this;this.position=0,this.xhr=this.hooks.getRequest(this),this.unloader=function(){r.close()},m.addUnloadListener(this.unloader),this.xhr.open(this.method,this.url,!0),this.xhr.setRequestHeader&&this.xhr.setRequestHeader("Content-Type","application/json"),this.xhr.send(n)},t.prototype.close=function(){this.unloader&&(m.removeUnloadListener(this.unloader),this.unloader=null),this.xhr&&(this.hooks.abortRequest(this.xhr),this.xhr=null)},t.prototype.onChunk=function(n,r){for(;;){var i=this.advanceBuffer(r);if(i)this.emit("chunk",{status:n,data:i});else break}this.isBufferTooLong(r)&&this.emit("buffer_too_long")},t.prototype.advanceBuffer=function(n){var r=n.slice(this.position),i=r.indexOf(` +`);return i!==-1?(this.position+=i+1,r.slice(0,i)):null},t.prototype.isBufferTooLong=function(n){return this.position===n.length&&n.length>gr},t}(V),br=_r,Tt;(function(e){e[e.CONNECTING=0]="CONNECTING",e[e.OPEN=1]="OPEN",e[e.CLOSED=3]="CLOSED"})(Tt||(Tt={}));var $=Tt,mr=1,wr=function(){function e(t,n){this.hooks=t,this.session=Yt(1e3)+"/"+Tr(8),this.location=kr(n),this.readyState=$.CONNECTING,this.openStream()}return e.prototype.send=function(t){return this.sendRaw(JSON.stringify([t]))},e.prototype.ping=function(){this.hooks.sendHeartbeat(this)},e.prototype.close=function(t,n){this.onClose(t,n,!0)},e.prototype.sendRaw=function(t){if(this.readyState===$.OPEN)try{return m.createSocketRequest("POST",Kt(Sr(this.location,this.session))).start(t),!0}catch{return!1}else return!1},e.prototype.reconnect=function(){this.closeStream(),this.openStream()},e.prototype.onClose=function(t,n,r){this.closeStream(),this.readyState=$.CLOSED,this.onclose&&this.onclose({code:t,reason:n,wasClean:r})},e.prototype.onChunk=function(t){if(t.status===200){this.readyState===$.OPEN&&this.onActivity();var n,r=t.data.slice(0,1);switch(r){case"o":n=JSON.parse(t.data.slice(1)||"{}"),this.onOpen(n);break;case"a":n=JSON.parse(t.data.slice(1)||"[]");for(var i=0;i0&&e.onChunk(n.status,n.responseText);break;case 4:n.responseText&&n.responseText.length>0&&e.onChunk(n.status,n.responseText),e.emit("finished",n.status),e.close();break}},n},abortRequest:function(e){e.onreadystatechange=null,e.abort()}},Rr=Lr,Ir={createStreamingSocket:function(e){return this.createSocket(Or,e)},createPollingSocket:function(e){return this.createSocket(Er,e)},createSocket:function(e,t){return new Pr(e,t)},createXHR:function(e,t){return this.createRequest(Rr,e,t)},createRequest:function(e,t,n){return new br(e,t,n)}},$t=Ir;$t.createXDR=function(e,t){return this.createRequest(vr,e,t)};var jr=$t,Nr={nextAuthCallbackID:1,auth_callbacks:{},ScriptReceivers:s,DependenciesReceivers:T,getDefaultStrategy:fr,Transports:yn,transportConnectionInitializer:pr,HTTPFactory:jr,TimelineTransport:Ye,getXHRAPI:function(){return window.XMLHttpRequest},getWebSocketAPI:function(){return window.WebSocket||window.MozWebSocket},setup:function(e){var t=this;window.Pusher=e;var n=function(){t.onDocumentBody(e.ready)};window.JSON?n():S.load("json2",{},n)},getDocument:function(){return document},getProtocol:function(){return this.getDocument().location.protocol},getAuthorizers:function(){return{ajax:we,jsonp:Xe}},onDocumentBody:function(e){var t=this;document.body?e():setTimeout(function(){t.onDocumentBody(e)},0)},createJSONPRequest:function(e,t){return new Ge(e,t)},createScriptRequest:function(e){return new We(e)},getLocalStorage:function(){try{return window.localStorage}catch{return}},createXHR:function(){return this.getXHRAPI()?this.createXMLHttpRequest():this.createMicrosoftXHR()},createXMLHttpRequest:function(){var e=this.getXHRAPI();return new e},createMicrosoftXHR:function(){return new ActiveXObject("Microsoft.XMLHTTP")},getNetwork:function(){return bn},createWebSocket:function(e){var t=this.getWebSocketAPI();return new t(e)},createSocketRequest:function(e,t){if(this.isXHRSupported())return this.HTTPFactory.createXHR(e,t);if(this.isXDRSupported(t.indexOf("https:")===0))return this.HTTPFactory.createXDR(e,t);throw"Cross-origin HTTP requests are not supported"},isXHRSupported:function(){var e=this.getXHRAPI();return!!e&&new e().withCredentials!==void 0},isXDRSupported:function(e){var t=e?"https:":"http:",n=this.getProtocol();return!!window.XDomainRequest&&n===t},addUnloadListener:function(e){window.addEventListener!==void 0?window.addEventListener("unload",e,!1):window.attachEvent!==void 0&&window.attachEvent("onunload",e)},removeUnloadListener:function(e){window.addEventListener!==void 0?window.removeEventListener("unload",e,!1):window.detachEvent!==void 0&&window.detachEvent("onunload",e)},randomInt:function(e){var t=function(){var n=window.crypto||window.msCrypto,r=n.getRandomValues(new Uint32Array(1))[0];return r/Math.pow(2,32)};return Math.floor(t()*e)}},m=Nr,Pt;(function(e){e[e.ERROR=3]="ERROR",e[e.INFO=6]="INFO",e[e.DEBUG=7]="DEBUG"})(Pt||(Pt={}));var lt=Pt,qr=function(){function e(t,n,r){this.key=t,this.session=n,this.events=[],this.options=r||{},this.sent=0,this.uniqueID=0}return e.prototype.log=function(t,n){t<=this.options.level&&(this.events.push(U({},n,{timestamp:j.now()})),this.options.limit&&this.events.length>this.options.limit&&this.events.shift())},e.prototype.error=function(t){this.log(lt.ERROR,t)},e.prototype.info=function(t){this.log(lt.INFO,t)},e.prototype.debug=function(t){this.log(lt.DEBUG,t)},e.prototype.isEmpty=function(){return this.events.length===0},e.prototype.send=function(t,n){var r=this,i=U({session:this.session,bundle:this.sent+1,key:this.key,lib:"js",version:this.options.version,cluster:this.options.cluster,features:this.options.features,timeline:this.events},this.options.params);return this.events=[],t(i,function(o,u){o||r.sent++,n&&n(o,u)}),!0},e.prototype.generateUniqueID=function(){return this.uniqueID++,this.uniqueID},e}(),Ur=qr,Dr=function(){function e(t,n,r,i){this.name=t,this.priority=n,this.transport=r,this.options=i||{}}return e.prototype.isSupported=function(){return this.transport.isSupported({useTLS:this.options.useTLS})},e.prototype.connect=function(t,n){var r=this;if(this.isSupported()){if(this.priority"u"||!Reflect.construct||Reflect.construct.sham)return!1;if(typeof Proxy=="function")return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],function(){})),!0}catch{return!1}}function Li(l){if(l===void 0)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return l}function Ri(l,h){if(h&&(typeof h=="object"||typeof h=="function"))return h;if(h!==void 0)throw new TypeError("Derived constructors may only return object or undefined");return Li(l)}function H(l){var h=Ei();return function(){var c=pt(l),s;if(h){var f=pt(this).constructor;s=Reflect.construct(c,arguments,f)}else s=c.apply(this,arguments);return Ri(this,s)}}var Lt=function(){function l(){L(this,l)}return R(l,[{key:"listenForWhisper",value:function(a,c){return this.listen(".client-"+a,c)}},{key:"notification",value:function(a){return this.listen(".Illuminate\\Notifications\\Events\\BroadcastNotificationCreated",a)}},{key:"stopListeningForWhisper",value:function(a,c){return this.stopListening(".client-"+a,c)}}]),l}(),de=function(){function l(h){L(this,l),this.namespace=h}return R(l,[{key:"format",value:function(a){return[".","\\"].includes(a.charAt(0))?a.substring(1):(this.namespace&&(a=this.namespace+"."+a),a.replace(/\./g,"\\"))}},{key:"setNamespace",value:function(a){this.namespace=a}}]),l}(),vt=function(l){D(a,l);var h=H(a);function a(c,s,f){var d;return L(this,a),d=h.call(this),d.name=s,d.pusher=c,d.options=f,d.eventFormatter=new de(d.options.namespace),d.subscribe(),d}return R(a,[{key:"subscribe",value:function(){this.subscription=this.pusher.subscribe(this.name)}},{key:"unsubscribe",value:function(){this.pusher.unsubscribe(this.name)}},{key:"listen",value:function(s,f){return this.on(this.eventFormatter.format(s),f),this}},{key:"listenToAll",value:function(s){var f=this;return this.subscription.bind_global(function(d,N){if(!d.startsWith("pusher:")){var P=f.options.namespace.replace(/\./g,"\\"),T=d.startsWith(P)?d.substring(P.length+1):"."+d;s(T,N)}}),this}},{key:"stopListening",value:function(s,f){return f?this.subscription.unbind(this.eventFormatter.format(s),f):this.subscription.unbind(this.eventFormatter.format(s)),this}},{key:"stopListeningToAll",value:function(s){return s?this.subscription.unbind_global(s):this.subscription.unbind_global(),this}},{key:"subscribed",value:function(s){return this.on("pusher:subscription_succeeded",function(){s()}),this}},{key:"error",value:function(s){return this.on("pusher:subscription_error",function(f){s(f)}),this}},{key:"on",value:function(s,f){return this.subscription.bind(s,f),this}}]),a}(Lt),Ii=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"whisper",value:function(s,f){return this.pusher.channels.channels[this.name].trigger("client-".concat(s),f),this}}]),a}(vt),ji=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"whisper",value:function(s,f){return this.pusher.channels.channels[this.name].trigger("client-".concat(s),f),this}}]),a}(vt),Ni=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"here",value:function(s){return this.on("pusher:subscription_succeeded",function(f){s(Object.keys(f.members).map(function(d){return f.members[d]}))}),this}},{key:"joining",value:function(s){return this.on("pusher:member_added",function(f){s(f.info)}),this}},{key:"whisper",value:function(s,f){return this.pusher.channels.channels[this.name].trigger("client-".concat(s),f),this}},{key:"leaving",value:function(s){return this.on("pusher:member_removed",function(f){s(f.info)}),this}}]),a}(vt),ve=function(l){D(a,l);var h=H(a);function a(c,s,f){var d;return L(this,a),d=h.call(this),d.events={},d.listeners={},d.name=s,d.socket=c,d.options=f,d.eventFormatter=new de(d.options.namespace),d.subscribe(),d}return R(a,[{key:"subscribe",value:function(){this.socket.emit("subscribe",{channel:this.name,auth:this.options.auth||{}})}},{key:"unsubscribe",value:function(){this.unbind(),this.socket.emit("unsubscribe",{channel:this.name,auth:this.options.auth||{}})}},{key:"listen",value:function(s,f){return this.on(this.eventFormatter.format(s),f),this}},{key:"stopListening",value:function(s,f){return this.unbindEvent(this.eventFormatter.format(s),f),this}},{key:"subscribed",value:function(s){return this.on("connect",function(f){s(f)}),this}},{key:"error",value:function(s){return this}},{key:"on",value:function(s,f){var d=this;return this.listeners[s]=this.listeners[s]||[],this.events[s]||(this.events[s]=function(N,P){d.name===N&&d.listeners[s]&&d.listeners[s].forEach(function(T){return T(P)})},this.socket.on(s,this.events[s])),this.listeners[s].push(f),this}},{key:"unbind",value:function(){var s=this;Object.keys(this.events).forEach(function(f){s.unbindEvent(f)})}},{key:"unbindEvent",value:function(s,f){this.listeners[s]=this.listeners[s]||[],f&&(this.listeners[s]=this.listeners[s].filter(function(d){return d!==f})),(!f||this.listeners[s].length===0)&&(this.events[s]&&(this.socket.removeListener(s,this.events[s]),delete this.events[s]),delete this.listeners[s])}}]),a}(Lt),ye=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"whisper",value:function(s,f){return this.socket.emit("client event",{channel:this.name,event:"client-".concat(s),data:f}),this}}]),a}(ve),qi=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"here",value:function(s){return this.on("presence:subscribed",function(f){s(f.map(function(d){return d.user_info}))}),this}},{key:"joining",value:function(s){return this.on("presence:joining",function(f){return s(f.user_info)}),this}},{key:"whisper",value:function(s,f){return this.socket.emit("client event",{channel:this.name,event:"client-".concat(s),data:f}),this}},{key:"leaving",value:function(s){return this.on("presence:leaving",function(f){return s(f.user_info)}),this}}]),a}(ye),dt=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"subscribe",value:function(){}},{key:"unsubscribe",value:function(){}},{key:"listen",value:function(s,f){return this}},{key:"listenToAll",value:function(s){return this}},{key:"stopListening",value:function(s,f){return this}},{key:"subscribed",value:function(s){return this}},{key:"error",value:function(s){return this}},{key:"on",value:function(s,f){return this}}]),a}(Lt),fe=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"whisper",value:function(s,f){return this}}]),a}(dt),Ui=function(l){D(a,l);var h=H(a);function a(){return L(this,a),h.apply(this,arguments)}return R(a,[{key:"here",value:function(s){return this}},{key:"joining",value:function(s){return this}},{key:"whisper",value:function(s,f){return this}},{key:"leaving",value:function(s){return this}}]),a}(dt),Rt=function(){function l(h){L(this,l),this._defaultOptions={auth:{headers:{}},authEndpoint:"/broadcasting/auth",userAuthentication:{endpoint:"/broadcasting/user-auth",headers:{}},broadcaster:"pusher",csrfToken:null,bearerToken:null,host:null,key:null,namespace:"App.Events"},this.setOptions(h),this.connect()}return R(l,[{key:"setOptions",value:function(a){this.options=st(this._defaultOptions,a);var c=this.csrfToken();return c&&(this.options.auth.headers["X-CSRF-TOKEN"]=c,this.options.userAuthentication.headers["X-CSRF-TOKEN"]=c),c=this.options.bearerToken,c&&(this.options.auth.headers.Authorization="Bearer "+c,this.options.userAuthentication.headers.Authorization="Bearer "+c),a}},{key:"csrfToken",value:function(){var a;return typeof window<"u"&&window.Laravel&&window.Laravel.csrfToken?window.Laravel.csrfToken:this.options.csrfToken?this.options.csrfToken:typeof document<"u"&&typeof document.querySelector=="function"&&(a=document.querySelector('meta[name="csrf-token"]'))?a.getAttribute("content"):null}}]),l}(),pe=function(l){D(a,l);var h=H(a);function a(){var c;return L(this,a),c=h.apply(this,arguments),c.channels={},c}return R(a,[{key:"connect",value:function(){typeof this.options.client<"u"?this.pusher=this.options.client:this.options.Pusher?this.pusher=new this.options.Pusher(this.options.key,this.options):this.pusher=new Pusher(this.options.key,this.options)}},{key:"signin",value:function(){this.pusher.signin()}},{key:"listen",value:function(s,f,d){return this.channel(s).listen(f,d)}},{key:"channel",value:function(s){return this.channels[s]||(this.channels[s]=new vt(this.pusher,s,this.options)),this.channels[s]}},{key:"privateChannel",value:function(s){return this.channels["private-"+s]||(this.channels["private-"+s]=new Ii(this.pusher,"private-"+s,this.options)),this.channels["private-"+s]}},{key:"encryptedPrivateChannel",value:function(s){return this.channels["private-encrypted-"+s]||(this.channels["private-encrypted-"+s]=new ji(this.pusher,"private-encrypted-"+s,this.options)),this.channels["private-encrypted-"+s]}},{key:"presenceChannel",value:function(s){return this.channels["presence-"+s]||(this.channels["presence-"+s]=new Ni(this.pusher,"presence-"+s,this.options)),this.channels["presence-"+s]}},{key:"leave",value:function(s){var f=this,d=[s,"private-"+s,"private-encrypted-"+s,"presence-"+s];d.forEach(function(N,P){f.leaveChannel(N)})}},{key:"leaveChannel",value:function(s){this.channels[s]&&(this.channels[s].unsubscribe(),delete this.channels[s])}},{key:"socketId",value:function(){return this.pusher.connection.socket_id}},{key:"disconnect",value:function(){this.pusher.disconnect()}}]),a}(Rt),Di=function(l){D(a,l);var h=H(a);function a(){var c;return L(this,a),c=h.apply(this,arguments),c.channels={},c}return R(a,[{key:"connect",value:function(){var s=this,f=this.getSocketIO();return this.socket=f(this.options.host,this.options),this.socket.on("reconnect",function(){Object.values(s.channels).forEach(function(d){d.subscribe()})}),this.socket}},{key:"getSocketIO",value:function(){if(typeof this.options.client<"u")return this.options.client;if(typeof io<"u")return io;throw new Error("Socket.io client not found. Should be globally available or passed via options.client")}},{key:"listen",value:function(s,f,d){return this.channel(s).listen(f,d)}},{key:"channel",value:function(s){return this.channels[s]||(this.channels[s]=new ve(this.socket,s,this.options)),this.channels[s]}},{key:"privateChannel",value:function(s){return this.channels["private-"+s]||(this.channels["private-"+s]=new ye(this.socket,"private-"+s,this.options)),this.channels["private-"+s]}},{key:"presenceChannel",value:function(s){return this.channels["presence-"+s]||(this.channels["presence-"+s]=new qi(this.socket,"presence-"+s,this.options)),this.channels["presence-"+s]}},{key:"leave",value:function(s){var f=this,d=[s,"private-"+s,"presence-"+s];d.forEach(function(N){f.leaveChannel(N)})}},{key:"leaveChannel",value:function(s){this.channels[s]&&(this.channels[s].unsubscribe(),delete this.channels[s])}},{key:"socketId",value:function(){return this.socket.id}},{key:"disconnect",value:function(){this.socket.disconnect()}}]),a}(Rt),Hi=function(l){D(a,l);var h=H(a);function a(){var c;return L(this,a),c=h.apply(this,arguments),c.channels={},c}return R(a,[{key:"connect",value:function(){}},{key:"listen",value:function(s,f,d){return new dt}},{key:"channel",value:function(s){return new dt}},{key:"privateChannel",value:function(s){return new fe}},{key:"encryptedPrivateChannel",value:function(s){return new fe}},{key:"presenceChannel",value:function(s){return new Ui}},{key:"leave",value:function(s){}},{key:"leaveChannel",value:function(s){}},{key:"socketId",value:function(){return"fake-socket-id"}},{key:"disconnect",value:function(){}}]),a}(Rt),ge=function(){function l(h){L(this,l),this.options=h,this.connect(),this.options.withoutInterceptors||this.registerInterceptors()}return R(l,[{key:"channel",value:function(a){return this.connector.channel(a)}},{key:"connect",value:function(){if(this.options.broadcaster=="reverb")this.connector=new pe(st(st({},this.options),{cluster:""}));else if(this.options.broadcaster=="pusher")this.connector=new pe(this.options);else if(this.options.broadcaster=="socket.io")this.connector=new Di(this.options);else if(this.options.broadcaster=="null")this.connector=new Hi(this.options);else if(typeof this.options.broadcaster=="function")this.connector=new this.options.broadcaster(this.options);else throw new Error("Broadcaster ".concat(ft(this.options.broadcaster)," ").concat(this.options.broadcaster," is not supported."))}},{key:"disconnect",value:function(){this.connector.disconnect()}},{key:"join",value:function(a){return this.connector.presenceChannel(a)}},{key:"leave",value:function(a){this.connector.leave(a)}},{key:"leaveChannel",value:function(a){this.connector.leaveChannel(a)}},{key:"leaveAllChannels",value:function(){for(var a in this.connector.channels)this.leaveChannel(a)}},{key:"listen",value:function(a,c,s){return this.connector.listen(a,c,s)}},{key:"private",value:function(a){return this.connector.privateChannel(a)}},{key:"encryptedPrivate",value:function(a){return this.connector.encryptedPrivateChannel(a)}},{key:"socketId",value:function(){return this.connector.socketId()}},{key:"registerInterceptors",value:function(){typeof Vue=="function"&&Vue.http&&this.registerVueRequestInterceptor(),typeof axios=="function"&&this.registerAxiosRequestInterceptor(),typeof jQuery=="function"&&this.registerjQueryAjaxSetup(),(typeof Turbo>"u"?"undefined":ft(Turbo))==="object"&&this.registerTurboRequestInterceptor()}},{key:"registerVueRequestInterceptor",value:function(){var a=this;Vue.http.interceptors.push(function(c,s){a.socketId()&&c.headers.set("X-Socket-ID",a.socketId()),s()})}},{key:"registerAxiosRequestInterceptor",value:function(){var a=this;axios.interceptors.request.use(function(c){return a.socketId()&&(c.headers["X-Socket-Id"]=a.socketId()),c})}},{key:"registerjQueryAjaxSetup",value:function(){var a=this;typeof jQuery.ajax<"u"&&jQuery.ajaxPrefilter(function(c,s,f){a.socketId()&&f.setRequestHeader("X-Socket-Id",a.socketId())})}},{key:"registerTurboRequestInterceptor",value:function(){var a=this;document.addEventListener("turbo:before-fetch-request",function(c){c.detail.fetchOptions.headers["X-Socket-Id"]=a.socketId()})}}]),l}();var be=Ai(_e(),1);window.EchoFactory=ge;window.Pusher=be.default;})(); +/*! Bundled license information: + +pusher-js/dist/web/pusher.js: + (*! + * Pusher JavaScript Library v7.6.0 + * https://pusher.com/ + * + * Copyright 2020, Pusher + * Released under the MIT licence. + *) +*/ diff --git a/public/js/filament/forms/components/color-picker.js b/public/js/filament/forms/components/color-picker.js new file mode 100644 index 0000000..67e4f5d --- /dev/null +++ b/public/js/filament/forms/components/color-picker.js @@ -0,0 +1 @@ +var c=(e,t=0,r=1)=>e>r?r:eMath.round(r*e)/r;var nt={grad:360/400,turn:360,rad:360/(Math.PI*2)},F=e=>G(b(e)),b=e=>(e[0]==="#"&&(e=e.substr(1)),e.length<6?{r:parseInt(e[0]+e[0],16),g:parseInt(e[1]+e[1],16),b:parseInt(e[2]+e[2],16),a:1}:{r:parseInt(e.substr(0,2),16),g:parseInt(e.substr(2,2),16),b:parseInt(e.substr(4,2),16),a:1}),it=(e,t="deg")=>Number(e)*(nt[t]||1),lt=e=>{let r=/hsla?\(?\s*(-?\d*\.?\d+)(deg|rad|grad|turn)?[,\s]+(-?\d*\.?\d+)%?[,\s]+(-?\d*\.?\d+)%?,?\s*[/\s]*(-?\d*\.?\d+)?(%)?\s*\)?/i.exec(e);return r?ct({h:it(r[1],r[2]),s:Number(r[3]),l:Number(r[4]),a:r[5]===void 0?1:Number(r[5])/(r[6]?100:1)}):{h:0,s:0,v:0,a:1}},J=lt,ct=({h:e,s:t,l:r,a:o})=>(t*=(r<50?r:100-r)/100,{h:e,s:t>0?2*t/(r+t)*100:0,v:r+t,a:o}),X=e=>pt(A(e)),Y=({h:e,s:t,v:r,a:o})=>{let s=(200-t)*r/100;return{h:n(e),s:n(s>0&&s<200?t*r/100/(s<=100?s:200-s)*100:0),l:n(s/2),a:n(o,2)}};var d=e=>{let{h:t,s:r,l:o}=Y(e);return`hsl(${t}, ${r}%, ${o}%)`},v=e=>{let{h:t,s:r,l:o,a:s}=Y(e);return`hsla(${t}, ${r}%, ${o}%, ${s})`},A=({h:e,s:t,v:r,a:o})=>{e=e/360*6,t=t/100,r=r/100;let s=Math.floor(e),a=r*(1-t),i=r*(1-(e-s)*t),l=r*(1-(1-e+s)*t),N=s%6;return{r:n([r,i,a,a,l,r][N]*255),g:n([l,r,r,i,a,a][N]*255),b:n([a,a,l,r,r,i][N]*255),a:n(o,2)}},B=e=>{let{r:t,g:r,b:o}=A(e);return`rgb(${t}, ${r}, ${o})`},D=e=>{let{r:t,g:r,b:o,a:s}=A(e);return`rgba(${t}, ${r}, ${o}, ${s})`};var L=e=>{let r=/rgba?\(?\s*(-?\d*\.?\d+)(%)?[,\s]+(-?\d*\.?\d+)(%)?[,\s]+(-?\d*\.?\d+)(%)?,?\s*[/\s]*(-?\d*\.?\d+)?(%)?\s*\)?/i.exec(e);return r?G({r:Number(r[1])/(r[2]?100/255:1),g:Number(r[3])/(r[4]?100/255:1),b:Number(r[5])/(r[6]?100/255:1),a:r[7]===void 0?1:Number(r[7])/(r[8]?100:1)}):{h:0,s:0,v:0,a:1}},U=L,q=e=>{let t=e.toString(16);return t.length<2?"0"+t:t},pt=({r:e,g:t,b:r})=>"#"+q(e)+q(t)+q(r),G=({r:e,g:t,b:r,a:o})=>{let s=Math.max(e,t,r),a=s-Math.min(e,t,r),i=a?s===e?(t-r)/a:s===t?2+(r-e)/a:4+(e-t)/a:0;return{h:n(60*(i<0?i+6:i)),s:n(s?a/s*100:0),v:n(s/255*100),a:o}};var O=(e,t)=>{if(e===t)return!0;for(let r in e)if(e[r]!==t[r])return!1;return!0},h=(e,t)=>e.replace(/\s/g,"")===t.replace(/\s/g,""),K=(e,t)=>e.toLowerCase()===t.toLowerCase()?!0:O(b(e),b(t));var Q={},$=e=>{let t=Q[e];return t||(t=document.createElement("template"),t.innerHTML=e,Q[e]=t),t},f=(e,t,r)=>{e.dispatchEvent(new CustomEvent(t,{bubbles:!0,detail:r}))};var m=!1,I=e=>"touches"in e,ut=e=>m&&!I(e)?!1:(m||(m=I(e)),!0),W=(e,t)=>{let r=I(t)?t.touches[0]:t,o=e.el.getBoundingClientRect();f(e.el,"move",e.getMove({x:c((r.pageX-(o.left+window.pageXOffset))/o.width),y:c((r.pageY-(o.top+window.pageYOffset))/o.height)}))},dt=(e,t)=>{let r=t.keyCode;r>40||e.xy&&r<37||r<33||(t.preventDefault(),f(e.el,"move",e.getMove({x:r===39?.01:r===37?-.01:r===34?.05:r===33?-.05:r===35?1:r===36?-1:0,y:r===40?.01:r===38?-.01:0},!0)))},u=class{constructor(t,r,o,s){let a=$(`
`);t.appendChild(a.content.cloneNode(!0));let i=t.querySelector(`[part=${r}]`);i.addEventListener("mousedown",this),i.addEventListener("touchstart",this),i.addEventListener("keydown",this),this.el=i,this.xy=s,this.nodes=[i.firstChild,i]}set dragging(t){let r=t?document.addEventListener:document.removeEventListener;r(m?"touchmove":"mousemove",this),r(m?"touchend":"mouseup",this)}handleEvent(t){switch(t.type){case"mousedown":case"touchstart":if(t.preventDefault(),!ut(t)||!m&&t.button!=0)return;this.el.focus(),W(this,t),this.dragging=!0;break;case"mousemove":case"touchmove":t.preventDefault(),W(this,t);break;case"mouseup":case"touchend":this.dragging=!1;break;case"keydown":dt(this,t);break}}style(t){t.forEach((r,o)=>{for(let s in r)this.nodes[o].style.setProperty(s,r[s])})}};var S=class extends u{constructor(t){super(t,"hue",'aria-label="Hue" aria-valuemin="0" aria-valuemax="360"',!1)}update({h:t}){this.h=t,this.style([{left:`${t/360*100}%`,color:d({h:t,s:100,v:100,a:1})}]),this.el.setAttribute("aria-valuenow",`${n(t)}`)}getMove(t,r){return{h:r?c(this.h+t.x*360,0,360):360*t.x}}};var H=class extends u{constructor(t){super(t,"saturation",'aria-label="Color"',!0)}update(t){this.hsva=t,this.style([{top:`${100-t.v}%`,left:`${t.s}%`,color:d(t)},{"background-color":d({h:t.h,s:100,v:100,a:1})}]),this.el.setAttribute("aria-valuetext",`Saturation ${n(t.s)}%, Brightness ${n(t.v)}%`)}getMove(t,r){return{s:r?c(this.hsva.s+t.x*100,0,100):t.x*100,v:r?c(this.hsva.v-t.y*100,0,100):Math.round(100-t.y*100)}}};var Z=":host{display:flex;flex-direction:column;position:relative;width:200px;height:200px;user-select:none;-webkit-user-select:none;cursor:default}:host([hidden]){display:none!important}[role=slider]{position:relative;touch-action:none;user-select:none;-webkit-user-select:none;outline:0}[role=slider]:last-child{border-radius:0 0 8px 8px}[part$=pointer]{position:absolute;z-index:1;box-sizing:border-box;width:28px;height:28px;transform:translate(-50%,-50%);background-color:#fff;border:2px solid #fff;border-radius:50%;box-shadow:0 2px 4px rgba(0,0,0,.2)}[part$=pointer]::after{display:block;content:'';position:absolute;left:0;top:0;right:0;bottom:0;border-radius:inherit;background-color:currentColor}[role=slider]:focus [part$=pointer]{transform:translate(-50%,-50%) scale(1.1)}";var tt="[part=hue]{flex:0 0 24px;background:linear-gradient(to right,red 0,#ff0 17%,#0f0 33%,#0ff 50%,#00f 67%,#f0f 83%,red 100%)}[part=hue-pointer]{top:50%;z-index:2}";var rt="[part=saturation]{flex-grow:1;border-color:transparent;border-bottom:12px solid #000;border-radius:8px 8px 0 0;background-image:linear-gradient(to top,#000,transparent),linear-gradient(to right,#fff,rgba(255,255,255,0));box-shadow:inset 0 0 0 1px rgba(0,0,0,.05)}[part=saturation-pointer]{z-index:3}";var T=Symbol("same"),et=Symbol("color"),ot=Symbol("hsva"),R=Symbol("change"),_=Symbol("update"),st=Symbol("parts"),g=Symbol("css"),x=Symbol("sliders"),p=class extends HTMLElement{static get observedAttributes(){return["color"]}get[g](){return[Z,tt,rt]}get[x](){return[H,S]}get color(){return this[et]}set color(t){if(!this[T](t)){let r=this.colorModel.toHsva(t);this[_](r),this[R](t)}}constructor(){super();let t=$(``),r=this.attachShadow({mode:"open"});r.appendChild(t.content.cloneNode(!0)),r.addEventListener("move",this),this[st]=this[x].map(o=>new o(r))}connectedCallback(){if(this.hasOwnProperty("color")){let t=this.color;delete this.color,this.color=t}else this.color||(this.color=this.colorModel.defaultColor)}attributeChangedCallback(t,r,o){let s=this.colorModel.fromAttr(o);this[T](s)||(this.color=s)}handleEvent(t){let r=this[ot],o={...r,...t.detail};this[_](o);let s;!O(o,r)&&!this[T](s=this.colorModel.fromHsva(o))&&this[R](s)}[T](t){return this.color&&this.colorModel.equal(t,this.color)}[_](t){this[ot]=t,this[st].forEach(r=>r.update(t))}[R](t){this[et]=t,f(this,"color-changed",{value:t})}};var ht={defaultColor:"#000",toHsva:F,fromHsva:X,equal:K,fromAttr:e=>e},y=class extends p{get colorModel(){return ht}};var P=class extends y{};customElements.define("hex-color-picker",P);var mt={defaultColor:"hsl(0, 0%, 0%)",toHsva:J,fromHsva:d,equal:h,fromAttr:e=>e},w=class extends p{get colorModel(){return mt}};var z=class extends w{};customElements.define("hsl-string-color-picker",z);var ft={defaultColor:"rgb(0, 0, 0)",toHsva:U,fromHsva:B,equal:h,fromAttr:e=>e},M=class extends p{get colorModel(){return ft}};var V=class extends M{};customElements.define("rgb-string-color-picker",V);var k=class extends u{constructor(t){super(t,"alpha",'aria-label="Alpha" aria-valuemin="0" aria-valuemax="1"',!1)}update(t){this.hsva=t;let r=v({...t,a:0}),o=v({...t,a:1}),s=t.a*100;this.style([{left:`${s}%`,color:v(t)},{"--gradient":`linear-gradient(90deg, ${r}, ${o}`}]);let a=n(s);this.el.setAttribute("aria-valuenow",`${a}`),this.el.setAttribute("aria-valuetext",`${a}%`)}getMove(t,r){return{a:r?c(this.hsva.a+t.x):t.x}}};var at=`[part=alpha]{flex:0 0 24px}[part=alpha]::after{display:block;content:'';position:absolute;top:0;left:0;right:0;bottom:0;border-radius:inherit;background-image:var(--gradient);box-shadow:inset 0 0 0 1px rgba(0,0,0,.05)}[part^=alpha]{background-color:#fff;background-image:url('data:image/svg+xml,')}[part=alpha-pointer]{top:50%}`;var C=class extends p{get[g](){return[...super[g],at]}get[x](){return[...super[x],k]}};var gt={defaultColor:"rgba(0, 0, 0, 1)",toHsva:L,fromHsva:D,equal:h,fromAttr:e=>e},E=class extends C{get colorModel(){return gt}};var j=class extends E{};customElements.define("rgba-string-color-picker",j);function xt({isAutofocused:e,isDisabled:t,isLive:r,isLiveDebounced:o,isLiveOnBlur:s,liveDebounce:a,state:i}){return{state:i,init:function(){this.state===null||this.state===""||this.setState(this.state),e&&this.togglePanelVisibility(this.$refs.input),this.$refs.input.addEventListener("change",l=>{this.setState(l.target.value)}),this.$refs.panel.addEventListener("color-changed",l=>{this.setState(l.detail.value),!(s||!(r||o))&&setTimeout(()=>{this.state===l.detail.value&&this.commitState()},o?a:250)}),(r||o||s)&&new MutationObserver(()=>this.isOpen()?null:this.commitState()).observe(this.$refs.panel,{attributes:!0,childList:!0})},togglePanelVisibility:function(){t||this.$refs.panel.toggle(this.$refs.input)},setState:function(l){this.state=l,this.$refs.input.value=l,this.$refs.panel.color=l},isOpen:function(){return this.$refs.panel.style.display==="block"},commitState:function(){JSON.stringify(this.$wire.__instance.canonical)!==JSON.stringify(this.$wire.__instance.ephemeral)&&this.$wire.$commit()}}}export{xt as default}; diff --git a/public/js/filament/forms/components/date-time-picker.js b/public/js/filament/forms/components/date-time-picker.js new file mode 100644 index 0000000..b4e38cd --- /dev/null +++ b/public/js/filament/forms/components/date-time-picker.js @@ -0,0 +1 @@ +var vi=Object.create;var fn=Object.defineProperty;var gi=Object.getOwnPropertyDescriptor;var Si=Object.getOwnPropertyNames;var bi=Object.getPrototypeOf,ki=Object.prototype.hasOwnProperty;var k=(n,t)=>()=>(t||n((t={exports:{}}).exports,t),t.exports);var Hi=(n,t,s,i)=>{if(t&&typeof t=="object"||typeof t=="function")for(let e of Si(t))!ki.call(n,e)&&e!==s&&fn(n,e,{get:()=>t[e],enumerable:!(i=gi(t,e))||i.enumerable});return n};var de=(n,t,s)=>(s=n!=null?vi(bi(n)):{},Hi(t||!n||!n.__esModule?fn(s,"default",{value:n,enumerable:!0}):s,n));var bn=k((He,je)=>{(function(n,t){typeof He=="object"&&typeof je<"u"?je.exports=t():typeof define=="function"&&define.amd?define(t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_plugin_advancedFormat=t()})(He,function(){"use strict";return function(n,t){var s=t.prototype,i=s.format;s.format=function(e){var r=this,a=this.$locale();if(!this.isValid())return i.bind(this)(e);var u=this.$utils(),o=(e||"YYYY-MM-DDTHH:mm:ssZ").replace(/\[([^\]]+)]|Q|wo|ww|w|WW|W|zzz|z|gggg|GGGG|Do|X|x|k{1,2}|S/g,function(d){switch(d){case"Q":return Math.ceil((r.$M+1)/3);case"Do":return a.ordinal(r.$D);case"gggg":return r.weekYear();case"GGGG":return r.isoWeekYear();case"wo":return a.ordinal(r.week(),"W");case"w":case"ww":return u.s(r.week(),d==="w"?1:2,"0");case"W":case"WW":return u.s(r.isoWeek(),d==="W"?1:2,"0");case"k":case"kk":return u.s(String(r.$H===0?24:r.$H),d==="k"?1:2,"0");case"X":return Math.floor(r.$d.getTime()/1e3);case"x":return r.$d.getTime();case"z":return"["+r.offsetName()+"]";case"zzz":return"["+r.offsetName("long")+"]";default:return d}});return i.bind(this)(o)}}})});var kn=k((Te,we)=>{(function(n,t){typeof Te=="object"&&typeof we<"u"?we.exports=t():typeof define=="function"&&define.amd?define(t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_plugin_customParseFormat=t()})(Te,function(){"use strict";var n={LTS:"h:mm:ss A",LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D, YYYY",LLL:"MMMM D, YYYY h:mm A",LLLL:"dddd, MMMM D, YYYY h:mm A"},t=/(\[[^[]*\])|([-_:/.,()\s]+)|(A|a|Q|YYYY|YY?|ww?|MM?M?M?|Do|DD?|hh?|HH?|mm?|ss?|S{1,3}|z|ZZ?)/g,s=/\d/,i=/\d\d/,e=/\d\d?/,r=/\d*[^-_:/,()\s\d]+/,a={},u=function(m){return(m=+m)+(m>68?1900:2e3)},o=function(m){return function(Y){this[m]=+Y}},d=[/[+-]\d\d:?(\d\d)?|Z/,function(m){(this.zone||(this.zone={})).offset=function(Y){if(!Y||Y==="Z")return 0;var L=Y.match(/([+-]|\d\d)/g),D=60*L[1]+(+L[2]||0);return D===0?0:L[0]==="+"?-D:D}(m)}],_=function(m){var Y=a[m];return Y&&(Y.indexOf?Y:Y.s.concat(Y.f))},y=function(m,Y){var L,D=a.meridiem;if(D){for(var w=1;w<=24;w+=1)if(m.indexOf(D(w,0,Y))>-1){L=w>12;break}}else L=m===(Y?"pm":"PM");return L},l={A:[r,function(m){this.afternoon=y(m,!1)}],a:[r,function(m){this.afternoon=y(m,!0)}],Q:[s,function(m){this.month=3*(m-1)+1}],S:[s,function(m){this.milliseconds=100*+m}],SS:[i,function(m){this.milliseconds=10*+m}],SSS:[/\d{3}/,function(m){this.milliseconds=+m}],s:[e,o("seconds")],ss:[e,o("seconds")],m:[e,o("minutes")],mm:[e,o("minutes")],H:[e,o("hours")],h:[e,o("hours")],HH:[e,o("hours")],hh:[e,o("hours")],D:[e,o("day")],DD:[i,o("day")],Do:[r,function(m){var Y=a.ordinal,L=m.match(/\d+/);if(this.day=L[0],Y)for(var D=1;D<=31;D+=1)Y(D).replace(/\[|\]/g,"")===m&&(this.day=D)}],w:[e,o("week")],ww:[i,o("week")],M:[e,o("month")],MM:[i,o("month")],MMM:[r,function(m){var Y=_("months"),L=(_("monthsShort")||Y.map(function(D){return D.slice(0,3)})).indexOf(m)+1;if(L<1)throw new Error;this.month=L%12||L}],MMMM:[r,function(m){var Y=_("months").indexOf(m)+1;if(Y<1)throw new Error;this.month=Y%12||Y}],Y:[/[+-]?\d+/,o("year")],YY:[i,function(m){this.year=u(m)}],YYYY:[/\d{4}/,o("year")],Z:d,ZZ:d};function f(m){var Y,L;Y=m,L=a&&a.formats;for(var D=(m=Y.replace(/(\[[^\]]+])|(LTS?|l{1,4}|L{1,4})/g,function($,H,W){var U=W&&W.toUpperCase();return H||L[W]||n[W]||L[U].replace(/(\[[^\]]+])|(MMMM|MM|DD|dddd)/g,function(v,h,c){return h||c.slice(1)})})).match(t),w=D.length,g=0;g-1)return new Date((M==="X"?1e3:1)*p);var T=f(M)(p),I=T.year,N=T.month,E=T.day,P=T.hours,B=T.minutes,Q=T.seconds,re=T.milliseconds,Z=T.zone,J=T.week,G=new Date,X=E||(I||N?1:G.getDate()),ee=I||G.getFullYear(),le=0;I&&!N||(le=N>0?N-1:G.getMonth());var me,pe=P||0,De=B||0,Le=Q||0,ve=re||0;return Z?new Date(Date.UTC(ee,le,X,pe,De,Le,ve+60*Z.offset*1e3)):S?new Date(Date.UTC(ee,le,X,pe,De,Le,ve)):(me=new Date(ee,le,X,pe,De,Le,ve),J&&(me=b(me).week(J).toDate()),me)}catch{return new Date("")}}(C,x,A,L),this.init(),U&&U!==!0&&(this.$L=this.locale(U).$L),W&&C!=this.format(x)&&(this.$d=new Date("")),a={}}else if(x instanceof Array)for(var v=x.length,h=1;h<=v;h+=1){q[1]=x[h-1];var c=L.apply(this,q);if(c.isValid()){this.$d=c.$d,this.$L=c.$L,this.init();break}h===v&&(this.$d=new Date(""))}else w.call(this,g)}}})});var Hn=k(($e,Ce)=>{(function(n,t){typeof $e=="object"&&typeof Ce<"u"?Ce.exports=t():typeof define=="function"&&define.amd?define(t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_plugin_localeData=t()})($e,function(){"use strict";return function(n,t,s){var i=t.prototype,e=function(d){return d&&(d.indexOf?d:d.s)},r=function(d,_,y,l,f){var m=d.name?d:d.$locale(),Y=e(m[_]),L=e(m[y]),D=Y||L.map(function(g){return g.slice(0,l)});if(!f)return D;var w=m.weekStart;return D.map(function(g,C){return D[(C+(w||0))%7]})},a=function(){return s.Ls[s.locale()]},u=function(d,_){return d.formats[_]||function(y){return y.replace(/(\[[^\]]+])|(MMMM|MM|DD|dddd)/g,function(l,f,m){return f||m.slice(1)})}(d.formats[_.toUpperCase()])},o=function(){var d=this;return{months:function(_){return _?_.format("MMMM"):r(d,"months")},monthsShort:function(_){return _?_.format("MMM"):r(d,"monthsShort","months",3)},firstDayOfWeek:function(){return d.$locale().weekStart||0},weekdays:function(_){return _?_.format("dddd"):r(d,"weekdays")},weekdaysMin:function(_){return _?_.format("dd"):r(d,"weekdaysMin","weekdays",2)},weekdaysShort:function(_){return _?_.format("ddd"):r(d,"weekdaysShort","weekdays",3)},longDateFormat:function(_){return u(d.$locale(),_)},meridiem:this.$locale().meridiem,ordinal:this.$locale().ordinal}};i.localeData=function(){return o.bind(this)()},s.localeData=function(){var d=a();return{firstDayOfWeek:function(){return d.weekStart||0},weekdays:function(){return s.weekdays()},weekdaysShort:function(){return s.weekdaysShort()},weekdaysMin:function(){return s.weekdaysMin()},months:function(){return s.months()},monthsShort:function(){return s.monthsShort()},longDateFormat:function(_){return u(d,_)},meridiem:d.meridiem,ordinal:d.ordinal}},s.months=function(){return r(a(),"months")},s.monthsShort=function(){return r(a(),"monthsShort","months",3)},s.weekdays=function(d){return r(a(),"weekdays",null,null,d)},s.weekdaysShort=function(d){return r(a(),"weekdaysShort","weekdays",3,d)},s.weekdaysMin=function(d){return r(a(),"weekdaysMin","weekdays",2,d)}}})});var jn=k((Oe,ze)=>{(function(n,t){typeof Oe=="object"&&typeof ze<"u"?ze.exports=t():typeof define=="function"&&define.amd?define(t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_plugin_timezone=t()})(Oe,function(){"use strict";var n={year:0,month:1,day:2,hour:3,minute:4,second:5},t={};return function(s,i,e){var r,a=function(_,y,l){l===void 0&&(l={});var f=new Date(_),m=function(Y,L){L===void 0&&(L={});var D=L.timeZoneName||"short",w=Y+"|"+D,g=t[w];return g||(g=new Intl.DateTimeFormat("en-US",{hour12:!1,timeZone:Y,year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",second:"2-digit",timeZoneName:D}),t[w]=g),g}(y,l);return m.formatToParts(f)},u=function(_,y){for(var l=a(_,y),f=[],m=0;m=0&&(f[w]=parseInt(D,10))}var g=f[3],C=g===24?0:g,A=f[0]+"-"+f[1]+"-"+f[2]+" "+C+":"+f[4]+":"+f[5]+":000",q=+_;return(e.utc(A).valueOf()-(q-=q%1e3))/6e4},o=i.prototype;o.tz=function(_,y){_===void 0&&(_=r);var l,f=this.utcOffset(),m=this.toDate(),Y=m.toLocaleString("en-US",{timeZone:_}),L=Math.round((m-new Date(Y))/1e3/60),D=15*-Math.round(m.getTimezoneOffset()/15)-L;if(!Number(D))l=this.utcOffset(0,y);else if(l=e(Y,{locale:this.$L}).$set("millisecond",this.$ms).utcOffset(D,!0),y){var w=l.utcOffset();l=l.add(f-w,"minute")}return l.$x.$timezone=_,l},o.offsetName=function(_){var y=this.$x.$timezone||e.tz.guess(),l=a(this.valueOf(),y,{timeZoneName:_}).find(function(f){return f.type.toLowerCase()==="timezonename"});return l&&l.value};var d=o.startOf;o.startOf=function(_,y){if(!this.$x||!this.$x.$timezone)return d.call(this,_,y);var l=e(this.format("YYYY-MM-DD HH:mm:ss:SSS"),{locale:this.$L});return d.call(l,_,y).tz(this.$x.$timezone,!0)},e.tz=function(_,y,l){var f=l&&y,m=l||y||r,Y=u(+e(),m);if(typeof _!="string")return e(_).tz(m);var L=function(C,A,q){var x=C-60*A*1e3,$=u(x,q);if(A===$)return[x,A];var H=u(x-=60*($-A)*1e3,q);return $===H?[x,$]:[C-60*Math.min($,H)*1e3,Math.max($,H)]}(e.utc(_,f).valueOf(),Y,m),D=L[0],w=L[1],g=e(D).utcOffset(w);return g.$x.$timezone=m,g},e.tz.guess=function(){return Intl.DateTimeFormat().resolvedOptions().timeZone},e.tz.setDefault=function(_){r=_}}})});var Tn=k((Ae,Ie)=>{(function(n,t){typeof Ae=="object"&&typeof Ie<"u"?Ie.exports=t():typeof define=="function"&&define.amd?define(t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_plugin_utc=t()})(Ae,function(){"use strict";var n="minute",t=/[+-]\d\d(?::?\d\d)?/g,s=/([+-]|\d\d)/g;return function(i,e,r){var a=e.prototype;r.utc=function(f){var m={date:f,utc:!0,args:arguments};return new e(m)},a.utc=function(f){var m=r(this.toDate(),{locale:this.$L,utc:!0});return f?m.add(this.utcOffset(),n):m},a.local=function(){return r(this.toDate(),{locale:this.$L,utc:!1})};var u=a.parse;a.parse=function(f){f.utc&&(this.$u=!0),this.$utils().u(f.$offset)||(this.$offset=f.$offset),u.call(this,f)};var o=a.init;a.init=function(){if(this.$u){var f=this.$d;this.$y=f.getUTCFullYear(),this.$M=f.getUTCMonth(),this.$D=f.getUTCDate(),this.$W=f.getUTCDay(),this.$H=f.getUTCHours(),this.$m=f.getUTCMinutes(),this.$s=f.getUTCSeconds(),this.$ms=f.getUTCMilliseconds()}else o.call(this)};var d=a.utcOffset;a.utcOffset=function(f,m){var Y=this.$utils().u;if(Y(f))return this.$u?0:Y(this.$offset)?d.call(this):this.$offset;if(typeof f=="string"&&(f=function(g){g===void 0&&(g="");var C=g.match(t);if(!C)return null;var A=(""+C[0]).match(s)||["-",0,0],q=A[0],x=60*+A[1]+ +A[2];return x===0?0:q==="+"?x:-x}(f),f===null))return this;var L=Math.abs(f)<=16?60*f:f,D=this;if(m)return D.$offset=L,D.$u=f===0,D;if(f!==0){var w=this.$u?this.toDate().getTimezoneOffset():-1*this.utcOffset();(D=this.local().add(L+w,n)).$offset=L,D.$x.$localOffset=w}else D=this.utc();return D};var _=a.format;a.format=function(f){var m=f||(this.$u?"YYYY-MM-DDTHH:mm:ss[Z]":"");return _.call(this,m)},a.valueOf=function(){var f=this.$utils().u(this.$offset)?0:this.$offset+(this.$x.$localOffset||this.$d.getTimezoneOffset());return this.$d.valueOf()-6e4*f},a.isUTC=function(){return!!this.$u},a.toISOString=function(){return this.toDate().toISOString()},a.toString=function(){return this.toDate().toUTCString()};var y=a.toDate;a.toDate=function(f){return f==="s"&&this.$offset?r(this.format("YYYY-MM-DD HH:mm:ss:SSS")).toDate():y.call(this)};var l=a.diff;a.diff=function(f,m,Y){if(f&&this.$u===f.$u)return l.call(this,f,m,Y);var L=this.local(),D=r(f).local();return l.call(L,D,m,Y)}}})});var j=k((qe,xe)=>{(function(n,t){typeof qe=="object"&&typeof xe<"u"?xe.exports=t():typeof define=="function"&&define.amd?define(t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs=t()})(qe,function(){"use strict";var n=1e3,t=6e4,s=36e5,i="millisecond",e="second",r="minute",a="hour",u="day",o="week",d="month",_="quarter",y="year",l="date",f="Invalid Date",m=/^(\d{4})[-/]?(\d{1,2})?[-/]?(\d{0,2})[Tt\s]*(\d{1,2})?:?(\d{1,2})?:?(\d{1,2})?[.:]?(\d+)?$/,Y=/\[([^\]]+)]|Y{1,4}|M{1,4}|D{1,2}|d{1,4}|H{1,2}|h{1,2}|a|A|m{1,2}|s{1,2}|Z{1,2}|SSS/g,L={name:"en",weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ordinal:function(v){var h=["th","st","nd","rd"],c=v%100;return"["+v+(h[(c-20)%10]||h[c]||h[0])+"]"}},D=function(v,h,c){var p=String(v);return!p||p.length>=h?v:""+Array(h+1-p.length).join(c)+v},w={s:D,z:function(v){var h=-v.utcOffset(),c=Math.abs(h),p=Math.floor(c/60),M=c%60;return(h<=0?"+":"-")+D(p,2,"0")+":"+D(M,2,"0")},m:function v(h,c){if(h.date()1)return v(b[0])}else{var T=h.name;C[T]=h,M=T}return!p&&M&&(g=M),M||!p&&g},$=function(v,h){if(q(v))return v.clone();var c=typeof h=="object"?h:{};return c.date=v,c.args=arguments,new W(c)},H=w;H.l=x,H.i=q,H.w=function(v,h){return $(v,{locale:h.$L,utc:h.$u,x:h.$x,$offset:h.$offset})};var W=function(){function v(c){this.$L=x(c.locale,null,!0),this.parse(c),this.$x=this.$x||c.x||{},this[A]=!0}var h=v.prototype;return h.parse=function(c){this.$d=function(p){var M=p.date,S=p.utc;if(M===null)return new Date(NaN);if(H.u(M))return new Date;if(M instanceof Date)return new Date(M);if(typeof M=="string"&&!/Z$/i.test(M)){var b=M.match(m);if(b){var T=b[2]-1||0,I=(b[7]||"0").substring(0,3);return S?new Date(Date.UTC(b[1],T,b[3]||1,b[4]||0,b[5]||0,b[6]||0,I)):new Date(b[1],T,b[3]||1,b[4]||0,b[5]||0,b[6]||0,I)}}return new Date(M)}(c),this.init()},h.init=function(){var c=this.$d;this.$y=c.getFullYear(),this.$M=c.getMonth(),this.$D=c.getDate(),this.$W=c.getDay(),this.$H=c.getHours(),this.$m=c.getMinutes(),this.$s=c.getSeconds(),this.$ms=c.getMilliseconds()},h.$utils=function(){return H},h.isValid=function(){return this.$d.toString()!==f},h.isSame=function(c,p){var M=$(c);return this.startOf(p)<=M&&M<=this.endOf(p)},h.isAfter=function(c,p){return $(c){(function(n,t){typeof Ne=="object"&&typeof Ee<"u"?Ee.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ar=t(n.dayjs)})(Ne,function(n){"use strict";function t(u){return u&&typeof u=="object"&&"default"in u?u:{default:u}}var s=t(n),i="\u064A\u0646\u0627\u064A\u0631_\u0641\u0628\u0631\u0627\u064A\u0631_\u0645\u0627\u0631\u0633_\u0623\u0628\u0631\u064A\u0644_\u0645\u0627\u064A\u0648_\u064A\u0648\u0646\u064A\u0648_\u064A\u0648\u0644\u064A\u0648_\u0623\u063A\u0633\u0637\u0633_\u0633\u0628\u062A\u0645\u0628\u0631_\u0623\u0643\u062A\u0648\u0628\u0631_\u0646\u0648\u0641\u0645\u0628\u0631_\u062F\u064A\u0633\u0645\u0628\u0631".split("_"),e={1:"\u0661",2:"\u0662",3:"\u0663",4:"\u0664",5:"\u0665",6:"\u0666",7:"\u0667",8:"\u0668",9:"\u0669",0:"\u0660"},r={"\u0661":"1","\u0662":"2","\u0663":"3","\u0664":"4","\u0665":"5","\u0666":"6","\u0667":"7","\u0668":"8","\u0669":"9","\u0660":"0"},a={name:"ar",weekdays:"\u0627\u0644\u0623\u062D\u062F_\u0627\u0644\u0625\u062B\u0646\u064A\u0646_\u0627\u0644\u062B\u0644\u0627\u062B\u0627\u0621_\u0627\u0644\u0623\u0631\u0628\u0639\u0627\u0621_\u0627\u0644\u062E\u0645\u064A\u0633_\u0627\u0644\u062C\u0645\u0639\u0629_\u0627\u0644\u0633\u0628\u062A".split("_"),weekdaysShort:"\u0623\u062D\u062F_\u0625\u062B\u0646\u064A\u0646_\u062B\u0644\u0627\u062B\u0627\u0621_\u0623\u0631\u0628\u0639\u0627\u0621_\u062E\u0645\u064A\u0633_\u062C\u0645\u0639\u0629_\u0633\u0628\u062A".split("_"),weekdaysMin:"\u062D_\u0646_\u062B_\u0631_\u062E_\u062C_\u0633".split("_"),months:i,monthsShort:i,weekStart:6,meridiem:function(u){return u>12?"\u0645":"\u0635"},relativeTime:{future:"\u0628\u0639\u062F %s",past:"\u0645\u0646\u0630 %s",s:"\u062B\u0627\u0646\u064A\u0629 \u0648\u0627\u062D\u062F\u0629",m:"\u062F\u0642\u064A\u0642\u0629 \u0648\u0627\u062D\u062F\u0629",mm:"%d \u062F\u0642\u0627\u0626\u0642",h:"\u0633\u0627\u0639\u0629 \u0648\u0627\u062D\u062F\u0629",hh:"%d \u0633\u0627\u0639\u0627\u062A",d:"\u064A\u0648\u0645 \u0648\u0627\u062D\u062F",dd:"%d \u0623\u064A\u0627\u0645",M:"\u0634\u0647\u0631 \u0648\u0627\u062D\u062F",MM:"%d \u0623\u0634\u0647\u0631",y:"\u0639\u0627\u0645 \u0648\u0627\u062D\u062F",yy:"%d \u0623\u0639\u0648\u0627\u0645"},preparse:function(u){return u.replace(/[١٢٣٤٥٦٧٨٩٠]/g,function(o){return r[o]}).replace(/،/g,",")},postformat:function(u){return u.replace(/\d/g,function(o){return e[o]}).replace(/,/g,"\u060C")},ordinal:function(u){return u},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"D/\u200FM/\u200FYYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"}};return s.default.locale(a,null,!0),a})});var $n=k((Fe,Je)=>{(function(n,t){typeof Fe=="object"&&typeof Je<"u"?Je.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_bs=t(n.dayjs)})(Fe,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"bs",weekdays:"nedjelja_ponedjeljak_utorak_srijeda_\u010Detvrtak_petak_subota".split("_"),months:"januar_februar_mart_april_maj_juni_juli_august_septembar_oktobar_novembar_decembar".split("_"),weekStart:1,weekdaysShort:"ned._pon._uto._sri._\u010Det._pet._sub.".split("_"),monthsShort:"jan._feb._mar._apr._maj._jun._jul._aug._sep._okt._nov._dec.".split("_"),weekdaysMin:"ne_po_ut_sr_\u010De_pe_su".split("_"),ordinal:function(e){return e},formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"}};return s.default.locale(i,null,!0),i})});var Cn=k((We,Ue)=>{(function(n,t){typeof We=="object"&&typeof Ue<"u"?Ue.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ca=t(n.dayjs)})(We,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"ca",weekdays:"Diumenge_Dilluns_Dimarts_Dimecres_Dijous_Divendres_Dissabte".split("_"),weekdaysShort:"Dg._Dl._Dt._Dc._Dj._Dv._Ds.".split("_"),weekdaysMin:"Dg_Dl_Dt_Dc_Dj_Dv_Ds".split("_"),months:"Gener_Febrer_Mar\xE7_Abril_Maig_Juny_Juliol_Agost_Setembre_Octubre_Novembre_Desembre".split("_"),monthsShort:"Gen._Febr._Mar\xE7_Abr._Maig_Juny_Jul._Ag._Set._Oct._Nov._Des.".split("_"),weekStart:1,formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [de] YYYY",LLL:"D MMMM [de] YYYY [a les] H:mm",LLLL:"dddd D MMMM [de] YYYY [a les] H:mm",ll:"D MMM YYYY",lll:"D MMM YYYY, H:mm",llll:"ddd D MMM YYYY, H:mm"},relativeTime:{future:"d'aqu\xED %s",past:"fa %s",s:"uns segons",m:"un minut",mm:"%d minuts",h:"una hora",hh:"%d hores",d:"un dia",dd:"%d dies",M:"un mes",MM:"%d mesos",y:"un any",yy:"%d anys"},ordinal:function(e){return""+e+(e===1||e===3?"r":e===2?"n":e===4?"t":"\xE8")}};return s.default.locale(i,null,!0),i})});var Pe=k((Ye,On)=>{(function(n,t){typeof Ye=="object"&&typeof On<"u"?t(Ye,j()):typeof define=="function"&&define.amd?define(["exports","dayjs"],t):t((n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ku={},n.dayjs)})(Ye,function(n,t){"use strict";function s(o){return o&&typeof o=="object"&&"default"in o?o:{default:o}}var i=s(t),e={1:"\u0661",2:"\u0662",3:"\u0663",4:"\u0664",5:"\u0665",6:"\u0666",7:"\u0667",8:"\u0668",9:"\u0669",0:"\u0660"},r={"\u0661":"1","\u0662":"2","\u0663":"3","\u0664":"4","\u0665":"5","\u0666":"6","\u0667":"7","\u0668":"8","\u0669":"9","\u0660":"0"},a=["\u06A9\u0627\u0646\u0648\u0648\u0646\u06CC \u062F\u0648\u0648\u06D5\u0645","\u0634\u0648\u0628\u0627\u062A","\u0626\u0627\u062F\u0627\u0631","\u0646\u06CC\u0633\u0627\u0646","\u0626\u0627\u06CC\u0627\u0631","\u062D\u0648\u0632\u06D5\u06CC\u0631\u0627\u0646","\u062A\u06D5\u0645\u0645\u0648\u0648\u0632","\u0626\u0627\u0628","\u0626\u06D5\u06CC\u0644\u0648\u0648\u0644","\u062A\u0634\u0631\u06CC\u0646\u06CC \u06CC\u06D5\u06A9\u06D5\u0645","\u062A\u0634\u0631\u06CC\u0646\u06CC \u062F\u0648\u0648\u06D5\u0645","\u06A9\u0627\u0646\u0648\u0648\u0646\u06CC \u06CC\u06D5\u06A9\u06D5\u0645"],u={name:"ku",months:a,monthsShort:a,weekdays:"\u06CC\u06D5\u06A9\u0634\u06D5\u0645\u0645\u06D5_\u062F\u0648\u0648\u0634\u06D5\u0645\u0645\u06D5_\u0633\u06CE\u0634\u06D5\u0645\u0645\u06D5_\u0686\u0648\u0627\u0631\u0634\u06D5\u0645\u0645\u06D5_\u067E\u06CE\u0646\u062C\u0634\u06D5\u0645\u0645\u06D5_\u0647\u06D5\u06CC\u0646\u06CC_\u0634\u06D5\u0645\u0645\u06D5".split("_"),weekdaysShort:"\u06CC\u06D5\u06A9\u0634\u06D5\u0645_\u062F\u0648\u0648\u0634\u06D5\u0645_\u0633\u06CE\u0634\u06D5\u0645_\u0686\u0648\u0627\u0631\u0634\u06D5\u0645_\u067E\u06CE\u0646\u062C\u0634\u06D5\u0645_\u0647\u06D5\u06CC\u0646\u06CC_\u0634\u06D5\u0645\u0645\u06D5".split("_"),weekStart:6,weekdaysMin:"\u06CC_\u062F_\u0633_\u0686_\u067E_\u0647\u0640_\u0634".split("_"),preparse:function(o){return o.replace(/[١٢٣٤٥٦٧٨٩٠]/g,function(d){return r[d]}).replace(/،/g,",")},postformat:function(o){return o.replace(/\d/g,function(d){return e[d]}).replace(/,/g,"\u060C")},ordinal:function(o){return o},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},meridiem:function(o){return o<12?"\u067E.\u0646":"\u062F.\u0646"},relativeTime:{future:"\u0644\u06D5 %s",past:"\u0644\u06D5\u0645\u06D5\u0648\u067E\u06CE\u0634 %s",s:"\u0686\u06D5\u0646\u062F \u0686\u0631\u06A9\u06D5\u06CC\u06D5\u06A9",m:"\u06CC\u06D5\u06A9 \u062E\u0648\u0644\u06D5\u06A9",mm:"%d \u062E\u0648\u0644\u06D5\u06A9",h:"\u06CC\u06D5\u06A9 \u06A9\u0627\u062A\u0698\u0645\u06CE\u0631",hh:"%d \u06A9\u0627\u062A\u0698\u0645\u06CE\u0631",d:"\u06CC\u06D5\u06A9 \u0695\u06C6\u0698",dd:"%d \u0695\u06C6\u0698",M:"\u06CC\u06D5\u06A9 \u0645\u0627\u0646\u06AF",MM:"%d \u0645\u0627\u0646\u06AF",y:"\u06CC\u06D5\u06A9 \u0633\u0627\u06B5",yy:"%d \u0633\u0627\u06B5"}};i.default.locale(u,null,!0),n.default=u,n.englishToArabicNumbersMap=e,Object.defineProperty(n,"__esModule",{value:!0})})});var zn=k((Re,Ge)=>{(function(n,t){typeof Re=="object"&&typeof Ge<"u"?Ge.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_cs=t(n.dayjs)})(Re,function(n){"use strict";function t(a){return a&&typeof a=="object"&&"default"in a?a:{default:a}}var s=t(n);function i(a){return a>1&&a<5&&~~(a/10)!=1}function e(a,u,o,d){var _=a+" ";switch(o){case"s":return u||d?"p\xE1r sekund":"p\xE1r sekundami";case"m":return u?"minuta":d?"minutu":"minutou";case"mm":return u||d?_+(i(a)?"minuty":"minut"):_+"minutami";case"h":return u?"hodina":d?"hodinu":"hodinou";case"hh":return u||d?_+(i(a)?"hodiny":"hodin"):_+"hodinami";case"d":return u||d?"den":"dnem";case"dd":return u||d?_+(i(a)?"dny":"dn\xED"):_+"dny";case"M":return u||d?"m\u011Bs\xEDc":"m\u011Bs\xEDcem";case"MM":return u||d?_+(i(a)?"m\u011Bs\xEDce":"m\u011Bs\xEDc\u016F"):_+"m\u011Bs\xEDci";case"y":return u||d?"rok":"rokem";case"yy":return u||d?_+(i(a)?"roky":"let"):_+"lety"}}var r={name:"cs",weekdays:"ned\u011Ble_pond\u011Bl\xED_\xFAter\xFD_st\u0159eda_\u010Dtvrtek_p\xE1tek_sobota".split("_"),weekdaysShort:"ne_po_\xFAt_st_\u010Dt_p\xE1_so".split("_"),weekdaysMin:"ne_po_\xFAt_st_\u010Dt_p\xE1_so".split("_"),months:"leden_\xFAnor_b\u0159ezen_duben_kv\u011Bten_\u010Derven_\u010Dervenec_srpen_z\xE1\u0159\xED_\u0159\xEDjen_listopad_prosinec".split("_"),monthsShort:"led_\xFAno_b\u0159e_dub_kv\u011B_\u010Dvn_\u010Dvc_srp_z\xE1\u0159_\u0159\xEDj_lis_pro".split("_"),weekStart:1,yearStart:4,ordinal:function(a){return a+"."},formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd D. MMMM YYYY H:mm",l:"D. M. YYYY"},relativeTime:{future:"za %s",past:"p\u0159ed %s",s:e,m:e,mm:e,h:e,hh:e,d:e,dd:e,M:e,MM:e,y:e,yy:e}};return s.default.locale(r,null,!0),r})});var An=k((Ze,Ve)=>{(function(n,t){typeof Ze=="object"&&typeof Ve<"u"?Ve.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_cy=t(n.dayjs)})(Ze,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"cy",weekdays:"Dydd Sul_Dydd Llun_Dydd Mawrth_Dydd Mercher_Dydd Iau_Dydd Gwener_Dydd Sadwrn".split("_"),months:"Ionawr_Chwefror_Mawrth_Ebrill_Mai_Mehefin_Gorffennaf_Awst_Medi_Hydref_Tachwedd_Rhagfyr".split("_"),weekStart:1,weekdaysShort:"Sul_Llun_Maw_Mer_Iau_Gwe_Sad".split("_"),monthsShort:"Ion_Chwe_Maw_Ebr_Mai_Meh_Gor_Aws_Med_Hyd_Tach_Rhag".split("_"),weekdaysMin:"Su_Ll_Ma_Me_Ia_Gw_Sa".split("_"),ordinal:function(e){return e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},relativeTime:{future:"mewn %s",past:"%s yn \xF4l",s:"ychydig eiliadau",m:"munud",mm:"%d munud",h:"awr",hh:"%d awr",d:"diwrnod",dd:"%d diwrnod",M:"mis",MM:"%d mis",y:"blwyddyn",yy:"%d flynedd"}};return s.default.locale(i,null,!0),i})});var In=k((Ke,Qe)=>{(function(n,t){typeof Ke=="object"&&typeof Qe<"u"?Qe.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_da=t(n.dayjs)})(Ke,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"da",weekdays:"s\xF8ndag_mandag_tirsdag_onsdag_torsdag_fredag_l\xF8rdag".split("_"),weekdaysShort:"s\xF8n._man._tirs._ons._tors._fre._l\xF8r.".split("_"),weekdaysMin:"s\xF8._ma._ti._on._to._fr._l\xF8.".split("_"),months:"januar_februar_marts_april_maj_juni_juli_august_september_oktober_november_december".split("_"),monthsShort:"jan._feb._mar._apr._maj_juni_juli_aug._sept._okt._nov._dec.".split("_"),weekStart:1,yearStart:4,ordinal:function(e){return e+"."},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd [d.] D. MMMM YYYY [kl.] HH:mm"},relativeTime:{future:"om %s",past:"%s siden",s:"f\xE5 sekunder",m:"et minut",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dage",M:"en m\xE5ned",MM:"%d m\xE5neder",y:"et \xE5r",yy:"%d \xE5r"}};return s.default.locale(i,null,!0),i})});var qn=k((Xe,Be)=>{(function(n,t){typeof Xe=="object"&&typeof Be<"u"?Be.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_de=t(n.dayjs)})(Xe,function(n){"use strict";function t(a){return a&&typeof a=="object"&&"default"in a?a:{default:a}}var s=t(n),i={s:"ein paar Sekunden",m:["eine Minute","einer Minute"],mm:"%d Minuten",h:["eine Stunde","einer Stunde"],hh:"%d Stunden",d:["ein Tag","einem Tag"],dd:["%d Tage","%d Tagen"],M:["ein Monat","einem Monat"],MM:["%d Monate","%d Monaten"],y:["ein Jahr","einem Jahr"],yy:["%d Jahre","%d Jahren"]};function e(a,u,o){var d=i[o];return Array.isArray(d)&&(d=d[u?0:1]),d.replace("%d",a)}var r={name:"de",weekdays:"Sonntag_Montag_Dienstag_Mittwoch_Donnerstag_Freitag_Samstag".split("_"),weekdaysShort:"So._Mo._Di._Mi._Do._Fr._Sa.".split("_"),weekdaysMin:"So_Mo_Di_Mi_Do_Fr_Sa".split("_"),months:"Januar_Februar_M\xE4rz_April_Mai_Juni_Juli_August_September_Oktober_November_Dezember".split("_"),monthsShort:"Jan._Feb._M\xE4rz_Apr._Mai_Juni_Juli_Aug._Sept._Okt._Nov._Dez.".split("_"),ordinal:function(a){return a+"."},weekStart:1,yearStart:4,formats:{LTS:"HH:mm:ss",LT:"HH:mm",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY HH:mm",LLLL:"dddd, D. MMMM YYYY HH:mm"},relativeTime:{future:"in %s",past:"vor %s",s:e,m:e,mm:e,h:e,hh:e,d:e,dd:e,M:e,MM:e,y:e,yy:e}};return s.default.locale(r,null,!0),r})});var xn=k((et,tt)=>{(function(n,t){typeof et=="object"&&typeof tt<"u"?tt.exports=t():typeof define=="function"&&define.amd?define(t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_en=t()})(et,function(){"use strict";return{name:"en",weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ordinal:function(n){var t=["th","st","nd","rd"],s=n%100;return"["+n+(t[(s-20)%10]||t[s]||t[0])+"]"}}})});var Nn=k((nt,it)=>{(function(n,t){typeof nt=="object"&&typeof it<"u"?it.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_es=t(n.dayjs)})(nt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"es",monthsShort:"ene_feb_mar_abr_may_jun_jul_ago_sep_oct_nov_dic".split("_"),weekdays:"domingo_lunes_martes_mi\xE9rcoles_jueves_viernes_s\xE1bado".split("_"),weekdaysShort:"dom._lun._mar._mi\xE9._jue._vie._s\xE1b.".split("_"),weekdaysMin:"do_lu_ma_mi_ju_vi_s\xE1".split("_"),months:"enero_febrero_marzo_abril_mayo_junio_julio_agosto_septiembre_octubre_noviembre_diciembre".split("_"),weekStart:1,formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY H:mm",LLLL:"dddd, D [de] MMMM [de] YYYY H:mm"},relativeTime:{future:"en %s",past:"hace %s",s:"unos segundos",m:"un minuto",mm:"%d minutos",h:"una hora",hh:"%d horas",d:"un d\xEDa",dd:"%d d\xEDas",M:"un mes",MM:"%d meses",y:"un a\xF1o",yy:"%d a\xF1os"},ordinal:function(e){return e+"\xBA"}};return s.default.locale(i,null,!0),i})});var En=k((st,rt)=>{(function(n,t){typeof st=="object"&&typeof rt<"u"?rt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_et=t(n.dayjs)})(st,function(n){"use strict";function t(r){return r&&typeof r=="object"&&"default"in r?r:{default:r}}var s=t(n);function i(r,a,u,o){var d={s:["m\xF5ne sekundi","m\xF5ni sekund","paar sekundit"],m:["\xFChe minuti","\xFCks minut"],mm:["%d minuti","%d minutit"],h:["\xFChe tunni","tund aega","\xFCks tund"],hh:["%d tunni","%d tundi"],d:["\xFChe p\xE4eva","\xFCks p\xE4ev"],M:["kuu aja","kuu aega","\xFCks kuu"],MM:["%d kuu","%d kuud"],y:["\xFChe aasta","aasta","\xFCks aasta"],yy:["%d aasta","%d aastat"]};return a?(d[u][2]?d[u][2]:d[u][1]).replace("%d",r):(o?d[u][0]:d[u][1]).replace("%d",r)}var e={name:"et",weekdays:"p\xFChap\xE4ev_esmasp\xE4ev_teisip\xE4ev_kolmap\xE4ev_neljap\xE4ev_reede_laup\xE4ev".split("_"),weekdaysShort:"P_E_T_K_N_R_L".split("_"),weekdaysMin:"P_E_T_K_N_R_L".split("_"),months:"jaanuar_veebruar_m\xE4rts_aprill_mai_juuni_juuli_august_september_oktoober_november_detsember".split("_"),monthsShort:"jaan_veebr_m\xE4rts_apr_mai_juuni_juuli_aug_sept_okt_nov_dets".split("_"),ordinal:function(r){return r+"."},weekStart:1,relativeTime:{future:"%s p\xE4rast",past:"%s tagasi",s:i,m:i,mm:i,h:i,hh:i,d:i,dd:"%d p\xE4eva",M:i,MM:i,y:i,yy:i},formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY H:mm",LLLL:"dddd, D. MMMM YYYY H:mm"}};return s.default.locale(e,null,!0),e})});var Fn=k((at,ut)=>{(function(n,t){typeof at=="object"&&typeof ut<"u"?ut.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_fa=t(n.dayjs)})(at,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"fa",weekdays:"\u06CC\u06A9\u200C\u0634\u0646\u0628\u0647_\u062F\u0648\u0634\u0646\u0628\u0647_\u0633\u0647\u200C\u0634\u0646\u0628\u0647_\u0686\u0647\u0627\u0631\u0634\u0646\u0628\u0647_\u067E\u0646\u062C\u200C\u0634\u0646\u0628\u0647_\u062C\u0645\u0639\u0647_\u0634\u0646\u0628\u0647".split("_"),weekdaysShort:"\u06CC\u06A9\u200C\u0634\u0646\u0628\u0647_\u062F\u0648\u0634\u0646\u0628\u0647_\u0633\u0647\u200C\u0634\u0646\u0628\u0647_\u0686\u0647\u0627\u0631\u0634\u0646\u0628\u0647_\u067E\u0646\u062C\u200C\u0634\u0646\u0628\u0647_\u062C\u0645\u0639\u0647_\u0634\u0646\u0628\u0647".split("_"),weekdaysMin:"\u06CC_\u062F_\u0633_\u0686_\u067E_\u062C_\u0634".split("_"),weekStart:6,months:"\u0698\u0627\u0646\u0648\u06CC\u0647_\u0641\u0648\u0631\u06CC\u0647_\u0645\u0627\u0631\u0633_\u0622\u0648\u0631\u06CC\u0644_\u0645\u0647_\u0698\u0648\u0626\u0646_\u0698\u0648\u0626\u06CC\u0647_\u0627\u0648\u062A_\u0633\u067E\u062A\u0627\u0645\u0628\u0631_\u0627\u06A9\u062A\u0628\u0631_\u0646\u0648\u0627\u0645\u0628\u0631_\u062F\u0633\u0627\u0645\u0628\u0631".split("_"),monthsShort:"\u0698\u0627\u0646\u0648\u06CC\u0647_\u0641\u0648\u0631\u06CC\u0647_\u0645\u0627\u0631\u0633_\u0622\u0648\u0631\u06CC\u0644_\u0645\u0647_\u0698\u0648\u0626\u0646_\u0698\u0648\u0626\u06CC\u0647_\u0627\u0648\u062A_\u0633\u067E\u062A\u0627\u0645\u0628\u0631_\u0627\u06A9\u062A\u0628\u0631_\u0646\u0648\u0627\u0645\u0628\u0631_\u062F\u0633\u0627\u0645\u0628\u0631".split("_"),ordinal:function(e){return e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},relativeTime:{future:"\u062F\u0631 %s",past:"%s \u067E\u06CC\u0634",s:"\u0686\u0646\u062F \u062B\u0627\u0646\u06CC\u0647",m:"\u06CC\u06A9 \u062F\u0642\u06CC\u0642\u0647",mm:"%d \u062F\u0642\u06CC\u0642\u0647",h:"\u06CC\u06A9 \u0633\u0627\u0639\u062A",hh:"%d \u0633\u0627\u0639\u062A",d:"\u06CC\u06A9 \u0631\u0648\u0632",dd:"%d \u0631\u0648\u0632",M:"\u06CC\u06A9 \u0645\u0627\u0647",MM:"%d \u0645\u0627\u0647",y:"\u06CC\u06A9 \u0633\u0627\u0644",yy:"%d \u0633\u0627\u0644"}};return s.default.locale(i,null,!0),i})});var Jn=k((ot,dt)=>{(function(n,t){typeof ot=="object"&&typeof dt<"u"?dt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_fi=t(n.dayjs)})(ot,function(n){"use strict";function t(r){return r&&typeof r=="object"&&"default"in r?r:{default:r}}var s=t(n);function i(r,a,u,o){var d={s:"muutama sekunti",m:"minuutti",mm:"%d minuuttia",h:"tunti",hh:"%d tuntia",d:"p\xE4iv\xE4",dd:"%d p\xE4iv\xE4\xE4",M:"kuukausi",MM:"%d kuukautta",y:"vuosi",yy:"%d vuotta",numbers:"nolla_yksi_kaksi_kolme_nelj\xE4_viisi_kuusi_seitsem\xE4n_kahdeksan_yhdeks\xE4n".split("_")},_={s:"muutaman sekunnin",m:"minuutin",mm:"%d minuutin",h:"tunnin",hh:"%d tunnin",d:"p\xE4iv\xE4n",dd:"%d p\xE4iv\xE4n",M:"kuukauden",MM:"%d kuukauden",y:"vuoden",yy:"%d vuoden",numbers:"nollan_yhden_kahden_kolmen_nelj\xE4n_viiden_kuuden_seitsem\xE4n_kahdeksan_yhdeks\xE4n".split("_")},y=o&&!a?_:d,l=y[u];return r<10?l.replace("%d",y.numbers[r]):l.replace("%d",r)}var e={name:"fi",weekdays:"sunnuntai_maanantai_tiistai_keskiviikko_torstai_perjantai_lauantai".split("_"),weekdaysShort:"su_ma_ti_ke_to_pe_la".split("_"),weekdaysMin:"su_ma_ti_ke_to_pe_la".split("_"),months:"tammikuu_helmikuu_maaliskuu_huhtikuu_toukokuu_kes\xE4kuu_hein\xE4kuu_elokuu_syyskuu_lokakuu_marraskuu_joulukuu".split("_"),monthsShort:"tammi_helmi_maalis_huhti_touko_kes\xE4_hein\xE4_elo_syys_loka_marras_joulu".split("_"),ordinal:function(r){return r+"."},weekStart:1,yearStart:4,relativeTime:{future:"%s p\xE4\xE4st\xE4",past:"%s sitten",s:i,m:i,mm:i,h:i,hh:i,d:i,dd:i,M:i,MM:i,y:i,yy:i},formats:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD.MM.YYYY",LL:"D. MMMM[ta] YYYY",LLL:"D. MMMM[ta] YYYY, [klo] HH.mm",LLLL:"dddd, D. MMMM[ta] YYYY, [klo] HH.mm",l:"D.M.YYYY",ll:"D. MMM YYYY",lll:"D. MMM YYYY, [klo] HH.mm",llll:"ddd, D. MMM YYYY, [klo] HH.mm"}};return s.default.locale(e,null,!0),e})});var Wn=k((_t,ft)=>{(function(n,t){typeof _t=="object"&&typeof ft<"u"?ft.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_fr=t(n.dayjs)})(_t,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"fr",weekdays:"dimanche_lundi_mardi_mercredi_jeudi_vendredi_samedi".split("_"),weekdaysShort:"dim._lun._mar._mer._jeu._ven._sam.".split("_"),weekdaysMin:"di_lu_ma_me_je_ve_sa".split("_"),months:"janvier_f\xE9vrier_mars_avril_mai_juin_juillet_ao\xFBt_septembre_octobre_novembre_d\xE9cembre".split("_"),monthsShort:"janv._f\xE9vr._mars_avr._mai_juin_juil._ao\xFBt_sept._oct._nov._d\xE9c.".split("_"),weekStart:1,yearStart:4,formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},relativeTime:{future:"dans %s",past:"il y a %s",s:"quelques secondes",m:"une minute",mm:"%d minutes",h:"une heure",hh:"%d heures",d:"un jour",dd:"%d jours",M:"un mois",MM:"%d mois",y:"un an",yy:"%d ans"},ordinal:function(e){return""+e+(e===1?"er":"")}};return s.default.locale(i,null,!0),i})});var Un=k((lt,mt)=>{(function(n,t){typeof lt=="object"&&typeof mt<"u"?mt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_hi=t(n.dayjs)})(lt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"hi",weekdays:"\u0930\u0935\u093F\u0935\u093E\u0930_\u0938\u094B\u092E\u0935\u093E\u0930_\u092E\u0902\u0917\u0932\u0935\u093E\u0930_\u092C\u0941\u0927\u0935\u093E\u0930_\u0917\u0941\u0930\u0942\u0935\u093E\u0930_\u0936\u0941\u0915\u094D\u0930\u0935\u093E\u0930_\u0936\u0928\u093F\u0935\u093E\u0930".split("_"),months:"\u091C\u0928\u0935\u0930\u0940_\u092B\u093C\u0930\u0935\u0930\u0940_\u092E\u093E\u0930\u094D\u091A_\u0905\u092A\u094D\u0930\u0948\u0932_\u092E\u0908_\u091C\u0942\u0928_\u091C\u0941\u0932\u093E\u0908_\u0905\u0917\u0938\u094D\u0924_\u0938\u093F\u0924\u092E\u094D\u092C\u0930_\u0905\u0915\u094D\u091F\u0942\u092C\u0930_\u0928\u0935\u092E\u094D\u092C\u0930_\u0926\u093F\u0938\u092E\u094D\u092C\u0930".split("_"),weekdaysShort:"\u0930\u0935\u093F_\u0938\u094B\u092E_\u092E\u0902\u0917\u0932_\u092C\u0941\u0927_\u0917\u0941\u0930\u0942_\u0936\u0941\u0915\u094D\u0930_\u0936\u0928\u093F".split("_"),monthsShort:"\u091C\u0928._\u092B\u093C\u0930._\u092E\u093E\u0930\u094D\u091A_\u0905\u092A\u094D\u0930\u0948._\u092E\u0908_\u091C\u0942\u0928_\u091C\u0941\u0932._\u0905\u0917._\u0938\u093F\u0924._\u0905\u0915\u094D\u091F\u0942._\u0928\u0935._\u0926\u093F\u0938.".split("_"),weekdaysMin:"\u0930_\u0938\u094B_\u092E\u0902_\u092C\u0941_\u0917\u0941_\u0936\u0941_\u0936".split("_"),ordinal:function(e){return e},formats:{LT:"A h:mm \u092C\u091C\u0947",LTS:"A h:mm:ss \u092C\u091C\u0947",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY, A h:mm \u092C\u091C\u0947",LLLL:"dddd, D MMMM YYYY, A h:mm \u092C\u091C\u0947"},relativeTime:{future:"%s \u092E\u0947\u0902",past:"%s \u092A\u0939\u0932\u0947",s:"\u0915\u0941\u091B \u0939\u0940 \u0915\u094D\u0937\u0923",m:"\u090F\u0915 \u092E\u093F\u0928\u091F",mm:"%d \u092E\u093F\u0928\u091F",h:"\u090F\u0915 \u0918\u0902\u091F\u093E",hh:"%d \u0918\u0902\u091F\u0947",d:"\u090F\u0915 \u0926\u093F\u0928",dd:"%d \u0926\u093F\u0928",M:"\u090F\u0915 \u092E\u0939\u0940\u0928\u0947",MM:"%d \u092E\u0939\u0940\u0928\u0947",y:"\u090F\u0915 \u0935\u0930\u094D\u0937",yy:"%d \u0935\u0930\u094D\u0937"}};return s.default.locale(i,null,!0),i})});var Pn=k((ct,ht)=>{(function(n,t){typeof ct=="object"&&typeof ht<"u"?ht.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_hu=t(n.dayjs)})(ct,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"hu",weekdays:"vas\xE1rnap_h\xE9tf\u0151_kedd_szerda_cs\xFCt\xF6rt\xF6k_p\xE9ntek_szombat".split("_"),weekdaysShort:"vas_h\xE9t_kedd_sze_cs\xFCt_p\xE9n_szo".split("_"),weekdaysMin:"v_h_k_sze_cs_p_szo".split("_"),months:"janu\xE1r_febru\xE1r_m\xE1rcius_\xE1prilis_m\xE1jus_j\xFAnius_j\xFAlius_augusztus_szeptember_okt\xF3ber_november_december".split("_"),monthsShort:"jan_feb_m\xE1rc_\xE1pr_m\xE1j_j\xFAn_j\xFAl_aug_szept_okt_nov_dec".split("_"),ordinal:function(e){return e+"."},weekStart:1,relativeTime:{future:"%s m\xFAlva",past:"%s",s:function(e,r,a,u){return"n\xE9h\xE1ny m\xE1sodperc"+(u||r?"":"e")},m:function(e,r,a,u){return"egy perc"+(u||r?"":"e")},mm:function(e,r,a,u){return e+" perc"+(u||r?"":"e")},h:function(e,r,a,u){return"egy "+(u||r?"\xF3ra":"\xF3r\xE1ja")},hh:function(e,r,a,u){return e+" "+(u||r?"\xF3ra":"\xF3r\xE1ja")},d:function(e,r,a,u){return"egy "+(u||r?"nap":"napja")},dd:function(e,r,a,u){return e+" "+(u||r?"nap":"napja")},M:function(e,r,a,u){return"egy "+(u||r?"h\xF3nap":"h\xF3napja")},MM:function(e,r,a,u){return e+" "+(u||r?"h\xF3nap":"h\xF3napja")},y:function(e,r,a,u){return"egy "+(u||r?"\xE9v":"\xE9ve")},yy:function(e,r,a,u){return e+" "+(u||r?"\xE9v":"\xE9ve")}},formats:{LT:"H:mm",LTS:"H:mm:ss",L:"YYYY.MM.DD.",LL:"YYYY. MMMM D.",LLL:"YYYY. MMMM D. H:mm",LLLL:"YYYY. MMMM D., dddd H:mm"}};return s.default.locale(i,null,!0),i})});var Rn=k((Mt,yt)=>{(function(n,t){typeof Mt=="object"&&typeof yt<"u"?yt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_hy_am=t(n.dayjs)})(Mt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"hy-am",weekdays:"\u056F\u056B\u0580\u0561\u056F\u056B_\u0565\u0580\u056F\u0578\u0582\u0577\u0561\u0562\u0569\u056B_\u0565\u0580\u0565\u0584\u0577\u0561\u0562\u0569\u056B_\u0579\u0578\u0580\u0565\u0584\u0577\u0561\u0562\u0569\u056B_\u0570\u056B\u0576\u0563\u0577\u0561\u0562\u0569\u056B_\u0578\u0582\u0580\u0562\u0561\u0569_\u0577\u0561\u0562\u0561\u0569".split("_"),months:"\u0570\u0578\u0582\u0576\u057E\u0561\u0580\u056B_\u0583\u0565\u057F\u0580\u057E\u0561\u0580\u056B_\u0574\u0561\u0580\u057F\u056B_\u0561\u057A\u0580\u056B\u056C\u056B_\u0574\u0561\u0575\u056B\u057D\u056B_\u0570\u0578\u0582\u0576\u056B\u057D\u056B_\u0570\u0578\u0582\u056C\u056B\u057D\u056B_\u0585\u0563\u0578\u057D\u057F\u0578\u057D\u056B_\u057D\u0565\u057A\u057F\u0565\u0574\u0562\u0565\u0580\u056B_\u0570\u0578\u056F\u057F\u0565\u0574\u0562\u0565\u0580\u056B_\u0576\u0578\u0575\u0565\u0574\u0562\u0565\u0580\u056B_\u0564\u0565\u056F\u057F\u0565\u0574\u0562\u0565\u0580\u056B".split("_"),weekStart:1,weekdaysShort:"\u056F\u0580\u056F_\u0565\u0580\u056F_\u0565\u0580\u0584_\u0579\u0580\u0584_\u0570\u0576\u0563_\u0578\u0582\u0580\u0562_\u0577\u0562\u0569".split("_"),monthsShort:"\u0570\u0576\u057E_\u0583\u057F\u0580_\u0574\u0580\u057F_\u0561\u057A\u0580_\u0574\u0575\u057D_\u0570\u0576\u057D_\u0570\u056C\u057D_\u0585\u0563\u057D_\u057D\u057A\u057F_\u0570\u056F\u057F_\u0576\u0574\u0562_\u0564\u056F\u057F".split("_"),weekdaysMin:"\u056F\u0580\u056F_\u0565\u0580\u056F_\u0565\u0580\u0584_\u0579\u0580\u0584_\u0570\u0576\u0563_\u0578\u0582\u0580\u0562_\u0577\u0562\u0569".split("_"),ordinal:function(e){return e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY \u0569.",LLL:"D MMMM YYYY \u0569., HH:mm",LLLL:"dddd, D MMMM YYYY \u0569., HH:mm"},relativeTime:{future:"%s \u0570\u0565\u057F\u0578",past:"%s \u0561\u057C\u0561\u057B",s:"\u0574\u056B \u0584\u0561\u0576\u056B \u057E\u0561\u0575\u0580\u056F\u0575\u0561\u0576",m:"\u0580\u0578\u057A\u0565",mm:"%d \u0580\u0578\u057A\u0565",h:"\u056A\u0561\u0574",hh:"%d \u056A\u0561\u0574",d:"\u0585\u0580",dd:"%d \u0585\u0580",M:"\u0561\u0574\u056B\u057D",MM:"%d \u0561\u0574\u056B\u057D",y:"\u057F\u0561\u0580\u056B",yy:"%d \u057F\u0561\u0580\u056B"}};return s.default.locale(i,null,!0),i})});var Gn=k((Yt,pt)=>{(function(n,t){typeof Yt=="object"&&typeof pt<"u"?pt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_id=t(n.dayjs)})(Yt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"id",weekdays:"Minggu_Senin_Selasa_Rabu_Kamis_Jumat_Sabtu".split("_"),months:"Januari_Februari_Maret_April_Mei_Juni_Juli_Agustus_September_Oktober_November_Desember".split("_"),weekdaysShort:"Min_Sen_Sel_Rab_Kam_Jum_Sab".split("_"),monthsShort:"Jan_Feb_Mar_Apr_Mei_Jun_Jul_Agt_Sep_Okt_Nov_Des".split("_"),weekdaysMin:"Mg_Sn_Sl_Rb_Km_Jm_Sb".split("_"),weekStart:1,formats:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [pukul] HH.mm",LLLL:"dddd, D MMMM YYYY [pukul] HH.mm"},relativeTime:{future:"dalam %s",past:"%s yang lalu",s:"beberapa detik",m:"semenit",mm:"%d menit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},ordinal:function(e){return e+"."}};return s.default.locale(i,null,!0),i})});var Zn=k((Dt,Lt)=>{(function(n,t){typeof Dt=="object"&&typeof Lt<"u"?Lt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_it=t(n.dayjs)})(Dt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"it",weekdays:"domenica_luned\xEC_marted\xEC_mercoled\xEC_gioved\xEC_venerd\xEC_sabato".split("_"),weekdaysShort:"dom_lun_mar_mer_gio_ven_sab".split("_"),weekdaysMin:"do_lu_ma_me_gi_ve_sa".split("_"),months:"gennaio_febbraio_marzo_aprile_maggio_giugno_luglio_agosto_settembre_ottobre_novembre_dicembre".split("_"),weekStart:1,monthsShort:"gen_feb_mar_apr_mag_giu_lug_ago_set_ott_nov_dic".split("_"),formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},relativeTime:{future:"tra %s",past:"%s fa",s:"qualche secondo",m:"un minuto",mm:"%d minuti",h:"un' ora",hh:"%d ore",d:"un giorno",dd:"%d giorni",M:"un mese",MM:"%d mesi",y:"un anno",yy:"%d anni"},ordinal:function(e){return e+"\xBA"}};return s.default.locale(i,null,!0),i})});var Vn=k((vt,gt)=>{(function(n,t){typeof vt=="object"&&typeof gt<"u"?gt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ja=t(n.dayjs)})(vt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"ja",weekdays:"\u65E5\u66DC\u65E5_\u6708\u66DC\u65E5_\u706B\u66DC\u65E5_\u6C34\u66DC\u65E5_\u6728\u66DC\u65E5_\u91D1\u66DC\u65E5_\u571F\u66DC\u65E5".split("_"),weekdaysShort:"\u65E5_\u6708_\u706B_\u6C34_\u6728_\u91D1_\u571F".split("_"),weekdaysMin:"\u65E5_\u6708_\u706B_\u6C34_\u6728_\u91D1_\u571F".split("_"),months:"1\u6708_2\u6708_3\u6708_4\u6708_5\u6708_6\u6708_7\u6708_8\u6708_9\u6708_10\u6708_11\u6708_12\u6708".split("_"),monthsShort:"1\u6708_2\u6708_3\u6708_4\u6708_5\u6708_6\u6708_7\u6708_8\u6708_9\u6708_10\u6708_11\u6708_12\u6708".split("_"),ordinal:function(e){return e+"\u65E5"},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY\u5E74M\u6708D\u65E5",LLL:"YYYY\u5E74M\u6708D\u65E5 HH:mm",LLLL:"YYYY\u5E74M\u6708D\u65E5 dddd HH:mm",l:"YYYY/MM/DD",ll:"YYYY\u5E74M\u6708D\u65E5",lll:"YYYY\u5E74M\u6708D\u65E5 HH:mm",llll:"YYYY\u5E74M\u6708D\u65E5(ddd) HH:mm"},meridiem:function(e){return e<12?"\u5348\u524D":"\u5348\u5F8C"},relativeTime:{future:"%s\u5F8C",past:"%s\u524D",s:"\u6570\u79D2",m:"1\u5206",mm:"%d\u5206",h:"1\u6642\u9593",hh:"%d\u6642\u9593",d:"1\u65E5",dd:"%d\u65E5",M:"1\u30F6\u6708",MM:"%d\u30F6\u6708",y:"1\u5E74",yy:"%d\u5E74"}};return s.default.locale(i,null,!0),i})});var Kn=k((St,bt)=>{(function(n,t){typeof St=="object"&&typeof bt<"u"?bt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ka=t(n.dayjs)})(St,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"ka",weekdays:"\u10D9\u10D5\u10D8\u10E0\u10D0_\u10DD\u10E0\u10E8\u10D0\u10D1\u10D0\u10D7\u10D8_\u10E1\u10D0\u10DB\u10E8\u10D0\u10D1\u10D0\u10D7\u10D8_\u10DD\u10D7\u10EE\u10E8\u10D0\u10D1\u10D0\u10D7\u10D8_\u10EE\u10E3\u10D7\u10E8\u10D0\u10D1\u10D0\u10D7\u10D8_\u10DE\u10D0\u10E0\u10D0\u10E1\u10D9\u10D4\u10D5\u10D8_\u10E8\u10D0\u10D1\u10D0\u10D7\u10D8".split("_"),weekdaysShort:"\u10D9\u10D5\u10D8_\u10DD\u10E0\u10E8_\u10E1\u10D0\u10DB_\u10DD\u10D7\u10EE_\u10EE\u10E3\u10D7_\u10DE\u10D0\u10E0_\u10E8\u10D0\u10D1".split("_"),weekdaysMin:"\u10D9\u10D5_\u10DD\u10E0_\u10E1\u10D0_\u10DD\u10D7_\u10EE\u10E3_\u10DE\u10D0_\u10E8\u10D0".split("_"),months:"\u10D8\u10D0\u10DC\u10D5\u10D0\u10E0\u10D8_\u10D7\u10D4\u10D1\u10D4\u10E0\u10D5\u10D0\u10DA\u10D8_\u10DB\u10D0\u10E0\u10E2\u10D8_\u10D0\u10DE\u10E0\u10D8\u10DA\u10D8_\u10DB\u10D0\u10D8\u10E1\u10D8_\u10D8\u10D5\u10DC\u10D8\u10E1\u10D8_\u10D8\u10D5\u10DA\u10D8\u10E1\u10D8_\u10D0\u10D2\u10D5\u10D8\u10E1\u10E2\u10DD_\u10E1\u10D4\u10E5\u10E2\u10D4\u10DB\u10D1\u10D4\u10E0\u10D8_\u10DD\u10E5\u10E2\u10DD\u10DB\u10D1\u10D4\u10E0\u10D8_\u10DC\u10DD\u10D4\u10DB\u10D1\u10D4\u10E0\u10D8_\u10D3\u10D4\u10D9\u10D4\u10DB\u10D1\u10D4\u10E0\u10D8".split("_"),monthsShort:"\u10D8\u10D0\u10DC_\u10D7\u10D4\u10D1_\u10DB\u10D0\u10E0_\u10D0\u10DE\u10E0_\u10DB\u10D0\u10D8_\u10D8\u10D5\u10DC_\u10D8\u10D5\u10DA_\u10D0\u10D2\u10D5_\u10E1\u10D4\u10E5_\u10DD\u10E5\u10E2_\u10DC\u10DD\u10D4_\u10D3\u10D4\u10D9".split("_"),weekStart:1,formats:{LT:"h:mm A",LTS:"h:mm:ss A",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY h:mm A",LLLL:"dddd, D MMMM YYYY h:mm A"},relativeTime:{future:"%s \u10E8\u10D4\u10DB\u10D3\u10D4\u10D2",past:"%s \u10EC\u10D8\u10DC",s:"\u10EC\u10D0\u10DB\u10D8",m:"\u10EC\u10E3\u10D7\u10D8",mm:"%d \u10EC\u10E3\u10D7\u10D8",h:"\u10E1\u10D0\u10D0\u10D7\u10D8",hh:"%d \u10E1\u10D0\u10D0\u10D7\u10D8\u10E1",d:"\u10D3\u10E6\u10D4\u10E1",dd:"%d \u10D3\u10E6\u10D8\u10E1 \u10D2\u10D0\u10DC\u10DB\u10D0\u10D5\u10DA\u10DD\u10D1\u10D0\u10E8\u10D8",M:"\u10D7\u10D5\u10D8\u10E1",MM:"%d \u10D7\u10D5\u10D8\u10E1",y:"\u10EC\u10D4\u10DA\u10D8",yy:"%d \u10EC\u10DA\u10D8\u10E1"},ordinal:function(e){return e}};return s.default.locale(i,null,!0),i})});var Qn=k((kt,Ht)=>{(function(n,t){typeof kt=="object"&&typeof Ht<"u"?Ht.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_km=t(n.dayjs)})(kt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"km",weekdays:"\u17A2\u17B6\u1791\u17B7\u178F\u17D2\u1799_\u1785\u17D0\u1793\u17D2\u1791_\u17A2\u1784\u17D2\u1782\u17B6\u179A_\u1796\u17BB\u1792_\u1796\u17D2\u179A\u17A0\u179F\u17D2\u1794\u178F\u17B7\u17CD_\u179F\u17BB\u1780\u17D2\u179A_\u179F\u17C5\u179A\u17CD".split("_"),months:"\u1798\u1780\u179A\u17B6_\u1780\u17BB\u1798\u17D2\u1797\u17C8_\u1798\u17B8\u1793\u17B6_\u1798\u17C1\u179F\u17B6_\u17A7\u179F\u1797\u17B6_\u1798\u17B7\u1790\u17BB\u1793\u17B6_\u1780\u1780\u17D2\u1780\u178A\u17B6_\u179F\u17B8\u17A0\u17B6_\u1780\u1789\u17D2\u1789\u17B6_\u178F\u17BB\u179B\u17B6_\u179C\u17B7\u1785\u17D2\u1786\u17B7\u1780\u17B6_\u1792\u17D2\u1793\u17BC".split("_"),weekStart:1,weekdaysShort:"\u17A2\u17B6_\u1785_\u17A2_\u1796_\u1796\u17D2\u179A_\u179F\u17BB_\u179F".split("_"),monthsShort:"\u1798\u1780\u179A\u17B6_\u1780\u17BB\u1798\u17D2\u1797\u17C8_\u1798\u17B8\u1793\u17B6_\u1798\u17C1\u179F\u17B6_\u17A7\u179F\u1797\u17B6_\u1798\u17B7\u1790\u17BB\u1793\u17B6_\u1780\u1780\u17D2\u1780\u178A\u17B6_\u179F\u17B8\u17A0\u17B6_\u1780\u1789\u17D2\u1789\u17B6_\u178F\u17BB\u179B\u17B6_\u179C\u17B7\u1785\u17D2\u1786\u17B7\u1780\u17B6_\u1792\u17D2\u1793\u17BC".split("_"),weekdaysMin:"\u17A2\u17B6_\u1785_\u17A2_\u1796_\u1796\u17D2\u179A_\u179F\u17BB_\u179F".split("_"),ordinal:function(e){return e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},relativeTime:{future:"%s\u1791\u17C0\u178F",past:"%s\u1798\u17BB\u1793",s:"\u1794\u17C9\u17BB\u1793\u17D2\u1798\u17B6\u1793\u179C\u17B7\u1793\u17B6\u1791\u17B8",m:"\u1798\u17BD\u1799\u1793\u17B6\u1791\u17B8",mm:"%d \u1793\u17B6\u1791\u17B8",h:"\u1798\u17BD\u1799\u1798\u17C9\u17C4\u1784",hh:"%d \u1798\u17C9\u17C4\u1784",d:"\u1798\u17BD\u1799\u1790\u17D2\u1784\u17C3",dd:"%d \u1790\u17D2\u1784\u17C3",M:"\u1798\u17BD\u1799\u1781\u17C2",MM:"%d \u1781\u17C2",y:"\u1798\u17BD\u1799\u1786\u17D2\u1793\u17B6\u17C6",yy:"%d \u1786\u17D2\u1793\u17B6\u17C6"}};return s.default.locale(i,null,!0),i})});var Xn=k((jt,Tt)=>{(function(n,t){typeof jt=="object"&&typeof Tt<"u"?Tt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_lt=t(n.dayjs)})(jt,function(n){"use strict";function t(o){return o&&typeof o=="object"&&"default"in o?o:{default:o}}var s=t(n),i="sausio_vasario_kovo_baland\u017Eio_gegu\u017E\u0117s_bir\u017Eelio_liepos_rugpj\u016B\u010Dio_rugs\u0117jo_spalio_lapkri\u010Dio_gruod\u017Eio".split("_"),e="sausis_vasaris_kovas_balandis_gegu\u017E\u0117_bir\u017Eelis_liepa_rugpj\u016Btis_rugs\u0117jis_spalis_lapkritis_gruodis".split("_"),r=/D[oD]?(\[[^\[\]]*\]|\s)+MMMM?|MMMM?(\[[^\[\]]*\]|\s)+D[oD]?/,a=function(o,d){return r.test(d)?i[o.month()]:e[o.month()]};a.s=e,a.f=i;var u={name:"lt",weekdays:"sekmadienis_pirmadienis_antradienis_tre\u010Diadienis_ketvirtadienis_penktadienis_\u0161e\u0161tadienis".split("_"),weekdaysShort:"sek_pir_ant_tre_ket_pen_\u0161e\u0161".split("_"),weekdaysMin:"s_p_a_t_k_pn_\u0161".split("_"),months:a,monthsShort:"sau_vas_kov_bal_geg_bir_lie_rgp_rgs_spa_lap_grd".split("_"),ordinal:function(o){return o+"."},weekStart:1,relativeTime:{future:"u\u017E %s",past:"prie\u0161 %s",s:"kelias sekundes",m:"minut\u0119",mm:"%d minutes",h:"valand\u0105",hh:"%d valandas",d:"dien\u0105",dd:"%d dienas",M:"m\u0117nes\u012F",MM:"%d m\u0117nesius",y:"metus",yy:"%d metus"},format:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY [m.] MMMM D [d.]",LLL:"YYYY [m.] MMMM D [d.], HH:mm [val.]",LLLL:"YYYY [m.] MMMM D [d.], dddd, HH:mm [val.]",l:"YYYY-MM-DD",ll:"YYYY [m.] MMMM D [d.]",lll:"YYYY [m.] MMMM D [d.], HH:mm [val.]",llll:"YYYY [m.] MMMM D [d.], ddd, HH:mm [val.]"},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"YYYY [m.] MMMM D [d.]",LLL:"YYYY [m.] MMMM D [d.], HH:mm [val.]",LLLL:"YYYY [m.] MMMM D [d.], dddd, HH:mm [val.]",l:"YYYY-MM-DD",ll:"YYYY [m.] MMMM D [d.]",lll:"YYYY [m.] MMMM D [d.], HH:mm [val.]",llll:"YYYY [m.] MMMM D [d.], ddd, HH:mm [val.]"}};return s.default.locale(u,null,!0),u})});var Bn=k((wt,$t)=>{(function(n,t){typeof wt=="object"&&typeof $t<"u"?$t.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_lv=t(n.dayjs)})(wt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"lv",weekdays:"sv\u0113tdiena_pirmdiena_otrdiena_tre\u0161diena_ceturtdiena_piektdiena_sestdiena".split("_"),months:"janv\u0101ris_febru\u0101ris_marts_apr\u012Blis_maijs_j\u016Bnijs_j\u016Blijs_augusts_septembris_oktobris_novembris_decembris".split("_"),weekStart:1,weekdaysShort:"Sv_P_O_T_C_Pk_S".split("_"),monthsShort:"jan_feb_mar_apr_mai_j\u016Bn_j\u016Bl_aug_sep_okt_nov_dec".split("_"),weekdaysMin:"Sv_P_O_T_C_Pk_S".split("_"),ordinal:function(e){return e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY.",LL:"YYYY. [gada] D. MMMM",LLL:"YYYY. [gada] D. MMMM, HH:mm",LLLL:"YYYY. [gada] D. MMMM, dddd, HH:mm"},relativeTime:{future:"p\u0113c %s",past:"pirms %s",s:"da\u017E\u0101m sekund\u0113m",m:"min\u016Btes",mm:"%d min\u016Bt\u0113m",h:"stundas",hh:"%d stund\u0101m",d:"dienas",dd:"%d dien\u0101m",M:"m\u0113ne\u0161a",MM:"%d m\u0113ne\u0161iem",y:"gada",yy:"%d gadiem"}};return s.default.locale(i,null,!0),i})});var ei=k((Ct,Ot)=>{(function(n,t){typeof Ct=="object"&&typeof Ot<"u"?Ot.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ms=t(n.dayjs)})(Ct,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"ms",weekdays:"Ahad_Isnin_Selasa_Rabu_Khamis_Jumaat_Sabtu".split("_"),weekdaysShort:"Ahd_Isn_Sel_Rab_Kha_Jum_Sab".split("_"),weekdaysMin:"Ah_Is_Sl_Rb_Km_Jm_Sb".split("_"),months:"Januari_Februari_Mac_April_Mei_Jun_Julai_Ogos_September_Oktober_November_Disember".split("_"),monthsShort:"Jan_Feb_Mac_Apr_Mei_Jun_Jul_Ogs_Sep_Okt_Nov_Dis".split("_"),weekStart:1,formats:{LT:"HH.mm",LTS:"HH.mm.ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH.mm",LLLL:"dddd, D MMMM YYYY HH.mm"},relativeTime:{future:"dalam %s",past:"%s yang lepas",s:"beberapa saat",m:"seminit",mm:"%d minit",h:"sejam",hh:"%d jam",d:"sehari",dd:"%d hari",M:"sebulan",MM:"%d bulan",y:"setahun",yy:"%d tahun"},ordinal:function(e){return e+"."}};return s.default.locale(i,null,!0),i})});var ti=k((zt,At)=>{(function(n,t){typeof zt=="object"&&typeof At<"u"?At.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_my=t(n.dayjs)})(zt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"my",weekdays:"\u1010\u1014\u1004\u103A\u1039\u1002\u1014\u103D\u1031_\u1010\u1014\u1004\u103A\u1039\u101C\u102C_\u1021\u1004\u103A\u1039\u1002\u102B_\u1017\u102F\u1012\u1039\u1013\u101F\u1030\u1038_\u1000\u103C\u102C\u101E\u1015\u1010\u1031\u1038_\u101E\u1031\u102C\u1000\u103C\u102C_\u1005\u1014\u1031".split("_"),months:"\u1007\u1014\u103A\u1014\u101D\u102B\u101B\u102E_\u1016\u1031\u1016\u1031\u102C\u103A\u101D\u102B\u101B\u102E_\u1019\u1010\u103A_\u1027\u1015\u103C\u102E_\u1019\u1031_\u1007\u103D\u1014\u103A_\u1007\u1030\u101C\u102D\u102F\u1004\u103A_\u101E\u103C\u1002\u102F\u1010\u103A_\u1005\u1000\u103A\u1010\u1004\u103A\u1018\u102C_\u1021\u1031\u102C\u1000\u103A\u1010\u102D\u102F\u1018\u102C_\u1014\u102D\u102F\u101D\u1004\u103A\u1018\u102C_\u1012\u102E\u1007\u1004\u103A\u1018\u102C".split("_"),weekStart:1,weekdaysShort:"\u1014\u103D\u1031_\u101C\u102C_\u1002\u102B_\u101F\u1030\u1038_\u1000\u103C\u102C_\u101E\u1031\u102C_\u1014\u1031".split("_"),monthsShort:"\u1007\u1014\u103A_\u1016\u1031_\u1019\u1010\u103A_\u1015\u103C\u102E_\u1019\u1031_\u1007\u103D\u1014\u103A_\u101C\u102D\u102F\u1004\u103A_\u101E\u103C_\u1005\u1000\u103A_\u1021\u1031\u102C\u1000\u103A_\u1014\u102D\u102F_\u1012\u102E".split("_"),weekdaysMin:"\u1014\u103D\u1031_\u101C\u102C_\u1002\u102B_\u101F\u1030\u1038_\u1000\u103C\u102C_\u101E\u1031\u102C_\u1014\u1031".split("_"),ordinal:function(e){return e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},relativeTime:{future:"\u101C\u102C\u1019\u100A\u103A\u1037 %s \u1019\u103E\u102C",past:"\u101C\u103D\u1014\u103A\u1001\u1032\u1037\u101E\u1031\u102C %s \u1000",s:"\u1005\u1000\u1039\u1000\u1014\u103A.\u1021\u1014\u100A\u103A\u1038\u1004\u101A\u103A",m:"\u1010\u1005\u103A\u1019\u102D\u1014\u1005\u103A",mm:"%d \u1019\u102D\u1014\u1005\u103A",h:"\u1010\u1005\u103A\u1014\u102C\u101B\u102E",hh:"%d \u1014\u102C\u101B\u102E",d:"\u1010\u1005\u103A\u101B\u1000\u103A",dd:"%d \u101B\u1000\u103A",M:"\u1010\u1005\u103A\u101C",MM:"%d \u101C",y:"\u1010\u1005\u103A\u1014\u103E\u1005\u103A",yy:"%d \u1014\u103E\u1005\u103A"}};return s.default.locale(i,null,!0),i})});var ni=k((It,qt)=>{(function(n,t){typeof It=="object"&&typeof qt<"u"?qt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_nl=t(n.dayjs)})(It,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"nl",weekdays:"zondag_maandag_dinsdag_woensdag_donderdag_vrijdag_zaterdag".split("_"),weekdaysShort:"zo._ma._di._wo._do._vr._za.".split("_"),weekdaysMin:"zo_ma_di_wo_do_vr_za".split("_"),months:"januari_februari_maart_april_mei_juni_juli_augustus_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mrt_apr_mei_jun_jul_aug_sep_okt_nov_dec".split("_"),ordinal:function(e){return"["+e+(e===1||e===8||e>=20?"ste":"de")+"]"},weekStart:1,yearStart:4,formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD-MM-YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd D MMMM YYYY HH:mm"},relativeTime:{future:"over %s",past:"%s geleden",s:"een paar seconden",m:"een minuut",mm:"%d minuten",h:"een uur",hh:"%d uur",d:"een dag",dd:"%d dagen",M:"een maand",MM:"%d maanden",y:"een jaar",yy:"%d jaar"}};return s.default.locale(i,null,!0),i})});var ii=k((xt,Nt)=>{(function(n,t){typeof xt=="object"&&typeof Nt<"u"?Nt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_nb=t(n.dayjs)})(xt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"nb",weekdays:"s\xF8ndag_mandag_tirsdag_onsdag_torsdag_fredag_l\xF8rdag".split("_"),weekdaysShort:"s\xF8._ma._ti._on._to._fr._l\xF8.".split("_"),weekdaysMin:"s\xF8_ma_ti_on_to_fr_l\xF8".split("_"),months:"januar_februar_mars_april_mai_juni_juli_august_september_oktober_november_desember".split("_"),monthsShort:"jan._feb._mars_april_mai_juni_juli_aug._sep._okt._nov._des.".split("_"),ordinal:function(e){return e+"."},weekStart:1,yearStart:4,formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D. MMMM YYYY",LLL:"D. MMMM YYYY [kl.] HH:mm",LLLL:"dddd D. MMMM YYYY [kl.] HH:mm"},relativeTime:{future:"om %s",past:"%s siden",s:"noen sekunder",m:"ett minutt",mm:"%d minutter",h:"en time",hh:"%d timer",d:"en dag",dd:"%d dager",M:"en m\xE5ned",MM:"%d m\xE5neder",y:"ett \xE5r",yy:"%d \xE5r"}};return s.default.locale(i,null,!0),i})});var si=k((Et,Ft)=>{(function(n,t){typeof Et=="object"&&typeof Ft<"u"?Ft.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_pl=t(n.dayjs)})(Et,function(n){"use strict";function t(_){return _&&typeof _=="object"&&"default"in _?_:{default:_}}var s=t(n);function i(_){return _%10<5&&_%10>1&&~~(_/10)%10!=1}function e(_,y,l){var f=_+" ";switch(l){case"m":return y?"minuta":"minut\u0119";case"mm":return f+(i(_)?"minuty":"minut");case"h":return y?"godzina":"godzin\u0119";case"hh":return f+(i(_)?"godziny":"godzin");case"MM":return f+(i(_)?"miesi\u0105ce":"miesi\u0119cy");case"yy":return f+(i(_)?"lata":"lat")}}var r="stycznia_lutego_marca_kwietnia_maja_czerwca_lipca_sierpnia_wrze\u015Bnia_pa\u017Adziernika_listopada_grudnia".split("_"),a="stycze\u0144_luty_marzec_kwiecie\u0144_maj_czerwiec_lipiec_sierpie\u0144_wrzesie\u0144_pa\u017Adziernik_listopad_grudzie\u0144".split("_"),u=/D MMMM/,o=function(_,y){return u.test(y)?r[_.month()]:a[_.month()]};o.s=a,o.f=r;var d={name:"pl",weekdays:"niedziela_poniedzia\u0142ek_wtorek_\u015Broda_czwartek_pi\u0105tek_sobota".split("_"),weekdaysShort:"ndz_pon_wt_\u015Br_czw_pt_sob".split("_"),weekdaysMin:"Nd_Pn_Wt_\u015Ar_Cz_Pt_So".split("_"),months:o,monthsShort:"sty_lut_mar_kwi_maj_cze_lip_sie_wrz_pa\u017A_lis_gru".split("_"),ordinal:function(_){return _+"."},weekStart:1,yearStart:4,relativeTime:{future:"za %s",past:"%s temu",s:"kilka sekund",m:e,mm:e,h:e,hh:e,d:"1 dzie\u0144",dd:"%d dni",M:"miesi\u0105c",MM:e,y:"rok",yy:e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"}};return s.default.locale(d,null,!0),d})});var ri=k((Jt,Wt)=>{(function(n,t){typeof Jt=="object"&&typeof Wt<"u"?Wt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_pt_br=t(n.dayjs)})(Jt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"pt-br",weekdays:"domingo_segunda-feira_ter\xE7a-feira_quarta-feira_quinta-feira_sexta-feira_s\xE1bado".split("_"),weekdaysShort:"dom_seg_ter_qua_qui_sex_s\xE1b".split("_"),weekdaysMin:"Do_2\xAA_3\xAA_4\xAA_5\xAA_6\xAA_S\xE1".split("_"),months:"janeiro_fevereiro_mar\xE7o_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),ordinal:function(e){return e+"\xBA"},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY [\xE0s] HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY [\xE0s] HH:mm"},relativeTime:{future:"em %s",past:"h\xE1 %s",s:"poucos segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",M:"um m\xEAs",MM:"%d meses",y:"um ano",yy:"%d anos"}};return s.default.locale(i,null,!0),i})});var ai=k((Ut,Pt)=>{(function(n,t){typeof Ut=="object"&&typeof Pt<"u"?Pt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_pt=t(n.dayjs)})(Ut,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"pt",weekdays:"domingo_segunda-feira_ter\xE7a-feira_quarta-feira_quinta-feira_sexta-feira_s\xE1bado".split("_"),weekdaysShort:"dom_seg_ter_qua_qui_sex_sab".split("_"),weekdaysMin:"Do_2\xAA_3\xAA_4\xAA_5\xAA_6\xAA_Sa".split("_"),months:"janeiro_fevereiro_mar\xE7o_abril_maio_junho_julho_agosto_setembro_outubro_novembro_dezembro".split("_"),monthsShort:"jan_fev_mar_abr_mai_jun_jul_ago_set_out_nov_dez".split("_"),ordinal:function(e){return e+"\xBA"},weekStart:1,yearStart:4,formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D [de] MMMM [de] YYYY",LLL:"D [de] MMMM [de] YYYY [\xE0s] HH:mm",LLLL:"dddd, D [de] MMMM [de] YYYY [\xE0s] HH:mm"},relativeTime:{future:"em %s",past:"h\xE1 %s",s:"alguns segundos",m:"um minuto",mm:"%d minutos",h:"uma hora",hh:"%d horas",d:"um dia",dd:"%d dias",M:"um m\xEAs",MM:"%d meses",y:"um ano",yy:"%d anos"}};return s.default.locale(i,null,!0),i})});var ui=k((Rt,Gt)=>{(function(n,t){typeof Rt=="object"&&typeof Gt<"u"?Gt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ro=t(n.dayjs)})(Rt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"ro",weekdays:"Duminic\u0103_Luni_Mar\u021Bi_Miercuri_Joi_Vineri_S\xE2mb\u0103t\u0103".split("_"),weekdaysShort:"Dum_Lun_Mar_Mie_Joi_Vin_S\xE2m".split("_"),weekdaysMin:"Du_Lu_Ma_Mi_Jo_Vi_S\xE2".split("_"),months:"Ianuarie_Februarie_Martie_Aprilie_Mai_Iunie_Iulie_August_Septembrie_Octombrie_Noiembrie_Decembrie".split("_"),monthsShort:"Ian._Febr._Mart._Apr._Mai_Iun._Iul._Aug._Sept._Oct._Nov._Dec.".split("_"),weekStart:1,formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY H:mm",LLLL:"dddd, D MMMM YYYY H:mm"},relativeTime:{future:"peste %s",past:"acum %s",s:"c\xE2teva secunde",m:"un minut",mm:"%d minute",h:"o or\u0103",hh:"%d ore",d:"o zi",dd:"%d zile",M:"o lun\u0103",MM:"%d luni",y:"un an",yy:"%d ani"},ordinal:function(e){return e}};return s.default.locale(i,null,!0),i})});var oi=k((Zt,Vt)=>{(function(n,t){typeof Zt=="object"&&typeof Vt<"u"?Vt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_ru=t(n.dayjs)})(Zt,function(n){"use strict";function t(l){return l&&typeof l=="object"&&"default"in l?l:{default:l}}var s=t(n),i="\u044F\u043D\u0432\u0430\u0440\u044F_\u0444\u0435\u0432\u0440\u0430\u043B\u044F_\u043C\u0430\u0440\u0442\u0430_\u0430\u043F\u0440\u0435\u043B\u044F_\u043C\u0430\u044F_\u0438\u044E\u043D\u044F_\u0438\u044E\u043B\u044F_\u0430\u0432\u0433\u0443\u0441\u0442\u0430_\u0441\u0435\u043D\u0442\u044F\u0431\u0440\u044F_\u043E\u043A\u0442\u044F\u0431\u0440\u044F_\u043D\u043E\u044F\u0431\u0440\u044F_\u0434\u0435\u043A\u0430\u0431\u0440\u044F".split("_"),e="\u044F\u043D\u0432\u0430\u0440\u044C_\u0444\u0435\u0432\u0440\u0430\u043B\u044C_\u043C\u0430\u0440\u0442_\u0430\u043F\u0440\u0435\u043B\u044C_\u043C\u0430\u0439_\u0438\u044E\u043D\u044C_\u0438\u044E\u043B\u044C_\u0430\u0432\u0433\u0443\u0441\u0442_\u0441\u0435\u043D\u0442\u044F\u0431\u0440\u044C_\u043E\u043A\u0442\u044F\u0431\u0440\u044C_\u043D\u043E\u044F\u0431\u0440\u044C_\u0434\u0435\u043A\u0430\u0431\u0440\u044C".split("_"),r="\u044F\u043D\u0432._\u0444\u0435\u0432\u0440._\u043C\u0430\u0440._\u0430\u043F\u0440._\u043C\u0430\u044F_\u0438\u044E\u043D\u044F_\u0438\u044E\u043B\u044F_\u0430\u0432\u0433._\u0441\u0435\u043D\u0442._\u043E\u043A\u0442._\u043D\u043E\u044F\u0431._\u0434\u0435\u043A.".split("_"),a="\u044F\u043D\u0432._\u0444\u0435\u0432\u0440._\u043C\u0430\u0440\u0442_\u0430\u043F\u0440._\u043C\u0430\u0439_\u0438\u044E\u043D\u044C_\u0438\u044E\u043B\u044C_\u0430\u0432\u0433._\u0441\u0435\u043D\u0442._\u043E\u043A\u0442._\u043D\u043E\u044F\u0431._\u0434\u0435\u043A.".split("_"),u=/D[oD]?(\[[^[\]]*\]|\s)+MMMM?/;function o(l,f,m){var Y,L;return m==="m"?f?"\u043C\u0438\u043D\u0443\u0442\u0430":"\u043C\u0438\u043D\u0443\u0442\u0443":l+" "+(Y=+l,L={mm:f?"\u043C\u0438\u043D\u0443\u0442\u0430_\u043C\u0438\u043D\u0443\u0442\u044B_\u043C\u0438\u043D\u0443\u0442":"\u043C\u0438\u043D\u0443\u0442\u0443_\u043C\u0438\u043D\u0443\u0442\u044B_\u043C\u0438\u043D\u0443\u0442",hh:"\u0447\u0430\u0441_\u0447\u0430\u0441\u0430_\u0447\u0430\u0441\u043E\u0432",dd:"\u0434\u0435\u043D\u044C_\u0434\u043D\u044F_\u0434\u043D\u0435\u0439",MM:"\u043C\u0435\u0441\u044F\u0446_\u043C\u0435\u0441\u044F\u0446\u0430_\u043C\u0435\u0441\u044F\u0446\u0435\u0432",yy:"\u0433\u043E\u0434_\u0433\u043E\u0434\u0430_\u043B\u0435\u0442"}[m].split("_"),Y%10==1&&Y%100!=11?L[0]:Y%10>=2&&Y%10<=4&&(Y%100<10||Y%100>=20)?L[1]:L[2])}var d=function(l,f){return u.test(f)?i[l.month()]:e[l.month()]};d.s=e,d.f=i;var _=function(l,f){return u.test(f)?r[l.month()]:a[l.month()]};_.s=a,_.f=r;var y={name:"ru",weekdays:"\u0432\u043E\u0441\u043A\u0440\u0435\u0441\u0435\u043D\u044C\u0435_\u043F\u043E\u043D\u0435\u0434\u0435\u043B\u044C\u043D\u0438\u043A_\u0432\u0442\u043E\u0440\u043D\u0438\u043A_\u0441\u0440\u0435\u0434\u0430_\u0447\u0435\u0442\u0432\u0435\u0440\u0433_\u043F\u044F\u0442\u043D\u0438\u0446\u0430_\u0441\u0443\u0431\u0431\u043E\u0442\u0430".split("_"),weekdaysShort:"\u0432\u0441\u043A_\u043F\u043D\u0434_\u0432\u0442\u0440_\u0441\u0440\u0434_\u0447\u0442\u0432_\u043F\u0442\u043D_\u0441\u0431\u0442".split("_"),weekdaysMin:"\u0432\u0441_\u043F\u043D_\u0432\u0442_\u0441\u0440_\u0447\u0442_\u043F\u0442_\u0441\u0431".split("_"),months:d,monthsShort:_,weekStart:1,yearStart:4,formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY \u0433.",LLL:"D MMMM YYYY \u0433., H:mm",LLLL:"dddd, D MMMM YYYY \u0433., H:mm"},relativeTime:{future:"\u0447\u0435\u0440\u0435\u0437 %s",past:"%s \u043D\u0430\u0437\u0430\u0434",s:"\u043D\u0435\u0441\u043A\u043E\u043B\u044C\u043A\u043E \u0441\u0435\u043A\u0443\u043D\u0434",m:o,mm:o,h:"\u0447\u0430\u0441",hh:o,d:"\u0434\u0435\u043D\u044C",dd:o,M:"\u043C\u0435\u0441\u044F\u0446",MM:o,y:"\u0433\u043E\u0434",yy:o},ordinal:function(l){return l},meridiem:function(l){return l<4?"\u043D\u043E\u0447\u0438":l<12?"\u0443\u0442\u0440\u0430":l<17?"\u0434\u043D\u044F":"\u0432\u0435\u0447\u0435\u0440\u0430"}};return s.default.locale(y,null,!0),y})});var di=k((Kt,Qt)=>{(function(n,t){typeof Kt=="object"&&typeof Qt<"u"?Qt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_sv=t(n.dayjs)})(Kt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"sv",weekdays:"s\xF6ndag_m\xE5ndag_tisdag_onsdag_torsdag_fredag_l\xF6rdag".split("_"),weekdaysShort:"s\xF6n_m\xE5n_tis_ons_tor_fre_l\xF6r".split("_"),weekdaysMin:"s\xF6_m\xE5_ti_on_to_fr_l\xF6".split("_"),months:"januari_februari_mars_april_maj_juni_juli_augusti_september_oktober_november_december".split("_"),monthsShort:"jan_feb_mar_apr_maj_jun_jul_aug_sep_okt_nov_dec".split("_"),weekStart:1,yearStart:4,ordinal:function(e){var r=e%10;return"["+e+(r===1||r===2?"a":"e")+"]"},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY-MM-DD",LL:"D MMMM YYYY",LLL:"D MMMM YYYY [kl.] HH:mm",LLLL:"dddd D MMMM YYYY [kl.] HH:mm",lll:"D MMM YYYY HH:mm",llll:"ddd D MMM YYYY HH:mm"},relativeTime:{future:"om %s",past:"f\xF6r %s sedan",s:"n\xE5gra sekunder",m:"en minut",mm:"%d minuter",h:"en timme",hh:"%d timmar",d:"en dag",dd:"%d dagar",M:"en m\xE5nad",MM:"%d m\xE5nader",y:"ett \xE5r",yy:"%d \xE5r"}};return s.default.locale(i,null,!0),i})});var _i=k((Xt,Bt)=>{(function(n,t){typeof Xt=="object"&&typeof Bt<"u"?Bt.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_th=t(n.dayjs)})(Xt,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"th",weekdays:"\u0E2D\u0E32\u0E17\u0E34\u0E15\u0E22\u0E4C_\u0E08\u0E31\u0E19\u0E17\u0E23\u0E4C_\u0E2D\u0E31\u0E07\u0E04\u0E32\u0E23_\u0E1E\u0E38\u0E18_\u0E1E\u0E24\u0E2B\u0E31\u0E2A\u0E1A\u0E14\u0E35_\u0E28\u0E38\u0E01\u0E23\u0E4C_\u0E40\u0E2A\u0E32\u0E23\u0E4C".split("_"),weekdaysShort:"\u0E2D\u0E32\u0E17\u0E34\u0E15\u0E22\u0E4C_\u0E08\u0E31\u0E19\u0E17\u0E23\u0E4C_\u0E2D\u0E31\u0E07\u0E04\u0E32\u0E23_\u0E1E\u0E38\u0E18_\u0E1E\u0E24\u0E2B\u0E31\u0E2A_\u0E28\u0E38\u0E01\u0E23\u0E4C_\u0E40\u0E2A\u0E32\u0E23\u0E4C".split("_"),weekdaysMin:"\u0E2D\u0E32._\u0E08._\u0E2D._\u0E1E._\u0E1E\u0E24._\u0E28._\u0E2A.".split("_"),months:"\u0E21\u0E01\u0E23\u0E32\u0E04\u0E21_\u0E01\u0E38\u0E21\u0E20\u0E32\u0E1E\u0E31\u0E19\u0E18\u0E4C_\u0E21\u0E35\u0E19\u0E32\u0E04\u0E21_\u0E40\u0E21\u0E29\u0E32\u0E22\u0E19_\u0E1E\u0E24\u0E29\u0E20\u0E32\u0E04\u0E21_\u0E21\u0E34\u0E16\u0E38\u0E19\u0E32\u0E22\u0E19_\u0E01\u0E23\u0E01\u0E0E\u0E32\u0E04\u0E21_\u0E2A\u0E34\u0E07\u0E2B\u0E32\u0E04\u0E21_\u0E01\u0E31\u0E19\u0E22\u0E32\u0E22\u0E19_\u0E15\u0E38\u0E25\u0E32\u0E04\u0E21_\u0E1E\u0E24\u0E28\u0E08\u0E34\u0E01\u0E32\u0E22\u0E19_\u0E18\u0E31\u0E19\u0E27\u0E32\u0E04\u0E21".split("_"),monthsShort:"\u0E21.\u0E04._\u0E01.\u0E1E._\u0E21\u0E35.\u0E04._\u0E40\u0E21.\u0E22._\u0E1E.\u0E04._\u0E21\u0E34.\u0E22._\u0E01.\u0E04._\u0E2A.\u0E04._\u0E01.\u0E22._\u0E15.\u0E04._\u0E1E.\u0E22._\u0E18.\u0E04.".split("_"),formats:{LT:"H:mm",LTS:"H:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY \u0E40\u0E27\u0E25\u0E32 H:mm",LLLL:"\u0E27\u0E31\u0E19dddd\u0E17\u0E35\u0E48 D MMMM YYYY \u0E40\u0E27\u0E25\u0E32 H:mm"},relativeTime:{future:"\u0E2D\u0E35\u0E01 %s",past:"%s\u0E17\u0E35\u0E48\u0E41\u0E25\u0E49\u0E27",s:"\u0E44\u0E21\u0E48\u0E01\u0E35\u0E48\u0E27\u0E34\u0E19\u0E32\u0E17\u0E35",m:"1 \u0E19\u0E32\u0E17\u0E35",mm:"%d \u0E19\u0E32\u0E17\u0E35",h:"1 \u0E0A\u0E31\u0E48\u0E27\u0E42\u0E21\u0E07",hh:"%d \u0E0A\u0E31\u0E48\u0E27\u0E42\u0E21\u0E07",d:"1 \u0E27\u0E31\u0E19",dd:"%d \u0E27\u0E31\u0E19",M:"1 \u0E40\u0E14\u0E37\u0E2D\u0E19",MM:"%d \u0E40\u0E14\u0E37\u0E2D\u0E19",y:"1 \u0E1B\u0E35",yy:"%d \u0E1B\u0E35"},ordinal:function(e){return e+"."}};return s.default.locale(i,null,!0),i})});var fi=k((en,tn)=>{(function(n,t){typeof en=="object"&&typeof tn<"u"?tn.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_tr=t(n.dayjs)})(en,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"tr",weekdays:"Pazar_Pazartesi_Sal\u0131_\xC7ar\u015Famba_Per\u015Fembe_Cuma_Cumartesi".split("_"),weekdaysShort:"Paz_Pts_Sal_\xC7ar_Per_Cum_Cts".split("_"),weekdaysMin:"Pz_Pt_Sa_\xC7a_Pe_Cu_Ct".split("_"),months:"Ocak_\u015Eubat_Mart_Nisan_May\u0131s_Haziran_Temmuz_A\u011Fustos_Eyl\xFCl_Ekim_Kas\u0131m_Aral\u0131k".split("_"),monthsShort:"Oca_\u015Eub_Mar_Nis_May_Haz_Tem_A\u011Fu_Eyl_Eki_Kas_Ara".split("_"),weekStart:1,formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY",LLL:"D MMMM YYYY HH:mm",LLLL:"dddd, D MMMM YYYY HH:mm"},relativeTime:{future:"%s sonra",past:"%s \xF6nce",s:"birka\xE7 saniye",m:"bir dakika",mm:"%d dakika",h:"bir saat",hh:"%d saat",d:"bir g\xFCn",dd:"%d g\xFCn",M:"bir ay",MM:"%d ay",y:"bir y\u0131l",yy:"%d y\u0131l"},ordinal:function(e){return e+"."}};return s.default.locale(i,null,!0),i})});var li=k((nn,sn)=>{(function(n,t){typeof nn=="object"&&typeof sn<"u"?sn.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_uk=t(n.dayjs)})(nn,function(n){"use strict";function t(d){return d&&typeof d=="object"&&"default"in d?d:{default:d}}var s=t(n),i="\u0441\u0456\u0447\u043D\u044F_\u043B\u044E\u0442\u043E\u0433\u043E_\u0431\u0435\u0440\u0435\u0437\u043D\u044F_\u043A\u0432\u0456\u0442\u043D\u044F_\u0442\u0440\u0430\u0432\u043D\u044F_\u0447\u0435\u0440\u0432\u043D\u044F_\u043B\u0438\u043F\u043D\u044F_\u0441\u0435\u0440\u043F\u043D\u044F_\u0432\u0435\u0440\u0435\u0441\u043D\u044F_\u0436\u043E\u0432\u0442\u043D\u044F_\u043B\u0438\u0441\u0442\u043E\u043F\u0430\u0434\u0430_\u0433\u0440\u0443\u0434\u043D\u044F".split("_"),e="\u0441\u0456\u0447\u0435\u043D\u044C_\u043B\u044E\u0442\u0438\u0439_\u0431\u0435\u0440\u0435\u0437\u0435\u043D\u044C_\u043A\u0432\u0456\u0442\u0435\u043D\u044C_\u0442\u0440\u0430\u0432\u0435\u043D\u044C_\u0447\u0435\u0440\u0432\u0435\u043D\u044C_\u043B\u0438\u043F\u0435\u043D\u044C_\u0441\u0435\u0440\u043F\u0435\u043D\u044C_\u0432\u0435\u0440\u0435\u0441\u0435\u043D\u044C_\u0436\u043E\u0432\u0442\u0435\u043D\u044C_\u043B\u0438\u0441\u0442\u043E\u043F\u0430\u0434_\u0433\u0440\u0443\u0434\u0435\u043D\u044C".split("_"),r=/D[oD]?(\[[^[\]]*\]|\s)+MMMM?/;function a(d,_,y){var l,f;return y==="m"?_?"\u0445\u0432\u0438\u043B\u0438\u043D\u0430":"\u0445\u0432\u0438\u043B\u0438\u043D\u0443":y==="h"?_?"\u0433\u043E\u0434\u0438\u043D\u0430":"\u0433\u043E\u0434\u0438\u043D\u0443":d+" "+(l=+d,f={ss:_?"\u0441\u0435\u043A\u0443\u043D\u0434\u0430_\u0441\u0435\u043A\u0443\u043D\u0434\u0438_\u0441\u0435\u043A\u0443\u043D\u0434":"\u0441\u0435\u043A\u0443\u043D\u0434\u0443_\u0441\u0435\u043A\u0443\u043D\u0434\u0438_\u0441\u0435\u043A\u0443\u043D\u0434",mm:_?"\u0445\u0432\u0438\u043B\u0438\u043D\u0430_\u0445\u0432\u0438\u043B\u0438\u043D\u0438_\u0445\u0432\u0438\u043B\u0438\u043D":"\u0445\u0432\u0438\u043B\u0438\u043D\u0443_\u0445\u0432\u0438\u043B\u0438\u043D\u0438_\u0445\u0432\u0438\u043B\u0438\u043D",hh:_?"\u0433\u043E\u0434\u0438\u043D\u0430_\u0433\u043E\u0434\u0438\u043D\u0438_\u0433\u043E\u0434\u0438\u043D":"\u0433\u043E\u0434\u0438\u043D\u0443_\u0433\u043E\u0434\u0438\u043D\u0438_\u0433\u043E\u0434\u0438\u043D",dd:"\u0434\u0435\u043D\u044C_\u0434\u043D\u0456_\u0434\u043D\u0456\u0432",MM:"\u043C\u0456\u0441\u044F\u0446\u044C_\u043C\u0456\u0441\u044F\u0446\u0456_\u043C\u0456\u0441\u044F\u0446\u0456\u0432",yy:"\u0440\u0456\u043A_\u0440\u043E\u043A\u0438_\u0440\u043E\u043A\u0456\u0432"}[y].split("_"),l%10==1&&l%100!=11?f[0]:l%10>=2&&l%10<=4&&(l%100<10||l%100>=20)?f[1]:f[2])}var u=function(d,_){return r.test(_)?i[d.month()]:e[d.month()]};u.s=e,u.f=i;var o={name:"uk",weekdays:"\u043D\u0435\u0434\u0456\u043B\u044F_\u043F\u043E\u043D\u0435\u0434\u0456\u043B\u043E\u043A_\u0432\u0456\u0432\u0442\u043E\u0440\u043E\u043A_\u0441\u0435\u0440\u0435\u0434\u0430_\u0447\u0435\u0442\u0432\u0435\u0440_\u043F\u2019\u044F\u0442\u043D\u0438\u0446\u044F_\u0441\u0443\u0431\u043E\u0442\u0430".split("_"),weekdaysShort:"\u043D\u0434\u043B_\u043F\u043D\u0434_\u0432\u0442\u0440_\u0441\u0440\u0434_\u0447\u0442\u0432_\u043F\u0442\u043D_\u0441\u0431\u0442".split("_"),weekdaysMin:"\u043D\u0434_\u043F\u043D_\u0432\u0442_\u0441\u0440_\u0447\u0442_\u043F\u0442_\u0441\u0431".split("_"),months:u,monthsShort:"\u0441\u0456\u0447_\u043B\u044E\u0442_\u0431\u0435\u0440_\u043A\u0432\u0456\u0442_\u0442\u0440\u0430\u0432_\u0447\u0435\u0440\u0432_\u043B\u0438\u043F_\u0441\u0435\u0440\u043F_\u0432\u0435\u0440_\u0436\u043E\u0432\u0442_\u043B\u0438\u0441\u0442_\u0433\u0440\u0443\u0434".split("_"),weekStart:1,relativeTime:{future:"\u0437\u0430 %s",past:"%s \u0442\u043E\u043C\u0443",s:"\u0434\u0435\u043A\u0456\u043B\u044C\u043A\u0430 \u0441\u0435\u043A\u0443\u043D\u0434",m:a,mm:a,h:a,hh:a,d:"\u0434\u0435\u043D\u044C",dd:a,M:"\u043C\u0456\u0441\u044F\u0446\u044C",MM:a,y:"\u0440\u0456\u043A",yy:a},ordinal:function(d){return d},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD.MM.YYYY",LL:"D MMMM YYYY \u0440.",LLL:"D MMMM YYYY \u0440., HH:mm",LLLL:"dddd, D MMMM YYYY \u0440., HH:mm"}};return s.default.locale(o,null,!0),o})});var mi=k((rn,an)=>{(function(n,t){typeof rn=="object"&&typeof an<"u"?an.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_vi=t(n.dayjs)})(rn,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"vi",weekdays:"ch\u1EE7 nh\u1EADt_th\u1EE9 hai_th\u1EE9 ba_th\u1EE9 t\u01B0_th\u1EE9 n\u0103m_th\u1EE9 s\xE1u_th\u1EE9 b\u1EA3y".split("_"),months:"th\xE1ng 1_th\xE1ng 2_th\xE1ng 3_th\xE1ng 4_th\xE1ng 5_th\xE1ng 6_th\xE1ng 7_th\xE1ng 8_th\xE1ng 9_th\xE1ng 10_th\xE1ng 11_th\xE1ng 12".split("_"),weekStart:1,weekdaysShort:"CN_T2_T3_T4_T5_T6_T7".split("_"),monthsShort:"Th01_Th02_Th03_Th04_Th05_Th06_Th07_Th08_Th09_Th10_Th11_Th12".split("_"),weekdaysMin:"CN_T2_T3_T4_T5_T6_T7".split("_"),ordinal:function(e){return e},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"DD/MM/YYYY",LL:"D MMMM [n\u0103m] YYYY",LLL:"D MMMM [n\u0103m] YYYY HH:mm",LLLL:"dddd, D MMMM [n\u0103m] YYYY HH:mm",l:"DD/M/YYYY",ll:"D MMM YYYY",lll:"D MMM YYYY HH:mm",llll:"ddd, D MMM YYYY HH:mm"},relativeTime:{future:"%s t\u1EDBi",past:"%s tr\u01B0\u1EDBc",s:"v\xE0i gi\xE2y",m:"m\u1ED9t ph\xFAt",mm:"%d ph\xFAt",h:"m\u1ED9t gi\u1EDD",hh:"%d gi\u1EDD",d:"m\u1ED9t ng\xE0y",dd:"%d ng\xE0y",M:"m\u1ED9t th\xE1ng",MM:"%d th\xE1ng",y:"m\u1ED9t n\u0103m",yy:"%d n\u0103m"}};return s.default.locale(i,null,!0),i})});var ci=k((un,on)=>{(function(n,t){typeof un=="object"&&typeof on<"u"?on.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_zh_cn=t(n.dayjs)})(un,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"zh-cn",weekdays:"\u661F\u671F\u65E5_\u661F\u671F\u4E00_\u661F\u671F\u4E8C_\u661F\u671F\u4E09_\u661F\u671F\u56DB_\u661F\u671F\u4E94_\u661F\u671F\u516D".split("_"),weekdaysShort:"\u5468\u65E5_\u5468\u4E00_\u5468\u4E8C_\u5468\u4E09_\u5468\u56DB_\u5468\u4E94_\u5468\u516D".split("_"),weekdaysMin:"\u65E5_\u4E00_\u4E8C_\u4E09_\u56DB_\u4E94_\u516D".split("_"),months:"\u4E00\u6708_\u4E8C\u6708_\u4E09\u6708_\u56DB\u6708_\u4E94\u6708_\u516D\u6708_\u4E03\u6708_\u516B\u6708_\u4E5D\u6708_\u5341\u6708_\u5341\u4E00\u6708_\u5341\u4E8C\u6708".split("_"),monthsShort:"1\u6708_2\u6708_3\u6708_4\u6708_5\u6708_6\u6708_7\u6708_8\u6708_9\u6708_10\u6708_11\u6708_12\u6708".split("_"),ordinal:function(e,r){return r==="W"?e+"\u5468":e+"\u65E5"},weekStart:1,yearStart:4,formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY\u5E74M\u6708D\u65E5",LLL:"YYYY\u5E74M\u6708D\u65E5Ah\u70B9mm\u5206",LLLL:"YYYY\u5E74M\u6708D\u65E5ddddAh\u70B9mm\u5206",l:"YYYY/M/D",ll:"YYYY\u5E74M\u6708D\u65E5",lll:"YYYY\u5E74M\u6708D\u65E5 HH:mm",llll:"YYYY\u5E74M\u6708D\u65E5dddd HH:mm"},relativeTime:{future:"%s\u5185",past:"%s\u524D",s:"\u51E0\u79D2",m:"1 \u5206\u949F",mm:"%d \u5206\u949F",h:"1 \u5C0F\u65F6",hh:"%d \u5C0F\u65F6",d:"1 \u5929",dd:"%d \u5929",M:"1 \u4E2A\u6708",MM:"%d \u4E2A\u6708",y:"1 \u5E74",yy:"%d \u5E74"},meridiem:function(e,r){var a=100*e+r;return a<600?"\u51CC\u6668":a<900?"\u65E9\u4E0A":a<1100?"\u4E0A\u5348":a<1300?"\u4E2D\u5348":a<1800?"\u4E0B\u5348":"\u665A\u4E0A"}};return s.default.locale(i,null,!0),i})});var hi=k((dn,_n)=>{(function(n,t){typeof dn=="object"&&typeof _n<"u"?_n.exports=t(j()):typeof define=="function"&&define.amd?define(["dayjs"],t):(n=typeof globalThis<"u"?globalThis:n||self).dayjs_locale_zh_tw=t(n.dayjs)})(dn,function(n){"use strict";function t(e){return e&&typeof e=="object"&&"default"in e?e:{default:e}}var s=t(n),i={name:"zh-tw",weekdays:"\u661F\u671F\u65E5_\u661F\u671F\u4E00_\u661F\u671F\u4E8C_\u661F\u671F\u4E09_\u661F\u671F\u56DB_\u661F\u671F\u4E94_\u661F\u671F\u516D".split("_"),weekdaysShort:"\u9031\u65E5_\u9031\u4E00_\u9031\u4E8C_\u9031\u4E09_\u9031\u56DB_\u9031\u4E94_\u9031\u516D".split("_"),weekdaysMin:"\u65E5_\u4E00_\u4E8C_\u4E09_\u56DB_\u4E94_\u516D".split("_"),months:"\u4E00\u6708_\u4E8C\u6708_\u4E09\u6708_\u56DB\u6708_\u4E94\u6708_\u516D\u6708_\u4E03\u6708_\u516B\u6708_\u4E5D\u6708_\u5341\u6708_\u5341\u4E00\u6708_\u5341\u4E8C\u6708".split("_"),monthsShort:"1\u6708_2\u6708_3\u6708_4\u6708_5\u6708_6\u6708_7\u6708_8\u6708_9\u6708_10\u6708_11\u6708_12\u6708".split("_"),ordinal:function(e,r){return r==="W"?e+"\u9031":e+"\u65E5"},formats:{LT:"HH:mm",LTS:"HH:mm:ss",L:"YYYY/MM/DD",LL:"YYYY\u5E74M\u6708D\u65E5",LLL:"YYYY\u5E74M\u6708D\u65E5 HH:mm",LLLL:"YYYY\u5E74M\u6708D\u65E5dddd HH:mm",l:"YYYY/M/D",ll:"YYYY\u5E74M\u6708D\u65E5",lll:"YYYY\u5E74M\u6708D\u65E5 HH:mm",llll:"YYYY\u5E74M\u6708D\u65E5dddd HH:mm"},relativeTime:{future:"%s\u5167",past:"%s\u524D",s:"\u5E7E\u79D2",m:"1 \u5206\u9418",mm:"%d \u5206\u9418",h:"1 \u5C0F\u6642",hh:"%d \u5C0F\u6642",d:"1 \u5929",dd:"%d \u5929",M:"1 \u500B\u6708",MM:"%d \u500B\u6708",y:"1 \u5E74",yy:"%d \u5E74"},meridiem:function(e,r){var a=100*e+r;return a<600?"\u51CC\u6668":a<900?"\u65E9\u4E0A":a<1100?"\u4E0A\u5348":a<1300?"\u4E2D\u5348":a<1800?"\u4E0B\u5348":"\u665A\u4E0A"}};return s.default.locale(i,null,!0),i})});var ln=60,mn=ln*60,cn=mn*24,ji=cn*7,ae=1e3,ce=ln*ae,ge=mn*ae,hn=cn*ae,Mn=ji*ae,_e="millisecond",te="second",ne="minute",ie="hour",V="day",oe="week",R="month",he="quarter",K="year",se="date",yn="YYYY-MM-DDTHH:mm:ssZ",Se="Invalid Date",Yn=/^(\d{4})[-/]?(\d{1,2})?[-/]?(\d{0,2})[Tt\s]*(\d{1,2})?:?(\d{1,2})?:?(\d{1,2})?[.:]?(\d+)?$/,pn=/\[([^\]]+)]|Y{1,4}|M{1,4}|D{1,2}|d{1,4}|H{1,2}|h{1,2}|a|A|m{1,2}|s{1,2}|Z{1,2}|SSS/g;var Ln={name:"en",weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ordinal:function(t){var s=["th","st","nd","rd"],i=t%100;return"["+t+(s[(i-20)%10]||s[i]||s[0])+"]"}};var be=function(t,s,i){var e=String(t);return!e||e.length>=s?t:""+Array(s+1-e.length).join(i)+t},Ti=function(t){var s=-t.utcOffset(),i=Math.abs(s),e=Math.floor(i/60),r=i%60;return(s<=0?"+":"-")+be(e,2,"0")+":"+be(r,2,"0")},wi=function n(t,s){if(t.date()1)return n(a[0])}else{var u=t.name;ue[u]=t,e=u}return!i&&e&&(fe=e),e||!i&&fe},F=function(t,s){if(ke(t))return t.clone();var i=typeof s=="object"?s:{};return i.date=t,i.args=arguments,new ye(i)},zi=function(t,s){return F(t,{locale:s.$L,utc:s.$u,x:s.$x,$offset:s.$offset})},z=vn;z.l=Me;z.i=ke;z.w=zi;var Ai=function(t){var s=t.date,i=t.utc;if(s===null)return new Date(NaN);if(z.u(s))return new Date;if(s instanceof Date)return new Date(s);if(typeof s=="string"&&!/Z$/i.test(s)){var e=s.match(Yn);if(e){var r=e[2]-1||0,a=(e[7]||"0").substring(0,3);return i?new Date(Date.UTC(e[1],r,e[3]||1,e[4]||0,e[5]||0,e[6]||0,a)):new Date(e[1],r,e[3]||1,e[4]||0,e[5]||0,e[6]||0,a)}}return new Date(s)},ye=function(){function n(s){this.$L=Me(s.locale,null,!0),this.parse(s),this.$x=this.$x||s.x||{},this[gn]=!0}var t=n.prototype;return t.parse=function(i){this.$d=Ai(i),this.init()},t.init=function(){var i=this.$d;this.$y=i.getFullYear(),this.$M=i.getMonth(),this.$D=i.getDate(),this.$W=i.getDay(),this.$H=i.getHours(),this.$m=i.getMinutes(),this.$s=i.getSeconds(),this.$ms=i.getMilliseconds()},t.$utils=function(){return z},t.isValid=function(){return this.$d.toString()!==Se},t.isSame=function(i,e){var r=F(i);return this.startOf(e)<=r&&r<=this.endOf(e)},t.isAfter=function(i,e){return F(i)this.togglePanelVisibility(this.$refs.button)),this.$watch("focusedMonth",()=>{this.focusedMonth=+this.focusedMonth,this.focusedDate.month()!==this.focusedMonth&&(this.focusedDate=this.focusedDate.month(this.focusedMonth))}),this.$watch("focusedYear",()=>{if(this.focusedYear?.length>4&&(this.focusedYear=this.focusedYear.substring(0,4)),!this.focusedYear||this.focusedYear?.length!==4)return;let o=+this.focusedYear;Number.isInteger(o)||(o=O().tz(a).year(),this.focusedYear=o),this.focusedDate.year()!==o&&(this.focusedDate=this.focusedDate.year(o))}),this.$watch("focusedDate",()=>{let o=this.focusedDate.month(),d=this.focusedDate.year();this.focusedMonth!==o&&(this.focusedMonth=o),this.focusedYear!==d&&(this.focusedYear=d),this.setupDaysGrid()}),this.$watch("hour",()=>{let o=+this.hour;if(Number.isInteger(o)?o>23?this.hour=0:o<0?this.hour=23:this.hour=o:this.hour=0,this.isClearingState)return;let d=this.getSelectedDate()??this.focusedDate;this.setState(d.hour(this.hour??0))}),this.$watch("minute",()=>{let o=+this.minute;if(Number.isInteger(o)?o>59?this.minute=0:o<0?this.minute=59:this.minute=o:this.minute=0,this.isClearingState)return;let d=this.getSelectedDate()??this.focusedDate;this.setState(d.minute(this.minute??0))}),this.$watch("second",()=>{let o=+this.second;if(Number.isInteger(o)?o>59?this.second=0:o<0?this.second=59:this.second=o:this.second=0,this.isClearingState)return;let d=this.getSelectedDate()??this.focusedDate;this.setState(d.second(this.second??0))}),this.$watch("state",()=>{if(this.state===void 0)return;let o=this.getSelectedDate();if(o===null){this.clearState();return}this.getMaxDate()!==null&&o?.isAfter(this.getMaxDate())&&(o=null),this.getMinDate()!==null&&o?.isBefore(this.getMinDate())&&(o=null);let d=o?.hour()??0;this.hour!==d&&(this.hour=d);let _=o?.minute()??0;this.minute!==_&&(this.minute=_);let y=o?.second()??0;this.second!==y&&(this.second=y),this.setDisplayText()})},clearState:function(){this.isClearingState=!0,this.setState(null),this.hour=0,this.minute=0,this.second=0,this.$nextTick(()=>this.isClearingState=!1)},dateIsDisabled:function(u){return!!(this.$refs?.disabledDates&&JSON.parse(this.$refs.disabledDates.value??[]).some(o=>(o=O(o),o.isValid()?o.isSame(u,"day"):!1))||this.getMaxDate()&&u.isAfter(this.getMaxDate(),"day")||this.getMinDate()&&u.isBefore(this.getMinDate(),"day"))},dayIsDisabled:function(u){return this.focusedDate??(this.focusedDate=O().tz(a)),this.dateIsDisabled(this.focusedDate.date(u))},dayIsSelected:function(u){let o=this.getSelectedDate();return o===null?!1:(this.focusedDate??(this.focusedDate=O().tz(a)),o.date()===u&&o.month()===this.focusedDate.month()&&o.year()===this.focusedDate.year())},dayIsToday:function(u){let o=O().tz(a);return this.focusedDate??(this.focusedDate=o),o.date()===u&&o.month()===this.focusedDate.month()&&o.year()===this.focusedDate.year()},focusPreviousDay:function(){this.focusedDate??(this.focusedDate=O().tz(a)),this.focusedDate=this.focusedDate.subtract(1,"day")},focusPreviousWeek:function(){this.focusedDate??(this.focusedDate=O().tz(a)),this.focusedDate=this.focusedDate.subtract(1,"week")},focusNextDay:function(){this.focusedDate??(this.focusedDate=O().tz(a)),this.focusedDate=this.focusedDate.add(1,"day")},focusNextWeek:function(){this.focusedDate??(this.focusedDate=O().tz(a)),this.focusedDate=this.focusedDate.add(1,"week")},getDayLabels:function(){let u=O.weekdaysShort();return t===0?u:[...u.slice(t),...u.slice(0,t)]},getMaxDate:function(){let u=O(this.$refs.maxDate?.value);return u.isValid()?u:null},getMinDate:function(){let u=O(this.$refs.minDate?.value);return u.isValid()?u:null},getSelectedDate:function(){if(this.state===void 0||this.state===null)return null;let u=O(this.state);return u.isValid()?u:null},togglePanelVisibility:function(){this.isOpen()||(this.focusedDate=this.getSelectedDate()??this.getMinDate()??O().tz(a),this.setupDaysGrid()),this.$refs.panel.toggle(this.$refs.button)},selectDate:function(u=null){u&&this.setFocusedDay(u),this.focusedDate??(this.focusedDate=O().tz(a)),this.setState(this.focusedDate),e&&this.togglePanelVisibility()},setDisplayText:function(){this.displayText=this.getSelectedDate()?this.getSelectedDate().format(n):""},setMonths:function(){this.months=O.months()},setDayLabels:function(){this.dayLabels=this.getDayLabels()},setupDaysGrid:function(){this.focusedDate??(this.focusedDate=O().tz(a)),this.emptyDaysInFocusedMonth=Array.from({length:this.focusedDate.date(8-t).day()},(u,o)=>o+1),this.daysInFocusedMonth=Array.from({length:this.focusedDate.daysInMonth()},(u,o)=>o+1)},setFocusedDay:function(u){this.focusedDate=(this.focusedDate??O().tz(a)).date(u)},setState:function(u){if(u===null){this.state=null,this.setDisplayText();return}this.dateIsDisabled(u)||(this.state=u.hour(this.hour??0).minute(this.minute??0).second(this.second??0).format("YYYY-MM-DD HH:mm:ss"),this.setDisplayText())},isOpen:function(){return this.$refs.panel?.style.display==="block"}}}var Mi={ar:wn(),bs:$n(),ca:Cn(),ckb:Pe(),cs:zn(),cy:An(),da:In(),de:qn(),en:xn(),es:Nn(),et:En(),fa:Fn(),fi:Jn(),fr:Wn(),hi:Un(),hu:Pn(),hy:Rn(),id:Gn(),it:Zn(),ja:Vn(),ka:Kn(),km:Qn(),ku:Pe(),lt:Xn(),lv:Bn(),ms:ei(),my:ti(),nl:ni(),no:ii(),pl:si(),pt_BR:ri(),pt_PT:ai(),ro:ui(),ru:oi(),sv:di(),th:_i(),tr:fi(),uk:li(),vi:mi(),zh_CN:ci(),zh_TW:hi()};export{Ii as default}; diff --git a/public/js/filament/forms/components/file-upload.js b/public/js/filament/forms/components/file-upload.js new file mode 100644 index 0000000..41e11c8 --- /dev/null +++ b/public/js/filament/forms/components/file-upload.js @@ -0,0 +1,123 @@ +var Jl=Object.defineProperty;var er=(e,t)=>{for(var i in t)Jl(e,i,{get:t[i],enumerable:!0})};var na={};er(na,{FileOrigin:()=>zt,FileStatus:()=>Et,OptionTypes:()=>Gi,Status:()=>no,create:()=>ut,destroy:()=>ft,find:()=>Wi,getOptions:()=>Hi,parse:()=>Ui,registerPlugin:()=>ve,setOptions:()=>Dt,supported:()=>Vi});var tr=e=>e instanceof HTMLElement,ir=(e,t=[],i=[])=>{let a={...e},n=[],o=[],l=()=>({...a}),r=()=>{let f=[...n];return n.length=0,f},s=()=>{let f=[...o];o.length=0,f.forEach(({type:h,data:g})=>{p(h,g)})},p=(f,h,g)=>{if(g&&!document.hidden){o.push({type:f,data:h});return}u[f]&&u[f](h),n.push({type:f,data:h})},c=(f,...h)=>m[f]?m[f](...h):null,d={getState:l,processActionQueue:r,processDispatchQueue:s,dispatch:p,query:c},m={};t.forEach(f=>{m={...f(a),...m}});let u={};return i.forEach(f=>{u={...f(p,c,a),...u}}),d},ar=(e,t,i)=>{if(typeof i=="function"){e[t]=i;return}Object.defineProperty(e,t,{...i})},te=(e,t)=>{for(let i in e)e.hasOwnProperty(i)&&t(i,e[i])},We=e=>{let t={};return te(e,i=>{ar(t,i,e[i])}),t},se=(e,t,i=null)=>{if(i===null)return e.getAttribute(t)||e.hasAttribute(t);e.setAttribute(t,i)},nr="http://www.w3.org/2000/svg",or=["svg","path"],Oa=e=>or.includes(e),ni=(e,t,i={})=>{typeof t=="object"&&(i=t,t=null);let a=Oa(e)?document.createElementNS(nr,e):document.createElement(e);return t&&(Oa(e)?se(a,"class",t):a.className=t),te(i,(n,o)=>{se(a,n,o)}),a},lr=e=>(t,i)=>{typeof i<"u"&&e.children[i]?e.insertBefore(t,e.children[i]):e.appendChild(t)},rr=(e,t)=>(i,a)=>(typeof a<"u"?t.splice(a,0,i):t.push(i),i),sr=(e,t)=>i=>(t.splice(t.indexOf(i),1),i.element.parentNode&&e.removeChild(i.element),i),cr=(()=>typeof window<"u"&&typeof window.document<"u")(),En=()=>cr,dr=En()?ni("svg"):{},pr="children"in dr?e=>e.children.length:e=>e.childNodes.length,bn=(e,t,i,a)=>{let n=i[0]||e.left,o=i[1]||e.top,l=n+e.width,r=o+e.height*(a[1]||1),s={element:{...e},inner:{left:e.left,top:e.top,right:e.right,bottom:e.bottom},outer:{left:n,top:o,right:l,bottom:r}};return t.filter(p=>!p.isRectIgnored()).map(p=>p.rect).forEach(p=>{Pa(s.inner,{...p.inner}),Pa(s.outer,{...p.outer})}),Da(s.inner),s.outer.bottom+=s.element.marginBottom,s.outer.right+=s.element.marginRight,Da(s.outer),s},Pa=(e,t)=>{t.top+=e.top,t.right+=e.left,t.bottom+=e.top,t.left+=e.left,t.bottom>e.bottom&&(e.bottom=t.bottom),t.right>e.right&&(e.right=t.right)},Da=e=>{e.width=e.right-e.left,e.height=e.bottom-e.top},$e=e=>typeof e=="number",mr=(e,t,i,a=.001)=>Math.abs(e-t){let a=null,n=null,o=0,l=!1,p=We({interpolate:(c,d)=>{if(l)return;if(!($e(a)&&$e(n))){l=!0,o=0;return}let m=-(n-a)*e;o+=m/i,n+=o,o*=t,mr(n,a,o)||d?(n=a,o=0,l=!0,p.onupdate(n),p.oncomplete(n)):p.onupdate(n)},target:{set:c=>{if($e(c)&&!$e(n)&&(n=c),a===null&&(a=c,n=c),a=c,n===a||typeof a>"u"){l=!0,o=0,p.onupdate(n),p.oncomplete(n);return}l=!1},get:()=>a},resting:{get:()=>l},onupdate:c=>{},oncomplete:c=>{}});return p};var fr=e=>e<.5?2*e*e:-1+(4-2*e)*e,hr=({duration:e=500,easing:t=fr,delay:i=0}={})=>{let a=null,n,o,l=!0,r=!1,s=null,c=We({interpolate:(d,m)=>{l||s===null||(a===null&&(a=d),!(d-a=e||m?(n=1,o=r?0:1,c.onupdate(o*s),c.oncomplete(o*s),l=!0):(o=n/e,c.onupdate((n>=0?t(r?1-o:o):0)*s))))},target:{get:()=>r?0:s,set:d=>{if(s===null){s=d,c.onupdate(d),c.oncomplete(d);return}dl},onupdate:d=>{},oncomplete:d=>{}});return c},Fa={spring:ur,tween:hr},gr=(e,t,i)=>{let a=e[t]&&typeof e[t][i]=="object"?e[t][i]:e[t]||e,n=typeof a=="string"?a:a.type,o=typeof a=="object"?{...a}:{};return Fa[n]?Fa[n](o):null},ji=(e,t,i,a=!1)=>{t=Array.isArray(t)?t:[t],t.forEach(n=>{e.forEach(o=>{let l=o,r=()=>i[o],s=p=>i[o]=p;typeof o=="object"&&(l=o.key,r=o.getter||r,s=o.setter||s),!(n[l]&&!a)&&(n[l]={get:r,set:s})})})},Er=({mixinConfig:e,viewProps:t,viewInternalAPI:i,viewExternalAPI:a})=>{let n={...t},o=[];return te(e,(l,r)=>{let s=gr(r);if(!s)return;s.onupdate=c=>{t[l]=c},s.target=n[l],ji([{key:l,setter:c=>{s.target!==c&&(s.target=c)},getter:()=>t[l]}],[i,a],t,!0),o.push(s)}),{write:l=>{let r=document.hidden,s=!0;return o.forEach(p=>{p.resting||(s=!1),p.interpolate(l,r)}),s},destroy:()=>{}}},br=e=>(t,i)=>{e.addEventListener(t,i)},Tr=e=>(t,i)=>{e.removeEventListener(t,i)},Ir=({mixinConfig:e,viewProps:t,viewInternalAPI:i,viewExternalAPI:a,viewState:n,view:o})=>{let l=[],r=br(o.element),s=Tr(o.element);return a.on=(p,c)=>{l.push({type:p,fn:c}),r(p,c)},a.off=(p,c)=>{l.splice(l.findIndex(d=>d.type===p&&d.fn===c),1),s(p,c)},{write:()=>!0,destroy:()=>{l.forEach(p=>{s(p.type,p.fn)})}}},vr=({mixinConfig:e,viewProps:t,viewExternalAPI:i})=>{ji(e,i,t)},ue=e=>e!=null,xr={opacity:1,scaleX:1,scaleY:1,translateX:0,translateY:0,rotateX:0,rotateY:0,rotateZ:0,originX:0,originY:0},yr=({mixinConfig:e,viewProps:t,viewInternalAPI:i,viewExternalAPI:a,view:n})=>{let o={...t},l={};ji(e,[i,a],t);let r=()=>[t.translateX||0,t.translateY||0],s=()=>[t.scaleX||0,t.scaleY||0],p=()=>n.rect?bn(n.rect,n.childViews,r(),s()):null;return i.rect={get:p},a.rect={get:p},e.forEach(c=>{t[c]=typeof o[c]>"u"?xr[c]:o[c]}),{write:()=>{if(_r(l,t))return Rr(n.element,t),Object.assign(l,{...t}),!0},destroy:()=>{}}},_r=(e,t)=>{if(Object.keys(e).length!==Object.keys(t).length)return!0;for(let i in t)if(t[i]!==e[i])return!0;return!1},Rr=(e,{opacity:t,perspective:i,translateX:a,translateY:n,scaleX:o,scaleY:l,rotateX:r,rotateY:s,rotateZ:p,originX:c,originY:d,width:m,height:u})=>{let f="",h="";(ue(c)||ue(d))&&(h+=`transform-origin: ${c||0}px ${d||0}px;`),ue(i)&&(f+=`perspective(${i}px) `),(ue(a)||ue(n))&&(f+=`translate3d(${a||0}px, ${n||0}px, 0) `),(ue(o)||ue(l))&&(f+=`scale3d(${ue(o)?o:1}, ${ue(l)?l:1}, 1) `),ue(p)&&(f+=`rotateZ(${p}rad) `),ue(r)&&(f+=`rotateX(${r}rad) `),ue(s)&&(f+=`rotateY(${s}rad) `),f.length&&(h+=`transform:${f};`),ue(t)&&(h+=`opacity:${t};`,t===0&&(h+="visibility:hidden;"),t<1&&(h+="pointer-events:none;")),ue(u)&&(h+=`height:${u}px;`),ue(m)&&(h+=`width:${m}px;`);let g=e.elementCurrentStyle||"";(h.length!==g.length||h!==g)&&(e.style.cssText=h,e.elementCurrentStyle=h)},wr={styles:yr,listeners:Ir,animations:Er,apis:vr},za=(e={},t={},i={})=>(t.layoutCalculated||(e.paddingTop=parseInt(i.paddingTop,10)||0,e.marginTop=parseInt(i.marginTop,10)||0,e.marginRight=parseInt(i.marginRight,10)||0,e.marginBottom=parseInt(i.marginBottom,10)||0,e.marginLeft=parseInt(i.marginLeft,10)||0,t.layoutCalculated=!0),e.left=t.offsetLeft||0,e.top=t.offsetTop||0,e.width=t.offsetWidth||0,e.height=t.offsetHeight||0,e.right=e.left+e.width,e.bottom=e.top+e.height,e.scrollTop=t.scrollTop,e.hidden=t.offsetParent===null,e),ne=({tag:e="div",name:t=null,attributes:i={},read:a=()=>{},write:n=()=>{},create:o=()=>{},destroy:l=()=>{},filterFrameActionsForChild:r=(u,f)=>f,didCreateView:s=()=>{},didWriteView:p=()=>{},ignoreRect:c=!1,ignoreRectUpdate:d=!1,mixins:m=[]}={})=>(u,f={})=>{let h=ni(e,`filepond--${t}`,i),g=window.getComputedStyle(h,null),I=za(),E=null,T=!1,v=[],y=[],b={},w={},x=[n],_=[a],P=[l],O=()=>h,M=()=>v.concat(),C=()=>b,S=G=>(H,Y)=>H(G,Y),F=()=>E||(E=bn(I,v,[0,0],[1,1]),E),R=()=>g,L=()=>{E=null,v.forEach(Y=>Y._read()),!(d&&I.width&&I.height)&&za(I,h,g);let H={root:Q,props:f,rect:I};_.forEach(Y=>Y(H))},z=(G,H,Y)=>{let le=H.length===0;return x.forEach(ee=>{ee({props:f,root:Q,actions:H,timestamp:G,shouldOptimize:Y})===!1&&(le=!1)}),y.forEach(ee=>{ee.write(G)===!1&&(le=!1)}),v.filter(ee=>!!ee.element.parentNode).forEach(ee=>{ee._write(G,r(ee,H),Y)||(le=!1)}),v.forEach((ee,V)=>{ee.element.parentNode||(Q.appendChild(ee.element,V),ee._read(),ee._write(G,r(ee,H),Y),le=!1)}),T=le,p({props:f,root:Q,actions:H,timestamp:G}),le},D=()=>{y.forEach(G=>G.destroy()),P.forEach(G=>{G({root:Q,props:f})}),v.forEach(G=>G._destroy())},k={element:{get:O},style:{get:R},childViews:{get:M}},B={...k,rect:{get:F},ref:{get:C},is:G=>t===G,appendChild:lr(h),createChildView:S(u),linkView:G=>(v.push(G),G),unlinkView:G=>{v.splice(v.indexOf(G),1)},appendChildView:rr(h,v),removeChildView:sr(h,v),registerWriter:G=>x.push(G),registerReader:G=>_.push(G),registerDestroyer:G=>P.push(G),invalidateLayout:()=>h.layoutCalculated=!1,dispatch:u.dispatch,query:u.query},X={element:{get:O},childViews:{get:M},rect:{get:F},resting:{get:()=>T},isRectIgnored:()=>c,_read:L,_write:z,_destroy:D},q={...k,rect:{get:()=>I}};Object.keys(m).sort((G,H)=>G==="styles"?1:H==="styles"?-1:0).forEach(G=>{let H=wr[G]({mixinConfig:m[G],viewProps:f,viewState:w,viewInternalAPI:B,viewExternalAPI:X,view:We(q)});H&&y.push(H)});let Q=We(B);o({root:Q,props:f});let pe=pr(h);return v.forEach((G,H)=>{Q.appendChild(G.element,pe+H)}),s(Q),We(X)},Sr=(e,t,i=60)=>{let a="__framePainter";if(window[a]){window[a].readers.push(e),window[a].writers.push(t);return}window[a]={readers:[e],writers:[t]};let n=window[a],o=1e3/i,l=null,r=null,s=null,p=null,c=()=>{document.hidden?(s=()=>window.setTimeout(()=>d(performance.now()),o),p=()=>window.clearTimeout(r)):(s=()=>window.requestAnimationFrame(d),p=()=>window.cancelAnimationFrame(r))};document.addEventListener("visibilitychange",()=>{p&&p(),c(),d(performance.now())});let d=m=>{r=s(d),l||(l=m);let u=m-l;u<=o||(l=m-u%o,n.readers.forEach(f=>f()),n.writers.forEach(f=>f(m)))};return c(),d(performance.now()),{pause:()=>{p(r)}}},he=(e,t)=>({root:i,props:a,actions:n=[],timestamp:o,shouldOptimize:l})=>{n.filter(r=>e[r.type]).forEach(r=>e[r.type]({root:i,props:a,action:r.data,timestamp:o,shouldOptimize:l})),t&&t({root:i,props:a,actions:n,timestamp:o,shouldOptimize:l})},Ca=(e,t)=>t.parentNode.insertBefore(e,t),Na=(e,t)=>t.parentNode.insertBefore(e,t.nextSibling),si=e=>Array.isArray(e),Be=e=>e==null,Lr=e=>e.trim(),ci=e=>""+e,Ar=(e,t=",")=>Be(e)?[]:si(e)?e:ci(e).split(t).map(Lr).filter(i=>i.length),Tn=e=>typeof e=="boolean",In=e=>Tn(e)?e:e==="true",fe=e=>typeof e=="string",vn=e=>$e(e)?e:fe(e)?ci(e).replace(/[a-z]+/gi,""):0,ai=e=>parseInt(vn(e),10),Ba=e=>parseFloat(vn(e)),gt=e=>$e(e)&&isFinite(e)&&Math.floor(e)===e,ka=(e,t=1e3)=>{if(gt(e))return e;let i=ci(e).trim();return/MB$/i.test(i)?(i=i.replace(/MB$i/,"").trim(),ai(i)*t*t):/KB/i.test(i)?(i=i.replace(/KB$i/,"").trim(),ai(i)*t):ai(i)},Xe=e=>typeof e=="function",Mr=e=>{let t=self,i=e.split("."),a=null;for(;a=i.shift();)if(t=t[a],!t)return null;return t},Va={process:"POST",patch:"PATCH",revert:"DELETE",fetch:"GET",restore:"GET",load:"GET"},Or=e=>{let t={};return t.url=fe(e)?e:e.url||"",t.timeout=e.timeout?parseInt(e.timeout,10):0,t.headers=e.headers?e.headers:{},te(Va,i=>{t[i]=Pr(i,e[i],Va[i],t.timeout,t.headers)}),t.process=e.process||fe(e)||e.url?t.process:null,t.remove=e.remove||null,delete t.headers,t},Pr=(e,t,i,a,n)=>{if(t===null)return null;if(typeof t=="function")return t;let o={url:i==="GET"||i==="PATCH"?`?${e}=`:"",method:i,headers:n,withCredentials:!1,timeout:a,onload:null,ondata:null,onerror:null};if(fe(t))return o.url=t,o;if(Object.assign(o,t),fe(o.headers)){let l=o.headers.split(/:(.+)/);o.headers={header:l[0],value:l[1]}}return o.withCredentials=In(o.withCredentials),o},Dr=e=>Or(e),Fr=e=>e===null,ce=e=>typeof e=="object"&&e!==null,zr=e=>ce(e)&&fe(e.url)&&ce(e.process)&&ce(e.revert)&&ce(e.restore)&&ce(e.fetch),Pi=e=>si(e)?"array":Fr(e)?"null":gt(e)?"int":/^[0-9]+ ?(?:GB|MB|KB)$/gi.test(e)?"bytes":zr(e)?"api":typeof e,Cr=e=>e.replace(/{\s*'/g,'{"').replace(/'\s*}/g,'"}').replace(/'\s*:/g,'":').replace(/:\s*'/g,':"').replace(/,\s*'/g,',"').replace(/'\s*,/g,'",'),Nr={array:Ar,boolean:In,int:e=>Pi(e)==="bytes"?ka(e):ai(e),number:Ba,float:Ba,bytes:ka,string:e=>Xe(e)?e:ci(e),function:e=>Mr(e),serverapi:Dr,object:e=>{try{return JSON.parse(Cr(e))}catch{return null}}},Br=(e,t)=>Nr[t](e),xn=(e,t,i)=>{if(e===t)return e;let a=Pi(e);if(a!==i){let n=Br(e,i);if(a=Pi(n),n===null)throw`Trying to assign value with incorrect type to "${option}", allowed type: "${i}"`;e=n}return e},kr=(e,t)=>{let i=e;return{enumerable:!0,get:()=>i,set:a=>{i=xn(a,e,t)}}},Vr=e=>{let t={};return te(e,i=>{let a=e[i];t[i]=kr(a[0],a[1])}),We(t)},Gr=e=>({items:[],listUpdateTimeout:null,itemUpdateTimeout:null,processingQueue:[],options:Vr(e)}),di=(e,t="-")=>e.split(/(?=[A-Z])/).map(i=>i.toLowerCase()).join(t),Ur=(e,t)=>{let i={};return te(t,a=>{i[a]={get:()=>e.getState().options[a],set:n=>{e.dispatch(`SET_${di(a,"_").toUpperCase()}`,{value:n})}}}),i},Wr=e=>(t,i,a)=>{let n={};return te(e,o=>{let l=di(o,"_").toUpperCase();n[`SET_${l}`]=r=>{try{a.options[o]=r.value}catch{}t(`DID_SET_${l}`,{value:a.options[o]})}}),n},Hr=e=>t=>{let i={};return te(e,a=>{i[`GET_${di(a,"_").toUpperCase()}`]=n=>t.options[a]}),i},_e={API:1,DROP:2,BROWSE:3,PASTE:4,NONE:5},Yi=()=>Math.random().toString(36).substring(2,11),qi=(e,t)=>e.splice(t,1),jr=(e,t)=>{t?e():document.hidden?Promise.resolve(1).then(e):setTimeout(e,0)},pi=()=>{let e=[],t=(a,n)=>{qi(e,e.findIndex(o=>o.event===a&&(o.cb===n||!n)))},i=(a,n,o)=>{e.filter(l=>l.event===a).map(l=>l.cb).forEach(l=>jr(()=>l(...n),o))};return{fireSync:(a,...n)=>{i(a,n,!0)},fire:(a,...n)=>{i(a,n,!1)},on:(a,n)=>{e.push({event:a,cb:n})},onOnce:(a,n)=>{e.push({event:a,cb:(...o)=>{t(a,n),n(...o)}})},off:t}},yn=(e,t,i)=>{Object.getOwnPropertyNames(e).filter(a=>!i.includes(a)).forEach(a=>Object.defineProperty(t,a,Object.getOwnPropertyDescriptor(e,a)))},Yr=["fire","process","revert","load","on","off","onOnce","retryLoad","extend","archive","archived","release","released","requestProcessing","freeze"],ge=e=>{let t={};return yn(e,t,Yr),t},qr=e=>{e.forEach((t,i)=>{t.released&&qi(e,i)})},W={INIT:1,IDLE:2,PROCESSING_QUEUED:9,PROCESSING:3,PROCESSING_COMPLETE:5,PROCESSING_ERROR:6,PROCESSING_REVERT_ERROR:10,LOADING:7,LOAD_ERROR:8},re={INPUT:1,LIMBO:2,LOCAL:3},_n=e=>/[^0-9]+/.exec(e),Rn=()=>_n(1.1.toLocaleString())[0],$r=()=>{let e=Rn(),t=1e3.toLocaleString(),i=1e3.toString();return t!==i?_n(t)[0]:e==="."?",":"."},A={BOOLEAN:"boolean",INT:"int",NUMBER:"number",STRING:"string",ARRAY:"array",OBJECT:"object",FUNCTION:"function",ACTION:"action",SERVER_API:"serverapi",REGEX:"regex"},$i=[],Ae=(e,t,i)=>new Promise((a,n)=>{let o=$i.filter(r=>r.key===e).map(r=>r.cb);if(o.length===0){a(t);return}let l=o.shift();o.reduce((r,s)=>r.then(p=>s(p,i)),l(t,i)).then(r=>a(r)).catch(r=>n(r))}),tt=(e,t,i)=>$i.filter(a=>a.key===e).map(a=>a.cb(t,i)),Xr=(e,t)=>$i.push({key:e,cb:t}),Qr=e=>Object.assign(dt,e),oi=()=>({...dt}),Zr=e=>{te(e,(t,i)=>{dt[t]&&(dt[t][0]=xn(i,dt[t][0],dt[t][1]))})},dt={id:[null,A.STRING],name:["filepond",A.STRING],disabled:[!1,A.BOOLEAN],className:[null,A.STRING],required:[!1,A.BOOLEAN],captureMethod:[null,A.STRING],allowSyncAcceptAttribute:[!0,A.BOOLEAN],allowDrop:[!0,A.BOOLEAN],allowBrowse:[!0,A.BOOLEAN],allowPaste:[!0,A.BOOLEAN],allowMultiple:[!1,A.BOOLEAN],allowReplace:[!0,A.BOOLEAN],allowRevert:[!0,A.BOOLEAN],allowRemove:[!0,A.BOOLEAN],allowProcess:[!0,A.BOOLEAN],allowReorder:[!1,A.BOOLEAN],allowDirectoriesOnly:[!1,A.BOOLEAN],storeAsFile:[!1,A.BOOLEAN],forceRevert:[!1,A.BOOLEAN],maxFiles:[null,A.INT],checkValidity:[!1,A.BOOLEAN],itemInsertLocationFreedom:[!0,A.BOOLEAN],itemInsertLocation:["before",A.STRING],itemInsertInterval:[75,A.INT],dropOnPage:[!1,A.BOOLEAN],dropOnElement:[!0,A.BOOLEAN],dropValidation:[!1,A.BOOLEAN],ignoredFiles:[[".ds_store","thumbs.db","desktop.ini"],A.ARRAY],instantUpload:[!0,A.BOOLEAN],maxParallelUploads:[2,A.INT],allowMinimumUploadDuration:[!0,A.BOOLEAN],chunkUploads:[!1,A.BOOLEAN],chunkForce:[!1,A.BOOLEAN],chunkSize:[5e6,A.INT],chunkRetryDelays:[[500,1e3,3e3],A.ARRAY],server:[null,A.SERVER_API],fileSizeBase:[1e3,A.INT],labelFileSizeBytes:["bytes",A.STRING],labelFileSizeKilobytes:["KB",A.STRING],labelFileSizeMegabytes:["MB",A.STRING],labelFileSizeGigabytes:["GB",A.STRING],labelDecimalSeparator:[Rn(),A.STRING],labelThousandsSeparator:[$r(),A.STRING],labelIdle:['Drag & Drop your files or Browse',A.STRING],labelInvalidField:["Field contains invalid files",A.STRING],labelFileWaitingForSize:["Waiting for size",A.STRING],labelFileSizeNotAvailable:["Size not available",A.STRING],labelFileCountSingular:["file in list",A.STRING],labelFileCountPlural:["files in list",A.STRING],labelFileLoading:["Loading",A.STRING],labelFileAdded:["Added",A.STRING],labelFileLoadError:["Error during load",A.STRING],labelFileRemoved:["Removed",A.STRING],labelFileRemoveError:["Error during remove",A.STRING],labelFileProcessing:["Uploading",A.STRING],labelFileProcessingComplete:["Upload complete",A.STRING],labelFileProcessingAborted:["Upload cancelled",A.STRING],labelFileProcessingError:["Error during upload",A.STRING],labelFileProcessingRevertError:["Error during revert",A.STRING],labelTapToCancel:["tap to cancel",A.STRING],labelTapToRetry:["tap to retry",A.STRING],labelTapToUndo:["tap to undo",A.STRING],labelButtonRemoveItem:["Remove",A.STRING],labelButtonAbortItemLoad:["Abort",A.STRING],labelButtonRetryItemLoad:["Retry",A.STRING],labelButtonAbortItemProcessing:["Cancel",A.STRING],labelButtonUndoItemProcessing:["Undo",A.STRING],labelButtonRetryItemProcessing:["Retry",A.STRING],labelButtonProcessItem:["Upload",A.STRING],iconRemove:['',A.STRING],iconProcess:['',A.STRING],iconRetry:['',A.STRING],iconUndo:['',A.STRING],iconDone:['',A.STRING],oninit:[null,A.FUNCTION],onwarning:[null,A.FUNCTION],onerror:[null,A.FUNCTION],onactivatefile:[null,A.FUNCTION],oninitfile:[null,A.FUNCTION],onaddfilestart:[null,A.FUNCTION],onaddfileprogress:[null,A.FUNCTION],onaddfile:[null,A.FUNCTION],onprocessfilestart:[null,A.FUNCTION],onprocessfileprogress:[null,A.FUNCTION],onprocessfileabort:[null,A.FUNCTION],onprocessfilerevert:[null,A.FUNCTION],onprocessfile:[null,A.FUNCTION],onprocessfiles:[null,A.FUNCTION],onremovefile:[null,A.FUNCTION],onpreparefile:[null,A.FUNCTION],onupdatefiles:[null,A.FUNCTION],onreorderfiles:[null,A.FUNCTION],beforeDropFile:[null,A.FUNCTION],beforeAddFile:[null,A.FUNCTION],beforeRemoveFile:[null,A.FUNCTION],beforePrepareFile:[null,A.FUNCTION],stylePanelLayout:[null,A.STRING],stylePanelAspectRatio:[null,A.STRING],styleItemPanelAspectRatio:[null,A.STRING],styleButtonRemoveItemPosition:["left",A.STRING],styleButtonProcessItemPosition:["right",A.STRING],styleLoadIndicatorPosition:["right",A.STRING],styleProgressIndicatorPosition:["right",A.STRING],styleButtonRemoveItemAlign:[!1,A.BOOLEAN],files:[[],A.ARRAY],credits:[["https://pqina.nl/","Powered by PQINA"],A.ARRAY]},Qe=(e,t)=>Be(t)?e[0]||null:gt(t)?e[t]||null:(typeof t=="object"&&(t=t.id),e.find(i=>i.id===t)||null),wn=e=>{if(Be(e))return e;if(/:/.test(e)){let t=e.split(":");return t[1]/t[0]}return parseFloat(e)},Me=e=>e.filter(t=>!t.archived),Sn={EMPTY:0,IDLE:1,ERROR:2,BUSY:3,READY:4},Zt=null,Kr=()=>{if(Zt===null)try{let e=new DataTransfer;e.items.add(new File(["hello world"],"This_Works.txt"));let t=document.createElement("input");t.setAttribute("type","file"),t.files=e.files,Zt=t.files.length===1}catch{Zt=!1}return Zt},Jr=[W.LOAD_ERROR,W.PROCESSING_ERROR,W.PROCESSING_REVERT_ERROR],es=[W.LOADING,W.PROCESSING,W.PROCESSING_QUEUED,W.INIT],ts=[W.PROCESSING_COMPLETE],is=e=>Jr.includes(e.status),as=e=>es.includes(e.status),ns=e=>ts.includes(e.status),Ga=e=>ce(e.options.server)&&(ce(e.options.server.process)||Xe(e.options.server.process)),os=e=>({GET_STATUS:()=>{let t=Me(e.items),{EMPTY:i,ERROR:a,BUSY:n,IDLE:o,READY:l}=Sn;return t.length===0?i:t.some(is)?a:t.some(as)?n:t.some(ns)?l:o},GET_ITEM:t=>Qe(e.items,t),GET_ACTIVE_ITEM:t=>Qe(Me(e.items),t),GET_ACTIVE_ITEMS:()=>Me(e.items),GET_ITEMS:()=>e.items,GET_ITEM_NAME:t=>{let i=Qe(e.items,t);return i?i.filename:null},GET_ITEM_SIZE:t=>{let i=Qe(e.items,t);return i?i.fileSize:null},GET_STYLES:()=>Object.keys(e.options).filter(t=>/^style/.test(t)).map(t=>({name:t,value:e.options[t]})),GET_PANEL_ASPECT_RATIO:()=>/circle/.test(e.options.stylePanelLayout)?1:wn(e.options.stylePanelAspectRatio),GET_ITEM_PANEL_ASPECT_RATIO:()=>e.options.styleItemPanelAspectRatio,GET_ITEMS_BY_STATUS:t=>Me(e.items).filter(i=>i.status===t),GET_TOTAL_ITEMS:()=>Me(e.items).length,SHOULD_UPDATE_FILE_INPUT:()=>e.options.storeAsFile&&Kr()&&!Ga(e),IS_ASYNC:()=>Ga(e),GET_FILE_SIZE_LABELS:t=>({labelBytes:t("GET_LABEL_FILE_SIZE_BYTES")||void 0,labelKilobytes:t("GET_LABEL_FILE_SIZE_KILOBYTES")||void 0,labelMegabytes:t("GET_LABEL_FILE_SIZE_MEGABYTES")||void 0,labelGigabytes:t("GET_LABEL_FILE_SIZE_GIGABYTES")||void 0})}),ls=e=>{let t=Me(e.items).length;if(!e.options.allowMultiple)return t===0;let i=e.options.maxFiles;return i===null||tMath.max(Math.min(i,e),t),rs=(e,t,i)=>e.splice(t,0,i),ss=(e,t,i)=>Be(t)?null:typeof i>"u"?(e.push(t),t):(i=Ln(i,0,e.length),rs(e,i,t),t),Di=e=>/^\s*data:([a-z]+\/[a-z0-9-+.]+(;[a-z-]+=[a-z0-9-]+)?)?(;base64)?,([a-z0-9!$&',()*+;=\-._~:@\/?%\s]*)\s*$/i.test(e),Ft=e=>`${e}`.split("/").pop().split("?").shift(),mi=e=>e.split(".").pop(),cs=e=>{if(typeof e!="string")return"";let t=e.split("/").pop();return/svg/.test(t)?"svg":/zip|compressed/.test(t)?"zip":/plain/.test(t)?"txt":/msword/.test(t)?"doc":/[a-z]+/.test(t)?t==="jpeg"?"jpg":t:""},At=(e,t="")=>(t+e).slice(-t.length),An=(e=new Date)=>`${e.getFullYear()}-${At(e.getMonth()+1,"00")}-${At(e.getDate(),"00")}_${At(e.getHours(),"00")}-${At(e.getMinutes(),"00")}-${At(e.getSeconds(),"00")}`,ht=(e,t,i=null,a=null)=>{let n=typeof i=="string"?e.slice(0,e.size,i):e.slice(0,e.size,e.type);return n.lastModifiedDate=new Date,e._relativePath&&(n._relativePath=e._relativePath),fe(t)||(t=An()),t&&a===null&&mi(t)?n.name=t:(a=a||cs(n.type),n.name=t+(a?"."+a:"")),n},ds=()=>window.BlobBuilder=window.BlobBuilder||window.WebKitBlobBuilder||window.MozBlobBuilder||window.MSBlobBuilder,Mn=(e,t)=>{let i=ds();if(i){let a=new i;return a.append(e),a.getBlob(t)}return new Blob([e],{type:t})},ps=(e,t)=>{let i=new ArrayBuffer(e.length),a=new Uint8Array(i);for(let n=0;n(/^data:(.+);/.exec(e)||[])[1]||null,ms=e=>e.split(",")[1].replace(/\s/g,""),us=e=>atob(ms(e)),fs=e=>{let t=On(e),i=us(e);return ps(i,t)},hs=(e,t,i)=>ht(fs(e),t,null,i),gs=e=>{if(!/^content-disposition:/i.test(e))return null;let t=e.split(/filename=|filename\*=.+''/).splice(1).map(i=>i.trim().replace(/^["']|[;"']{0,2}$/g,"")).filter(i=>i.length);return t.length?decodeURI(t[t.length-1]):null},Es=e=>{if(/content-length:/i.test(e)){let t=e.match(/[0-9]+/)[0];return t?parseInt(t,10):null}return null},bs=e=>/x-content-transfer-id:/i.test(e)&&(e.split(":")[1]||"").trim()||null,Xi=e=>{let t={source:null,name:null,size:null},i=e.split(` +`);for(let a of i){let n=gs(a);if(n){t.name=n;continue}let o=Es(a);if(o){t.size=o;continue}let l=bs(a);if(l){t.source=l;continue}}return t},Ts=e=>{let t={source:null,complete:!1,progress:0,size:null,timestamp:null,duration:0,request:null},i=()=>t.progress,a=()=>{t.request&&t.request.abort&&t.request.abort()},n=()=>{let r=t.source;l.fire("init",r),r instanceof File?l.fire("load",r):r instanceof Blob?l.fire("load",ht(r,r.name)):Di(r)?l.fire("load",hs(r)):o(r)},o=r=>{if(!e){l.fire("error",{type:"error",body:"Can't load URL",code:400});return}t.timestamp=Date.now(),t.request=e(r,s=>{t.duration=Date.now()-t.timestamp,t.complete=!0,s instanceof Blob&&(s=ht(s,s.name||Ft(r))),l.fire("load",s instanceof Blob?s:s?s.body:null)},s=>{l.fire("error",typeof s=="string"?{type:"error",code:0,body:s}:s)},(s,p,c)=>{if(c&&(t.size=c),t.duration=Date.now()-t.timestamp,!s){t.progress=null;return}t.progress=p/c,l.fire("progress",t.progress)},()=>{l.fire("abort")},s=>{let p=Xi(typeof s=="string"?s:s.headers);l.fire("meta",{size:t.size||p.size,filename:p.name,source:p.source})})},l={...pi(),setSource:r=>t.source=r,getProgress:i,abort:a,load:n};return l},Ua=e=>/GET|HEAD/.test(e),Ze=(e,t,i)=>{let a={onheaders:()=>{},onprogress:()=>{},onload:()=>{},ontimeout:()=>{},onerror:()=>{},onabort:()=>{},abort:()=>{n=!0,l.abort()}},n=!1,o=!1;i={method:"POST",headers:{},withCredentials:!1,...i},t=encodeURI(t),Ua(i.method)&&e&&(t=`${t}${encodeURIComponent(typeof e=="string"?e:JSON.stringify(e))}`);let l=new XMLHttpRequest,r=Ua(i.method)?l:l.upload;return r.onprogress=s=>{n||a.onprogress(s.lengthComputable,s.loaded,s.total)},l.onreadystatechange=()=>{l.readyState<2||l.readyState===4&&l.status===0||o||(o=!0,a.onheaders(l))},l.onload=()=>{l.status>=200&&l.status<300?a.onload(l):a.onerror(l)},l.onerror=()=>a.onerror(l),l.onabort=()=>{n=!0,a.onabort()},l.ontimeout=()=>a.ontimeout(l),l.open(i.method,t,!0),gt(i.timeout)&&(l.timeout=i.timeout),Object.keys(i.headers).forEach(s=>{let p=unescape(encodeURIComponent(i.headers[s]));l.setRequestHeader(s,p)}),i.responseType&&(l.responseType=i.responseType),i.withCredentials&&(l.withCredentials=!0),l.send(e),a},ie=(e,t,i,a)=>({type:e,code:t,body:i,headers:a}),Ke=e=>t=>{e(ie("error",0,"Timeout",t.getAllResponseHeaders()))},Wa=e=>/\?/.test(e),Pt=(...e)=>{let t="";return e.forEach(i=>{t+=Wa(t)&&Wa(i)?i.replace(/\?/,"&"):i}),t},wi=(e="",t)=>{if(typeof t=="function")return t;if(!t||!fe(t.url))return null;let i=t.onload||(n=>n),a=t.onerror||(n=>null);return(n,o,l,r,s,p)=>{let c=Ze(n,Pt(e,t.url),{...t,responseType:"blob"});return c.onload=d=>{let m=d.getAllResponseHeaders(),u=Xi(m).name||Ft(n);o(ie("load",d.status,t.method==="HEAD"?null:ht(i(d.response),u),m))},c.onerror=d=>{l(ie("error",d.status,a(d.response)||d.statusText,d.getAllResponseHeaders()))},c.onheaders=d=>{p(ie("headers",d.status,null,d.getAllResponseHeaders()))},c.ontimeout=Ke(l),c.onprogress=r,c.onabort=s,c}},xe={QUEUED:0,COMPLETE:1,PROCESSING:2,ERROR:3,WAITING:4},Is=(e,t,i,a,n,o,l,r,s,p,c)=>{let d=[],{chunkTransferId:m,chunkServer:u,chunkSize:f,chunkRetryDelays:h}=c,g={serverId:m,aborted:!1},I=t.ondata||(S=>S),E=t.onload||((S,F)=>F==="HEAD"?S.getResponseHeader("Upload-Offset"):S.response),T=t.onerror||(S=>null),v=S=>{let F=new FormData;ce(n)&&F.append(i,JSON.stringify(n));let R=typeof t.headers=="function"?t.headers(a,n):{...t.headers,"Upload-Length":a.size},L={...t,headers:R},z=Ze(I(F),Pt(e,t.url),L);z.onload=D=>S(E(D,L.method)),z.onerror=D=>l(ie("error",D.status,T(D.response)||D.statusText,D.getAllResponseHeaders())),z.ontimeout=Ke(l)},y=S=>{let F=Pt(e,u.url,g.serverId),L={headers:typeof t.headers=="function"?t.headers(g.serverId):{...t.headers},method:"HEAD"},z=Ze(null,F,L);z.onload=D=>S(E(D,L.method)),z.onerror=D=>l(ie("error",D.status,T(D.response)||D.statusText,D.getAllResponseHeaders())),z.ontimeout=Ke(l)},b=Math.floor(a.size/f);for(let S=0;S<=b;S++){let F=S*f,R=a.slice(F,F+f,"application/offset+octet-stream");d[S]={index:S,size:R.size,offset:F,data:R,file:a,progress:0,retries:[...h],status:xe.QUEUED,error:null,request:null,timeout:null}}let w=()=>o(g.serverId),x=S=>S.status===xe.QUEUED||S.status===xe.ERROR,_=S=>{if(g.aborted)return;if(S=S||d.find(x),!S){d.every(k=>k.status===xe.COMPLETE)&&w();return}S.status=xe.PROCESSING,S.progress=null;let F=u.ondata||(k=>k),R=u.onerror||(k=>null),L=Pt(e,u.url,g.serverId),z=typeof u.headers=="function"?u.headers(S):{...u.headers,"Content-Type":"application/offset+octet-stream","Upload-Offset":S.offset,"Upload-Length":a.size,"Upload-Name":a.name},D=S.request=Ze(F(S.data),L,{...u,headers:z});D.onload=()=>{S.status=xe.COMPLETE,S.request=null,M()},D.onprogress=(k,B,X)=>{S.progress=k?B:null,O()},D.onerror=k=>{S.status=xe.ERROR,S.request=null,S.error=R(k.response)||k.statusText,P(S)||l(ie("error",k.status,R(k.response)||k.statusText,k.getAllResponseHeaders()))},D.ontimeout=k=>{S.status=xe.ERROR,S.request=null,P(S)||Ke(l)(k)},D.onabort=()=>{S.status=xe.QUEUED,S.request=null,s()}},P=S=>S.retries.length===0?!1:(S.status=xe.WAITING,clearTimeout(S.timeout),S.timeout=setTimeout(()=>{_(S)},S.retries.shift()),!0),O=()=>{let S=d.reduce((R,L)=>R===null||L.progress===null?null:R+L.progress,0);if(S===null)return r(!1,0,0);let F=d.reduce((R,L)=>R+L.size,0);r(!0,S,F)},M=()=>{d.filter(F=>F.status===xe.PROCESSING).length>=1||_()},C=()=>{d.forEach(S=>{clearTimeout(S.timeout),S.request&&S.request.abort()})};return g.serverId?y(S=>{g.aborted||(d.filter(F=>F.offset{F.status=xe.COMPLETE,F.progress=F.size}),M())}):v(S=>{g.aborted||(p(S),g.serverId=S,M())}),{abort:()=>{g.aborted=!0,C()}}},vs=(e,t,i,a)=>(n,o,l,r,s,p,c)=>{if(!n)return;let d=a.chunkUploads,m=d&&n.size>a.chunkSize,u=d&&(m||a.chunkForce);if(n instanceof Blob&&u)return Is(e,t,i,n,o,l,r,s,p,c,a);let f=t.ondata||(y=>y),h=t.onload||(y=>y),g=t.onerror||(y=>null),I=typeof t.headers=="function"?t.headers(n,o)||{}:{...t.headers},E={...t,headers:I};var T=new FormData;ce(o)&&T.append(i,JSON.stringify(o)),(n instanceof Blob?[{name:null,file:n}]:n).forEach(y=>{T.append(i,y.file,y.name===null?y.file.name:`${y.name}${y.file.name}`)});let v=Ze(f(T),Pt(e,t.url),E);return v.onload=y=>{l(ie("load",y.status,h(y.response),y.getAllResponseHeaders()))},v.onerror=y=>{r(ie("error",y.status,g(y.response)||y.statusText,y.getAllResponseHeaders()))},v.ontimeout=Ke(r),v.onprogress=s,v.onabort=p,v},xs=(e="",t,i,a)=>typeof t=="function"?(...n)=>t(i,...n,a):!t||!fe(t.url)?null:vs(e,t,i,a),Mt=(e="",t)=>{if(typeof t=="function")return t;if(!t||!fe(t.url))return(n,o)=>o();let i=t.onload||(n=>n),a=t.onerror||(n=>null);return(n,o,l)=>{let r=Ze(n,e+t.url,t);return r.onload=s=>{o(ie("load",s.status,i(s.response),s.getAllResponseHeaders()))},r.onerror=s=>{l(ie("error",s.status,a(s.response)||s.statusText,s.getAllResponseHeaders()))},r.ontimeout=Ke(l),r}},Pn=(e=0,t=1)=>e+Math.random()*(t-e),ys=(e,t=1e3,i=0,a=25,n=250)=>{let o=null,l=Date.now(),r=()=>{let s=Date.now()-l,p=Pn(a,n);s+p>t&&(p=s+p-t);let c=s/t;if(c>=1||document.hidden){e(1);return}e(c),o=setTimeout(r,p)};return t>0&&r(),{clear:()=>{clearTimeout(o)}}},_s=(e,t)=>{let i={complete:!1,perceivedProgress:0,perceivedPerformanceUpdater:null,progress:null,timestamp:null,perceivedDuration:0,duration:0,request:null,response:null},{allowMinimumUploadDuration:a}=t,n=(c,d)=>{let m=()=>{i.duration===0||i.progress===null||p.fire("progress",p.getProgress())},u=()=>{i.complete=!0,p.fire("load-perceived",i.response.body)};p.fire("start"),i.timestamp=Date.now(),i.perceivedPerformanceUpdater=ys(f=>{i.perceivedProgress=f,i.perceivedDuration=Date.now()-i.timestamp,m(),i.response&&i.perceivedProgress===1&&!i.complete&&u()},a?Pn(750,1500):0),i.request=e(c,d,f=>{i.response=ce(f)?f:{type:"load",code:200,body:`${f}`,headers:{}},i.duration=Date.now()-i.timestamp,i.progress=1,p.fire("load",i.response.body),(!a||a&&i.perceivedProgress===1)&&u()},f=>{i.perceivedPerformanceUpdater.clear(),p.fire("error",ce(f)?f:{type:"error",code:0,body:`${f}`})},(f,h,g)=>{i.duration=Date.now()-i.timestamp,i.progress=f?h/g:null,m()},()=>{i.perceivedPerformanceUpdater.clear(),p.fire("abort",i.response?i.response.body:null)},f=>{p.fire("transfer",f)})},o=()=>{i.request&&(i.perceivedPerformanceUpdater.clear(),i.request.abort&&i.request.abort(),i.complete=!0)},l=()=>{o(),i.complete=!1,i.perceivedProgress=0,i.progress=0,i.timestamp=null,i.perceivedDuration=0,i.duration=0,i.request=null,i.response=null},r=a?()=>i.progress?Math.min(i.progress,i.perceivedProgress):null:()=>i.progress||null,s=a?()=>Math.min(i.duration,i.perceivedDuration):()=>i.duration,p={...pi(),process:n,abort:o,getProgress:r,getDuration:s,reset:l};return p},Dn=e=>e.substring(0,e.lastIndexOf("."))||e,Rs=e=>{let t=[e.name,e.size,e.type];return e instanceof Blob||Di(e)?t[0]=e.name||An():Di(e)?(t[1]=e.length,t[2]=On(e)):fe(e)&&(t[0]=Ft(e),t[1]=0,t[2]="application/octet-stream"),{name:t[0],size:t[1],type:t[2]}},Je=e=>!!(e instanceof File||e instanceof Blob&&e.name),Fn=e=>{if(!ce(e))return e;let t=si(e)?[]:{};for(let i in e){if(!e.hasOwnProperty(i))continue;let a=e[i];t[i]=a&&ce(a)?Fn(a):a}return t},ws=(e=null,t=null,i=null)=>{let a=Yi(),n={archived:!1,frozen:!1,released:!1,source:null,file:i,serverFileReference:t,transferId:null,processingAborted:!1,status:t?W.PROCESSING_COMPLETE:W.INIT,activeLoader:null,activeProcessor:null},o=null,l={},r=x=>n.status=x,s=(x,..._)=>{n.released||n.frozen||b.fire(x,..._)},p=()=>mi(n.file.name),c=()=>n.file.type,d=()=>n.file.size,m=()=>n.file,u=(x,_,P)=>{if(n.source=x,b.fireSync("init"),n.file){b.fireSync("load-skip");return}n.file=Rs(x),_.on("init",()=>{s("load-init")}),_.on("meta",O=>{n.file.size=O.size,n.file.filename=O.filename,O.source&&(e=re.LIMBO,n.serverFileReference=O.source,n.status=W.PROCESSING_COMPLETE),s("load-meta")}),_.on("progress",O=>{r(W.LOADING),s("load-progress",O)}),_.on("error",O=>{r(W.LOAD_ERROR),s("load-request-error",O)}),_.on("abort",()=>{r(W.INIT),s("load-abort")}),_.on("load",O=>{n.activeLoader=null;let M=S=>{n.file=Je(S)?S:n.file,e===re.LIMBO&&n.serverFileReference?r(W.PROCESSING_COMPLETE):r(W.IDLE),s("load")},C=S=>{n.file=O,s("load-meta"),r(W.LOAD_ERROR),s("load-file-error",S)};if(n.serverFileReference){M(O);return}P(O,M,C)}),_.setSource(x),n.activeLoader=_,_.load()},f=()=>{n.activeLoader&&n.activeLoader.load()},h=()=>{if(n.activeLoader){n.activeLoader.abort();return}r(W.INIT),s("load-abort")},g=(x,_)=>{if(n.processingAborted){n.processingAborted=!1;return}if(r(W.PROCESSING),o=null,!(n.file instanceof Blob)){b.on("load",()=>{g(x,_)});return}x.on("load",M=>{n.transferId=null,n.serverFileReference=M}),x.on("transfer",M=>{n.transferId=M}),x.on("load-perceived",M=>{n.activeProcessor=null,n.transferId=null,n.serverFileReference=M,r(W.PROCESSING_COMPLETE),s("process-complete",M)}),x.on("start",()=>{s("process-start")}),x.on("error",M=>{n.activeProcessor=null,r(W.PROCESSING_ERROR),s("process-error",M)}),x.on("abort",M=>{n.activeProcessor=null,n.serverFileReference=M,r(W.IDLE),s("process-abort"),o&&o()}),x.on("progress",M=>{s("process-progress",M)});let P=M=>{n.archived||x.process(M,{...l})},O=console.error;_(n.file,P,O),n.activeProcessor=x},I=()=>{n.processingAborted=!1,r(W.PROCESSING_QUEUED)},E=()=>new Promise(x=>{if(!n.activeProcessor){n.processingAborted=!0,r(W.IDLE),s("process-abort"),x();return}o=()=>{x()},n.activeProcessor.abort()}),T=(x,_)=>new Promise((P,O)=>{let M=n.serverFileReference!==null?n.serverFileReference:n.transferId;if(M===null){P();return}x(M,()=>{n.serverFileReference=null,n.transferId=null,P()},C=>{if(!_){P();return}r(W.PROCESSING_REVERT_ERROR),s("process-revert-error"),O(C)}),r(W.IDLE),s("process-revert")}),v=(x,_,P)=>{let O=x.split("."),M=O[0],C=O.pop(),S=l;O.forEach(F=>S=S[F]),JSON.stringify(S[C])!==JSON.stringify(_)&&(S[C]=_,s("metadata-update",{key:M,value:l[M],silent:P}))},b={id:{get:()=>a},origin:{get:()=>e,set:x=>e=x},serverId:{get:()=>n.serverFileReference},transferId:{get:()=>n.transferId},status:{get:()=>n.status},filename:{get:()=>n.file.name},filenameWithoutExtension:{get:()=>Dn(n.file.name)},fileExtension:{get:p},fileType:{get:c},fileSize:{get:d},file:{get:m},relativePath:{get:()=>n.file._relativePath},source:{get:()=>n.source},getMetadata:x=>Fn(x?l[x]:l),setMetadata:(x,_,P)=>{if(ce(x)){let O=x;return Object.keys(O).forEach(M=>{v(M,O[M],_)}),x}return v(x,_,P),_},extend:(x,_)=>w[x]=_,abortLoad:h,retryLoad:f,requestProcessing:I,abortProcessing:E,load:u,process:g,revert:T,...pi(),freeze:()=>n.frozen=!0,release:()=>n.released=!0,released:{get:()=>n.released},archive:()=>n.archived=!0,archived:{get:()=>n.archived},setFile:x=>n.file=x},w=We(b);return w},Ss=(e,t)=>Be(t)?0:fe(t)?e.findIndex(i=>i.id===t):-1,Ha=(e,t)=>{let i=Ss(e,t);if(!(i<0))return e[i]||null},ja=(e,t,i,a,n,o)=>{let l=Ze(null,e,{method:"GET",responseType:"blob"});return l.onload=r=>{let s=r.getAllResponseHeaders(),p=Xi(s).name||Ft(e);t(ie("load",r.status,ht(r.response,p),s))},l.onerror=r=>{i(ie("error",r.status,r.statusText,r.getAllResponseHeaders()))},l.onheaders=r=>{o(ie("headers",r.status,null,r.getAllResponseHeaders()))},l.ontimeout=Ke(i),l.onprogress=a,l.onabort=n,l},Ya=e=>(e.indexOf("//")===0&&(e=location.protocol+e),e.toLowerCase().replace("blob:","").replace(/([a-z])?:\/\//,"$1").split("/")[0]),Ls=e=>(e.indexOf(":")>-1||e.indexOf("//")>-1)&&Ya(location.href)!==Ya(e),Kt=e=>(...t)=>Xe(e)?e(...t):e,As=e=>!Je(e.file),Si=(e,t)=>{clearTimeout(t.listUpdateTimeout),t.listUpdateTimeout=setTimeout(()=>{e("DID_UPDATE_ITEMS",{items:Me(t.items)})},0)},qa=(e,...t)=>new Promise(i=>{if(!e)return i(!0);let a=e(...t);if(a==null)return i(!0);if(typeof a=="boolean")return i(a);typeof a.then=="function"&&a.then(i)}),Li=(e,t)=>{e.items.sort((i,a)=>t(ge(i),ge(a)))},ye=(e,t)=>({query:i,success:a=()=>{},failure:n=()=>{},...o}={})=>{let l=Qe(e.items,i);if(!l){n({error:ie("error",0,"Item not found"),file:null});return}t(l,a,n,o||{})},Ms=(e,t,i)=>({ABORT_ALL:()=>{Me(i.items).forEach(a=>{a.freeze(),a.abortLoad(),a.abortProcessing()})},DID_SET_FILES:({value:a=[]})=>{let n=a.map(l=>({source:l.source?l.source:l,options:l.options})),o=Me(i.items);o.forEach(l=>{n.find(r=>r.source===l.source||r.source===l.file)||e("REMOVE_ITEM",{query:l,remove:!1})}),o=Me(i.items),n.forEach((l,r)=>{o.find(s=>s.source===l.source||s.file===l.source)||e("ADD_ITEM",{...l,interactionMethod:_e.NONE,index:r})})},DID_UPDATE_ITEM_METADATA:({id:a,action:n,change:o})=>{o.silent||(clearTimeout(i.itemUpdateTimeout),i.itemUpdateTimeout=setTimeout(()=>{let l=Ha(i.items,a);if(!t("IS_ASYNC")){Ae("SHOULD_PREPARE_OUTPUT",!1,{item:l,query:t,action:n,change:o}).then(c=>{let d=t("GET_BEFORE_PREPARE_FILE");d&&(c=d(l,c)),c&&e("REQUEST_PREPARE_OUTPUT",{query:a,item:l,success:m=>{e("DID_PREPARE_OUTPUT",{id:a,file:m})}},!0)});return}l.origin===re.LOCAL&&e("DID_LOAD_ITEM",{id:l.id,error:null,serverFileReference:l.source});let r=()=>{setTimeout(()=>{e("REQUEST_ITEM_PROCESSING",{query:a})},32)},s=c=>{l.revert(Mt(i.options.server.url,i.options.server.revert),t("GET_FORCE_REVERT")).then(c?r:()=>{}).catch(()=>{})},p=c=>{l.abortProcessing().then(c?r:()=>{})};if(l.status===W.PROCESSING_COMPLETE)return s(i.options.instantUpload);if(l.status===W.PROCESSING)return p(i.options.instantUpload);i.options.instantUpload&&r()},0))},MOVE_ITEM:({query:a,index:n})=>{let o=Qe(i.items,a);if(!o)return;let l=i.items.indexOf(o);n=Ln(n,0,i.items.length-1),l!==n&&i.items.splice(n,0,i.items.splice(l,1)[0])},SORT:({compare:a})=>{Li(i,a),e("DID_SORT_ITEMS",{items:t("GET_ACTIVE_ITEMS")})},ADD_ITEMS:({items:a,index:n,interactionMethod:o,success:l=()=>{},failure:r=()=>{}})=>{let s=n;if(n===-1||typeof n>"u"){let u=t("GET_ITEM_INSERT_LOCATION"),f=t("GET_TOTAL_ITEMS");s=u==="before"?0:f}let p=t("GET_IGNORED_FILES"),c=u=>Je(u)?!p.includes(u.name.toLowerCase()):!Be(u),m=a.filter(c).map(u=>new Promise((f,h)=>{e("ADD_ITEM",{interactionMethod:o,source:u.source||u,success:f,failure:h,index:s++,options:u.options||{}})}));Promise.all(m).then(l).catch(r)},ADD_ITEM:({source:a,index:n=-1,interactionMethod:o,success:l=()=>{},failure:r=()=>{},options:s={}})=>{if(Be(a)){r({error:ie("error",0,"No source"),file:null});return}if(Je(a)&&i.options.ignoredFiles.includes(a.name.toLowerCase()))return;if(!ls(i)){if(i.options.allowMultiple||!i.options.allowMultiple&&!i.options.allowReplace){let E=ie("warning",0,"Max files");e("DID_THROW_MAX_FILES",{source:a,error:E}),r({error:E,file:null});return}let I=Me(i.items)[0];if(I.status===W.PROCESSING_COMPLETE||I.status===W.PROCESSING_REVERT_ERROR){let E=t("GET_FORCE_REVERT");if(I.revert(Mt(i.options.server.url,i.options.server.revert),E).then(()=>{E&&e("ADD_ITEM",{source:a,index:n,interactionMethod:o,success:l,failure:r,options:s})}).catch(()=>{}),E)return}e("REMOVE_ITEM",{query:I.id})}let p=s.type==="local"?re.LOCAL:s.type==="limbo"?re.LIMBO:re.INPUT,c=ws(p,p===re.INPUT?null:a,s.file);Object.keys(s.metadata||{}).forEach(I=>{c.setMetadata(I,s.metadata[I])}),tt("DID_CREATE_ITEM",c,{query:t,dispatch:e});let d=t("GET_ITEM_INSERT_LOCATION");i.options.itemInsertLocationFreedom||(n=d==="before"?-1:i.items.length),ss(i.items,c,n),Xe(d)&&a&&Li(i,d);let m=c.id;c.on("init",()=>{e("DID_INIT_ITEM",{id:m})}),c.on("load-init",()=>{e("DID_START_ITEM_LOAD",{id:m})}),c.on("load-meta",()=>{e("DID_UPDATE_ITEM_META",{id:m})}),c.on("load-progress",I=>{e("DID_UPDATE_ITEM_LOAD_PROGRESS",{id:m,progress:I})}),c.on("load-request-error",I=>{let E=Kt(i.options.labelFileLoadError)(I);if(I.code>=400&&I.code<500){e("DID_THROW_ITEM_INVALID",{id:m,error:I,status:{main:E,sub:`${I.code} (${I.body})`}}),r({error:I,file:ge(c)});return}e("DID_THROW_ITEM_LOAD_ERROR",{id:m,error:I,status:{main:E,sub:i.options.labelTapToRetry}})}),c.on("load-file-error",I=>{e("DID_THROW_ITEM_INVALID",{id:m,error:I.status,status:I.status}),r({error:I.status,file:ge(c)})}),c.on("load-abort",()=>{e("REMOVE_ITEM",{query:m})}),c.on("load-skip",()=>{c.on("metadata-update",I=>{Je(c.file)&&e("DID_UPDATE_ITEM_METADATA",{id:m,change:I})}),e("COMPLETE_LOAD_ITEM",{query:m,item:c,data:{source:a,success:l}})}),c.on("load",()=>{let I=E=>{if(!E){e("REMOVE_ITEM",{query:m});return}c.on("metadata-update",T=>{e("DID_UPDATE_ITEM_METADATA",{id:m,change:T})}),Ae("SHOULD_PREPARE_OUTPUT",!1,{item:c,query:t}).then(T=>{let v=t("GET_BEFORE_PREPARE_FILE");v&&(T=v(c,T));let y=()=>{e("COMPLETE_LOAD_ITEM",{query:m,item:c,data:{source:a,success:l}}),Si(e,i)};if(T){e("REQUEST_PREPARE_OUTPUT",{query:m,item:c,success:b=>{e("DID_PREPARE_OUTPUT",{id:m,file:b}),y()}},!0);return}y()})};Ae("DID_LOAD_ITEM",c,{query:t,dispatch:e}).then(()=>{qa(t("GET_BEFORE_ADD_FILE"),ge(c)).then(I)}).catch(E=>{if(!E||!E.error||!E.status)return I(!1);e("DID_THROW_ITEM_INVALID",{id:m,error:E.error,status:E.status})})}),c.on("process-start",()=>{e("DID_START_ITEM_PROCESSING",{id:m})}),c.on("process-progress",I=>{e("DID_UPDATE_ITEM_PROCESS_PROGRESS",{id:m,progress:I})}),c.on("process-error",I=>{e("DID_THROW_ITEM_PROCESSING_ERROR",{id:m,error:I,status:{main:Kt(i.options.labelFileProcessingError)(I),sub:i.options.labelTapToRetry}})}),c.on("process-revert-error",I=>{e("DID_THROW_ITEM_PROCESSING_REVERT_ERROR",{id:m,error:I,status:{main:Kt(i.options.labelFileProcessingRevertError)(I),sub:i.options.labelTapToRetry}})}),c.on("process-complete",I=>{e("DID_COMPLETE_ITEM_PROCESSING",{id:m,error:null,serverFileReference:I}),e("DID_DEFINE_VALUE",{id:m,value:I})}),c.on("process-abort",()=>{e("DID_ABORT_ITEM_PROCESSING",{id:m})}),c.on("process-revert",()=>{e("DID_REVERT_ITEM_PROCESSING",{id:m}),e("DID_DEFINE_VALUE",{id:m,value:null})}),e("DID_ADD_ITEM",{id:m,index:n,interactionMethod:o}),Si(e,i);let{url:u,load:f,restore:h,fetch:g}=i.options.server||{};c.load(a,Ts(p===re.INPUT?fe(a)&&Ls(a)&&g?wi(u,g):ja:p===re.LIMBO?wi(u,h):wi(u,f)),(I,E,T)=>{Ae("LOAD_FILE",I,{query:t}).then(E).catch(T)})},REQUEST_PREPARE_OUTPUT:({item:a,success:n,failure:o=()=>{}})=>{let l={error:ie("error",0,"Item not found"),file:null};if(a.archived)return o(l);Ae("PREPARE_OUTPUT",a.file,{query:t,item:a}).then(r=>{Ae("COMPLETE_PREPARE_OUTPUT",r,{query:t,item:a}).then(s=>{if(a.archived)return o(l);n(s)})})},COMPLETE_LOAD_ITEM:({item:a,data:n})=>{let{success:o,source:l}=n,r=t("GET_ITEM_INSERT_LOCATION");if(Xe(r)&&l&&Li(i,r),e("DID_LOAD_ITEM",{id:a.id,error:null,serverFileReference:a.origin===re.INPUT?null:l}),o(ge(a)),a.origin===re.LOCAL){e("DID_LOAD_LOCAL_ITEM",{id:a.id});return}if(a.origin===re.LIMBO){e("DID_COMPLETE_ITEM_PROCESSING",{id:a.id,error:null,serverFileReference:l}),e("DID_DEFINE_VALUE",{id:a.id,value:a.serverId||l});return}t("IS_ASYNC")&&i.options.instantUpload&&e("REQUEST_ITEM_PROCESSING",{query:a.id})},RETRY_ITEM_LOAD:ye(i,a=>{a.retryLoad()}),REQUEST_ITEM_PREPARE:ye(i,(a,n,o)=>{e("REQUEST_PREPARE_OUTPUT",{query:a.id,item:a,success:l=>{e("DID_PREPARE_OUTPUT",{id:a.id,file:l}),n({file:a,output:l})},failure:o},!0)}),REQUEST_ITEM_PROCESSING:ye(i,(a,n,o)=>{if(!(a.status===W.IDLE||a.status===W.PROCESSING_ERROR)){let r=()=>e("REQUEST_ITEM_PROCESSING",{query:a,success:n,failure:o}),s=()=>document.hidden?r():setTimeout(r,32);a.status===W.PROCESSING_COMPLETE||a.status===W.PROCESSING_REVERT_ERROR?a.revert(Mt(i.options.server.url,i.options.server.revert),t("GET_FORCE_REVERT")).then(s).catch(()=>{}):a.status===W.PROCESSING&&a.abortProcessing().then(s);return}a.status!==W.PROCESSING_QUEUED&&(a.requestProcessing(),e("DID_REQUEST_ITEM_PROCESSING",{id:a.id}),e("PROCESS_ITEM",{query:a,success:n,failure:o},!0))}),PROCESS_ITEM:ye(i,(a,n,o)=>{let l=t("GET_MAX_PARALLEL_UPLOADS");if(t("GET_ITEMS_BY_STATUS",W.PROCESSING).length===l){i.processingQueue.push({id:a.id,success:n,failure:o});return}if(a.status===W.PROCESSING)return;let s=()=>{let c=i.processingQueue.shift();if(!c)return;let{id:d,success:m,failure:u}=c,f=Qe(i.items,d);if(!f||f.archived){s();return}e("PROCESS_ITEM",{query:d,success:m,failure:u},!0)};a.onOnce("process-complete",()=>{n(ge(a)),s();let c=i.options.server;if(i.options.instantUpload&&a.origin===re.LOCAL&&Xe(c.remove)){let u=()=>{};a.origin=re.LIMBO,i.options.server.remove(a.source,u,u)}t("GET_ITEMS_BY_STATUS",W.PROCESSING_COMPLETE).length===i.items.length&&e("DID_COMPLETE_ITEM_PROCESSING_ALL")}),a.onOnce("process-error",c=>{o({error:c,file:ge(a)}),s()});let p=i.options;a.process(_s(xs(p.server.url,p.server.process,p.name,{chunkTransferId:a.transferId,chunkServer:p.server.patch,chunkUploads:p.chunkUploads,chunkForce:p.chunkForce,chunkSize:p.chunkSize,chunkRetryDelays:p.chunkRetryDelays}),{allowMinimumUploadDuration:t("GET_ALLOW_MINIMUM_UPLOAD_DURATION")}),(c,d,m)=>{Ae("PREPARE_OUTPUT",c,{query:t,item:a}).then(u=>{e("DID_PREPARE_OUTPUT",{id:a.id,file:u}),d(u)}).catch(m)})}),RETRY_ITEM_PROCESSING:ye(i,a=>{e("REQUEST_ITEM_PROCESSING",{query:a})}),REQUEST_REMOVE_ITEM:ye(i,a=>{qa(t("GET_BEFORE_REMOVE_FILE"),ge(a)).then(n=>{n&&e("REMOVE_ITEM",{query:a})})}),RELEASE_ITEM:ye(i,a=>{a.release()}),REMOVE_ITEM:ye(i,(a,n,o,l)=>{let r=()=>{let p=a.id;Ha(i.items,p).archive(),e("DID_REMOVE_ITEM",{error:null,id:p,item:a}),Si(e,i),n(ge(a))},s=i.options.server;a.origin===re.LOCAL&&s&&Xe(s.remove)&&l.remove!==!1?(e("DID_START_ITEM_REMOVE",{id:a.id}),s.remove(a.source,()=>r(),p=>{e("DID_THROW_ITEM_REMOVE_ERROR",{id:a.id,error:ie("error",0,p,null),status:{main:Kt(i.options.labelFileRemoveError)(p),sub:i.options.labelTapToRetry}})})):((l.revert&&a.origin!==re.LOCAL&&a.serverId!==null||i.options.chunkUploads&&a.file.size>i.options.chunkSize||i.options.chunkUploads&&i.options.chunkForce)&&a.revert(Mt(i.options.server.url,i.options.server.revert),t("GET_FORCE_REVERT")),r())}),ABORT_ITEM_LOAD:ye(i,a=>{a.abortLoad()}),ABORT_ITEM_PROCESSING:ye(i,a=>{if(a.serverId){e("REVERT_ITEM_PROCESSING",{id:a.id});return}a.abortProcessing().then(()=>{i.options.instantUpload&&e("REMOVE_ITEM",{query:a.id})})}),REQUEST_REVERT_ITEM_PROCESSING:ye(i,a=>{if(!i.options.instantUpload){e("REVERT_ITEM_PROCESSING",{query:a});return}let n=r=>{r&&e("REVERT_ITEM_PROCESSING",{query:a})},o=t("GET_BEFORE_REMOVE_FILE");if(!o)return n(!0);let l=o(ge(a));if(l==null)return n(!0);if(typeof l=="boolean")return n(l);typeof l.then=="function"&&l.then(n)}),REVERT_ITEM_PROCESSING:ye(i,a=>{a.revert(Mt(i.options.server.url,i.options.server.revert),t("GET_FORCE_REVERT")).then(()=>{(i.options.instantUpload||As(a))&&e("REMOVE_ITEM",{query:a.id})}).catch(()=>{})}),SET_OPTIONS:({options:a})=>{let n=Object.keys(a),o=Os.filter(r=>n.includes(r));[...o,...Object.keys(a).filter(r=>!o.includes(r))].forEach(r=>{e(`SET_${di(r,"_").toUpperCase()}`,{value:a[r]})})}}),Os=["server"],Qi=e=>e,ke=e=>document.createElement(e),ae=(e,t)=>{let i=e.childNodes[0];i?t!==i.nodeValue&&(i.nodeValue=t):(i=document.createTextNode(t),e.appendChild(i))},$a=(e,t,i,a)=>{let n=(a%360-90)*Math.PI/180;return{x:e+i*Math.cos(n),y:t+i*Math.sin(n)}},Ps=(e,t,i,a,n,o)=>{let l=$a(e,t,i,n),r=$a(e,t,i,a);return["M",l.x,l.y,"A",i,i,0,o,0,r.x,r.y].join(" ")},Ds=(e,t,i,a,n)=>{let o=1;return n>a&&n-a<=.5&&(o=0),a>n&&a-n>=.5&&(o=0),Ps(e,t,i,Math.min(.9999,a)*360,Math.min(.9999,n)*360,o)},Fs=({root:e,props:t})=>{t.spin=!1,t.progress=0,t.opacity=0;let i=ni("svg");e.ref.path=ni("path",{"stroke-width":2,"stroke-linecap":"round"}),i.appendChild(e.ref.path),e.ref.svg=i,e.appendChild(i)},zs=({root:e,props:t})=>{if(t.opacity===0)return;t.align&&(e.element.dataset.align=t.align);let i=parseInt(se(e.ref.path,"stroke-width"),10),a=e.rect.element.width*.5,n=0,o=0;t.spin?(n=0,o=.5):(n=0,o=t.progress);let l=Ds(a,a,a-i,n,o);se(e.ref.path,"d",l),se(e.ref.path,"stroke-opacity",t.spin||t.progress>0?1:0)},Xa=ne({tag:"div",name:"progress-indicator",ignoreRectUpdate:!0,ignoreRect:!0,create:Fs,write:zs,mixins:{apis:["progress","spin","align"],styles:["opacity"],animations:{opacity:{type:"tween",duration:500},progress:{type:"spring",stiffness:.95,damping:.65,mass:10}}}}),Cs=({root:e,props:t})=>{e.element.innerHTML=(t.icon||"")+`${t.label}`,t.isDisabled=!1},Ns=({root:e,props:t})=>{let{isDisabled:i}=t,a=e.query("GET_DISABLED")||t.opacity===0;a&&!i?(t.isDisabled=!0,se(e.element,"disabled","disabled")):!a&&i&&(t.isDisabled=!1,e.element.removeAttribute("disabled"))},zn=ne({tag:"button",attributes:{type:"button"},ignoreRect:!0,ignoreRectUpdate:!0,name:"file-action-button",mixins:{apis:["label"],styles:["translateX","translateY","scaleX","scaleY","opacity"],animations:{scaleX:"spring",scaleY:"spring",translateX:"spring",translateY:"spring",opacity:{type:"tween",duration:250}},listeners:!0},create:Cs,write:Ns}),Cn=(e,t=".",i=1e3,a={})=>{let{labelBytes:n="bytes",labelKilobytes:o="KB",labelMegabytes:l="MB",labelGigabytes:r="GB"}=a;e=Math.round(Math.abs(e));let s=i,p=i*i,c=i*i*i;return ee.toFixed(t).split(".").filter(a=>a!=="0").join(i),Bs=({root:e,props:t})=>{let i=ke("span");i.className="filepond--file-info-main",se(i,"aria-hidden","true"),e.appendChild(i),e.ref.fileName=i;let a=ke("span");a.className="filepond--file-info-sub",e.appendChild(a),e.ref.fileSize=a,ae(a,e.query("GET_LABEL_FILE_WAITING_FOR_SIZE")),ae(i,Qi(e.query("GET_ITEM_NAME",t.id)))},Fi=({root:e,props:t})=>{ae(e.ref.fileSize,Cn(e.query("GET_ITEM_SIZE",t.id),".",e.query("GET_FILE_SIZE_BASE"),e.query("GET_FILE_SIZE_LABELS",e.query))),ae(e.ref.fileName,Qi(e.query("GET_ITEM_NAME",t.id)))},Za=({root:e,props:t})=>{if(gt(e.query("GET_ITEM_SIZE",t.id))){Fi({root:e,props:t});return}ae(e.ref.fileSize,e.query("GET_LABEL_FILE_SIZE_NOT_AVAILABLE"))},ks=ne({name:"file-info",ignoreRect:!0,ignoreRectUpdate:!0,write:he({DID_LOAD_ITEM:Fi,DID_UPDATE_ITEM_META:Fi,DID_THROW_ITEM_LOAD_ERROR:Za,DID_THROW_ITEM_INVALID:Za}),didCreateView:e=>{tt("CREATE_VIEW",{...e,view:e})},create:Bs,mixins:{styles:["translateX","translateY"],animations:{translateX:"spring",translateY:"spring"}}}),Nn=e=>Math.round(e*100),Vs=({root:e})=>{let t=ke("span");t.className="filepond--file-status-main",e.appendChild(t),e.ref.main=t;let i=ke("span");i.className="filepond--file-status-sub",e.appendChild(i),e.ref.sub=i,Bn({root:e,action:{progress:null}})},Bn=({root:e,action:t})=>{let i=t.progress===null?e.query("GET_LABEL_FILE_LOADING"):`${e.query("GET_LABEL_FILE_LOADING")} ${Nn(t.progress)}%`;ae(e.ref.main,i),ae(e.ref.sub,e.query("GET_LABEL_TAP_TO_CANCEL"))},Gs=({root:e,action:t})=>{let i=t.progress===null?e.query("GET_LABEL_FILE_PROCESSING"):`${e.query("GET_LABEL_FILE_PROCESSING")} ${Nn(t.progress)}%`;ae(e.ref.main,i),ae(e.ref.sub,e.query("GET_LABEL_TAP_TO_CANCEL"))},Us=({root:e})=>{ae(e.ref.main,e.query("GET_LABEL_FILE_PROCESSING")),ae(e.ref.sub,e.query("GET_LABEL_TAP_TO_CANCEL"))},Ws=({root:e})=>{ae(e.ref.main,e.query("GET_LABEL_FILE_PROCESSING_ABORTED")),ae(e.ref.sub,e.query("GET_LABEL_TAP_TO_RETRY"))},Hs=({root:e})=>{ae(e.ref.main,e.query("GET_LABEL_FILE_PROCESSING_COMPLETE")),ae(e.ref.sub,e.query("GET_LABEL_TAP_TO_UNDO"))},Ka=({root:e})=>{ae(e.ref.main,""),ae(e.ref.sub,"")},Ot=({root:e,action:t})=>{ae(e.ref.main,t.status.main),ae(e.ref.sub,t.status.sub)},js=ne({name:"file-status",ignoreRect:!0,ignoreRectUpdate:!0,write:he({DID_LOAD_ITEM:Ka,DID_REVERT_ITEM_PROCESSING:Ka,DID_REQUEST_ITEM_PROCESSING:Us,DID_ABORT_ITEM_PROCESSING:Ws,DID_COMPLETE_ITEM_PROCESSING:Hs,DID_UPDATE_ITEM_PROCESS_PROGRESS:Gs,DID_UPDATE_ITEM_LOAD_PROGRESS:Bn,DID_THROW_ITEM_LOAD_ERROR:Ot,DID_THROW_ITEM_INVALID:Ot,DID_THROW_ITEM_PROCESSING_ERROR:Ot,DID_THROW_ITEM_PROCESSING_REVERT_ERROR:Ot,DID_THROW_ITEM_REMOVE_ERROR:Ot}),didCreateView:e=>{tt("CREATE_VIEW",{...e,view:e})},create:Vs,mixins:{styles:["translateX","translateY","opacity"],animations:{opacity:{type:"tween",duration:250},translateX:"spring",translateY:"spring"}}}),zi={AbortItemLoad:{label:"GET_LABEL_BUTTON_ABORT_ITEM_LOAD",action:"ABORT_ITEM_LOAD",className:"filepond--action-abort-item-load",align:"LOAD_INDICATOR_POSITION"},RetryItemLoad:{label:"GET_LABEL_BUTTON_RETRY_ITEM_LOAD",action:"RETRY_ITEM_LOAD",icon:"GET_ICON_RETRY",className:"filepond--action-retry-item-load",align:"BUTTON_PROCESS_ITEM_POSITION"},RemoveItem:{label:"GET_LABEL_BUTTON_REMOVE_ITEM",action:"REQUEST_REMOVE_ITEM",icon:"GET_ICON_REMOVE",className:"filepond--action-remove-item",align:"BUTTON_REMOVE_ITEM_POSITION"},ProcessItem:{label:"GET_LABEL_BUTTON_PROCESS_ITEM",action:"REQUEST_ITEM_PROCESSING",icon:"GET_ICON_PROCESS",className:"filepond--action-process-item",align:"BUTTON_PROCESS_ITEM_POSITION"},AbortItemProcessing:{label:"GET_LABEL_BUTTON_ABORT_ITEM_PROCESSING",action:"ABORT_ITEM_PROCESSING",className:"filepond--action-abort-item-processing",align:"BUTTON_PROCESS_ITEM_POSITION"},RetryItemProcessing:{label:"GET_LABEL_BUTTON_RETRY_ITEM_PROCESSING",action:"RETRY_ITEM_PROCESSING",icon:"GET_ICON_RETRY",className:"filepond--action-retry-item-processing",align:"BUTTON_PROCESS_ITEM_POSITION"},RevertItemProcessing:{label:"GET_LABEL_BUTTON_UNDO_ITEM_PROCESSING",action:"REQUEST_REVERT_ITEM_PROCESSING",icon:"GET_ICON_UNDO",className:"filepond--action-revert-item-processing",align:"BUTTON_PROCESS_ITEM_POSITION"}},Ci=[];te(zi,e=>{Ci.push(e)});var Ie=e=>{if(Ni(e)==="right")return 0;let t=e.ref.buttonRemoveItem.rect.element;return t.hidden?null:t.width+t.left},Ys=e=>e.ref.buttonAbortItemLoad.rect.element.width,Jt=e=>Math.floor(e.ref.buttonRemoveItem.rect.element.height/4),qs=e=>Math.floor(e.ref.buttonRemoveItem.rect.element.left/2),$s=e=>e.query("GET_STYLE_LOAD_INDICATOR_POSITION"),Xs=e=>e.query("GET_STYLE_PROGRESS_INDICATOR_POSITION"),Ni=e=>e.query("GET_STYLE_BUTTON_REMOVE_ITEM_POSITION"),Qs={buttonAbortItemLoad:{opacity:0},buttonRetryItemLoad:{opacity:0},buttonRemoveItem:{opacity:0},buttonProcessItem:{opacity:0},buttonAbortItemProcessing:{opacity:0},buttonRetryItemProcessing:{opacity:0},buttonRevertItemProcessing:{opacity:0},loadProgressIndicator:{opacity:0,align:$s},processProgressIndicator:{opacity:0,align:Xs},processingCompleteIndicator:{opacity:0,scaleX:.75,scaleY:.75},info:{translateX:0,translateY:0,opacity:0},status:{translateX:0,translateY:0,opacity:0}},Ja={buttonRemoveItem:{opacity:1},buttonProcessItem:{opacity:1},info:{translateX:Ie},status:{translateX:Ie}},Ai={buttonAbortItemProcessing:{opacity:1},processProgressIndicator:{opacity:1},status:{opacity:1}},pt={DID_THROW_ITEM_INVALID:{buttonRemoveItem:{opacity:1},info:{translateX:Ie},status:{translateX:Ie,opacity:1}},DID_START_ITEM_LOAD:{buttonAbortItemLoad:{opacity:1},loadProgressIndicator:{opacity:1},status:{opacity:1}},DID_THROW_ITEM_LOAD_ERROR:{buttonRetryItemLoad:{opacity:1},buttonRemoveItem:{opacity:1},info:{translateX:Ie},status:{opacity:1}},DID_START_ITEM_REMOVE:{processProgressIndicator:{opacity:1,align:Ni},info:{translateX:Ie},status:{opacity:0}},DID_THROW_ITEM_REMOVE_ERROR:{processProgressIndicator:{opacity:0,align:Ni},buttonRemoveItem:{opacity:1},info:{translateX:Ie},status:{opacity:1,translateX:Ie}},DID_LOAD_ITEM:Ja,DID_LOAD_LOCAL_ITEM:{buttonRemoveItem:{opacity:1},info:{translateX:Ie},status:{translateX:Ie}},DID_START_ITEM_PROCESSING:Ai,DID_REQUEST_ITEM_PROCESSING:Ai,DID_UPDATE_ITEM_PROCESS_PROGRESS:Ai,DID_COMPLETE_ITEM_PROCESSING:{buttonRevertItemProcessing:{opacity:1},info:{opacity:1},status:{opacity:1}},DID_THROW_ITEM_PROCESSING_ERROR:{buttonRemoveItem:{opacity:1},buttonRetryItemProcessing:{opacity:1},status:{opacity:1},info:{translateX:Ie}},DID_THROW_ITEM_PROCESSING_REVERT_ERROR:{buttonRevertItemProcessing:{opacity:1},status:{opacity:1},info:{opacity:1}},DID_ABORT_ITEM_PROCESSING:{buttonRemoveItem:{opacity:1},buttonProcessItem:{opacity:1},info:{translateX:Ie},status:{opacity:1}},DID_REVERT_ITEM_PROCESSING:Ja},Zs=ne({create:({root:e})=>{e.element.innerHTML=e.query("GET_ICON_DONE")},name:"processing-complete-indicator",ignoreRect:!0,mixins:{styles:["scaleX","scaleY","opacity"],animations:{scaleX:"spring",scaleY:"spring",opacity:{type:"tween",duration:250}}}}),Ks=({root:e,props:t})=>{let i=Object.keys(zi).reduce((f,h)=>(f[h]={...zi[h]},f),{}),{id:a}=t,n=e.query("GET_ALLOW_REVERT"),o=e.query("GET_ALLOW_REMOVE"),l=e.query("GET_ALLOW_PROCESS"),r=e.query("GET_INSTANT_UPLOAD"),s=e.query("IS_ASYNC"),p=e.query("GET_STYLE_BUTTON_REMOVE_ITEM_ALIGN"),c;s?l&&!n?c=f=>!/RevertItemProcessing/.test(f):!l&&n?c=f=>!/ProcessItem|RetryItemProcessing|AbortItemProcessing/.test(f):!l&&!n&&(c=f=>!/Process/.test(f)):c=f=>!/Process/.test(f);let d=c?Ci.filter(c):Ci.concat();if(r&&n&&(i.RevertItemProcessing.label="GET_LABEL_BUTTON_REMOVE_ITEM",i.RevertItemProcessing.icon="GET_ICON_REMOVE"),s&&!n){let f=pt.DID_COMPLETE_ITEM_PROCESSING;f.info.translateX=qs,f.info.translateY=Jt,f.status.translateY=Jt,f.processingCompleteIndicator={opacity:1,scaleX:1,scaleY:1}}if(s&&!l&&(["DID_START_ITEM_PROCESSING","DID_REQUEST_ITEM_PROCESSING","DID_UPDATE_ITEM_PROCESS_PROGRESS","DID_THROW_ITEM_PROCESSING_ERROR"].forEach(f=>{pt[f].status.translateY=Jt}),pt.DID_THROW_ITEM_PROCESSING_ERROR.status.translateX=Ys),p&&n){i.RevertItemProcessing.align="BUTTON_REMOVE_ITEM_POSITION";let f=pt.DID_COMPLETE_ITEM_PROCESSING;f.info.translateX=Ie,f.status.translateY=Jt,f.processingCompleteIndicator={opacity:1,scaleX:1,scaleY:1}}o||(i.RemoveItem.disabled=!0),te(i,(f,h)=>{let g=e.createChildView(zn,{label:e.query(h.label),icon:e.query(h.icon),opacity:0});d.includes(f)&&e.appendChildView(g),h.disabled&&(g.element.setAttribute("disabled","disabled"),g.element.setAttribute("hidden","hidden")),g.element.dataset.align=e.query(`GET_STYLE_${h.align}`),g.element.classList.add(h.className),g.on("click",I=>{I.stopPropagation(),!h.disabled&&e.dispatch(h.action,{query:a})}),e.ref[`button${f}`]=g}),e.ref.processingCompleteIndicator=e.appendChildView(e.createChildView(Zs)),e.ref.processingCompleteIndicator.element.dataset.align=e.query("GET_STYLE_BUTTON_PROCESS_ITEM_POSITION"),e.ref.info=e.appendChildView(e.createChildView(ks,{id:a})),e.ref.status=e.appendChildView(e.createChildView(js,{id:a}));let m=e.appendChildView(e.createChildView(Xa,{opacity:0,align:e.query("GET_STYLE_LOAD_INDICATOR_POSITION")}));m.element.classList.add("filepond--load-indicator"),e.ref.loadProgressIndicator=m;let u=e.appendChildView(e.createChildView(Xa,{opacity:0,align:e.query("GET_STYLE_PROGRESS_INDICATOR_POSITION")}));u.element.classList.add("filepond--process-indicator"),e.ref.processProgressIndicator=u,e.ref.activeStyles=[]},Js=({root:e,actions:t,props:i})=>{ec({root:e,actions:t,props:i});let a=t.concat().filter(n=>/^DID_/.test(n.type)).reverse().find(n=>pt[n.type]);if(a){e.ref.activeStyles=[];let n=pt[a.type];te(Qs,(o,l)=>{let r=e.ref[o];te(l,(s,p)=>{let c=n[o]&&typeof n[o][s]<"u"?n[o][s]:p;e.ref.activeStyles.push({control:r,key:s,value:c})})})}e.ref.activeStyles.forEach(({control:n,key:o,value:l})=>{n[o]=typeof l=="function"?l(e):l})},ec=he({DID_SET_LABEL_BUTTON_ABORT_ITEM_PROCESSING:({root:e,action:t})=>{e.ref.buttonAbortItemProcessing.label=t.value},DID_SET_LABEL_BUTTON_ABORT_ITEM_LOAD:({root:e,action:t})=>{e.ref.buttonAbortItemLoad.label=t.value},DID_SET_LABEL_BUTTON_ABORT_ITEM_REMOVAL:({root:e,action:t})=>{e.ref.buttonAbortItemRemoval.label=t.value},DID_REQUEST_ITEM_PROCESSING:({root:e})=>{e.ref.processProgressIndicator.spin=!0,e.ref.processProgressIndicator.progress=0},DID_START_ITEM_LOAD:({root:e})=>{e.ref.loadProgressIndicator.spin=!0,e.ref.loadProgressIndicator.progress=0},DID_START_ITEM_REMOVE:({root:e})=>{e.ref.processProgressIndicator.spin=!0,e.ref.processProgressIndicator.progress=0},DID_UPDATE_ITEM_LOAD_PROGRESS:({root:e,action:t})=>{e.ref.loadProgressIndicator.spin=!1,e.ref.loadProgressIndicator.progress=t.progress},DID_UPDATE_ITEM_PROCESS_PROGRESS:({root:e,action:t})=>{e.ref.processProgressIndicator.spin=!1,e.ref.processProgressIndicator.progress=t.progress}}),tc=ne({create:Ks,write:Js,didCreateView:e=>{tt("CREATE_VIEW",{...e,view:e})},name:"file"}),ic=({root:e,props:t})=>{e.ref.fileName=ke("legend"),e.appendChild(e.ref.fileName),e.ref.file=e.appendChildView(e.createChildView(tc,{id:t.id})),e.ref.data=!1},ac=({root:e,props:t})=>{ae(e.ref.fileName,Qi(e.query("GET_ITEM_NAME",t.id)))},nc=ne({create:ic,ignoreRect:!0,write:he({DID_LOAD_ITEM:ac}),didCreateView:e=>{tt("CREATE_VIEW",{...e,view:e})},tag:"fieldset",name:"file-wrapper"}),en={type:"spring",damping:.6,mass:7},oc=({root:e,props:t})=>{[{name:"top"},{name:"center",props:{translateY:null,scaleY:null},mixins:{animations:{scaleY:en},styles:["translateY","scaleY"]}},{name:"bottom",props:{translateY:null},mixins:{animations:{translateY:en},styles:["translateY"]}}].forEach(i=>{lc(e,i,t.name)}),e.element.classList.add(`filepond--${t.name}`),e.ref.scalable=null},lc=(e,t,i)=>{let a=ne({name:`panel-${t.name} filepond--${i}`,mixins:t.mixins,ignoreRectUpdate:!0}),n=e.createChildView(a,t.props);e.ref[t.name]=e.appendChildView(n)},rc=({root:e,props:t})=>{if((e.ref.scalable===null||t.scalable!==e.ref.scalable)&&(e.ref.scalable=Tn(t.scalable)?t.scalable:!0,e.element.dataset.scalable=e.ref.scalable),!t.height)return;let i=e.ref.top.rect.element,a=e.ref.bottom.rect.element,n=Math.max(i.height+a.height,t.height);e.ref.center.translateY=i.height,e.ref.center.scaleY=(n-i.height-a.height)/100,e.ref.bottom.translateY=n-a.height},kn=ne({name:"panel",read:({root:e,props:t})=>t.heightCurrent=e.ref.bottom.translateY,write:rc,create:oc,ignoreRect:!0,mixins:{apis:["height","heightCurrent","scalable"]}}),sc=e=>{let t=e.map(a=>a.id),i;return{setIndex:a=>{i=a},getIndex:()=>i,getItemIndex:a=>t.indexOf(a.id)}},tn={type:"spring",stiffness:.75,damping:.45,mass:10},an="spring",nn={DID_START_ITEM_LOAD:"busy",DID_UPDATE_ITEM_LOAD_PROGRESS:"loading",DID_THROW_ITEM_INVALID:"load-invalid",DID_THROW_ITEM_LOAD_ERROR:"load-error",DID_LOAD_ITEM:"idle",DID_THROW_ITEM_REMOVE_ERROR:"remove-error",DID_START_ITEM_REMOVE:"busy",DID_START_ITEM_PROCESSING:"busy processing",DID_REQUEST_ITEM_PROCESSING:"busy processing",DID_UPDATE_ITEM_PROCESS_PROGRESS:"processing",DID_COMPLETE_ITEM_PROCESSING:"processing-complete",DID_THROW_ITEM_PROCESSING_ERROR:"processing-error",DID_THROW_ITEM_PROCESSING_REVERT_ERROR:"processing-revert-error",DID_ABORT_ITEM_PROCESSING:"cancelled",DID_REVERT_ITEM_PROCESSING:"idle"},cc=({root:e,props:t})=>{if(e.ref.handleClick=a=>e.dispatch("DID_ACTIVATE_ITEM",{id:t.id}),e.element.id=`filepond--item-${t.id}`,e.element.addEventListener("click",e.ref.handleClick),e.ref.container=e.appendChildView(e.createChildView(nc,{id:t.id})),e.ref.panel=e.appendChildView(e.createChildView(kn,{name:"item-panel"})),e.ref.panel.height=null,t.markedForRemoval=!1,!e.query("GET_ALLOW_REORDER"))return;e.element.dataset.dragState="idle";let i=a=>{if(!a.isPrimary)return;let n=!1,o={x:a.pageX,y:a.pageY};t.dragOrigin={x:e.translateX,y:e.translateY},t.dragCenter={x:a.offsetX,y:a.offsetY};let l=sc(e.query("GET_ACTIVE_ITEMS"));e.dispatch("DID_GRAB_ITEM",{id:t.id,dragState:l});let r=d=>{if(!d.isPrimary)return;d.stopPropagation(),d.preventDefault(),t.dragOffset={x:d.pageX-o.x,y:d.pageY-o.y},t.dragOffset.x*t.dragOffset.x+t.dragOffset.y*t.dragOffset.y>16&&!n&&(n=!0,e.element.removeEventListener("click",e.ref.handleClick)),e.dispatch("DID_DRAG_ITEM",{id:t.id,dragState:l})},s=d=>{d.isPrimary&&(t.dragOffset={x:d.pageX-o.x,y:d.pageY-o.y},c())},p=()=>{c()},c=()=>{document.removeEventListener("pointercancel",p),document.removeEventListener("pointermove",r),document.removeEventListener("pointerup",s),e.dispatch("DID_DROP_ITEM",{id:t.id,dragState:l}),n&&setTimeout(()=>e.element.addEventListener("click",e.ref.handleClick),0)};document.addEventListener("pointercancel",p),document.addEventListener("pointermove",r),document.addEventListener("pointerup",s)};e.element.addEventListener("pointerdown",i)},dc=he({DID_UPDATE_PANEL_HEIGHT:({root:e,action:t})=>{e.height=t.height}}),pc=he({DID_GRAB_ITEM:({root:e,props:t})=>{t.dragOrigin={x:e.translateX,y:e.translateY}},DID_DRAG_ITEM:({root:e})=>{e.element.dataset.dragState="drag"},DID_DROP_ITEM:({root:e,props:t})=>{t.dragOffset=null,t.dragOrigin=null,e.element.dataset.dragState="drop"}},({root:e,actions:t,props:i,shouldOptimize:a})=>{e.element.dataset.dragState==="drop"&&e.scaleX<=1&&(e.element.dataset.dragState="idle");let n=t.concat().filter(l=>/^DID_/.test(l.type)).reverse().find(l=>nn[l.type]);n&&n.type!==i.currentState&&(i.currentState=n.type,e.element.dataset.filepondItemState=nn[i.currentState]||"");let o=e.query("GET_ITEM_PANEL_ASPECT_RATIO")||e.query("GET_PANEL_ASPECT_RATIO");o?a||(e.height=e.rect.element.width*o):(dc({root:e,actions:t,props:i}),!e.height&&e.ref.container.rect.element.height>0&&(e.height=e.ref.container.rect.element.height)),a&&(e.ref.panel.height=null),e.ref.panel.height=e.height}),mc=ne({create:cc,write:pc,destroy:({root:e,props:t})=>{e.element.removeEventListener("click",e.ref.handleClick),e.dispatch("RELEASE_ITEM",{query:t.id})},tag:"li",name:"item",mixins:{apis:["id","interactionMethod","markedForRemoval","spawnDate","dragCenter","dragOrigin","dragOffset"],styles:["translateX","translateY","scaleX","scaleY","opacity","height"],animations:{scaleX:an,scaleY:an,translateX:tn,translateY:tn,opacity:{type:"tween",duration:150}}}}),Zi=(e,t)=>Math.max(1,Math.floor((e+1)/t)),Ki=(e,t,i)=>{if(!i)return;let a=e.rect.element.width,n=t.length,o=null;if(n===0||i.topE){if(i.left{se(e.element,"role","list"),e.ref.lastItemSpanwDate=Date.now()},fc=({root:e,action:t})=>{let{id:i,index:a,interactionMethod:n}=t;e.ref.addIndex=a;let o=Date.now(),l=o,r=1;if(n!==_e.NONE){r=0;let s=e.query("GET_ITEM_INSERT_INTERVAL"),p=o-e.ref.lastItemSpanwDate;l=p{e.dragOffset?(e.translateX=null,e.translateY=null,e.translateX=e.dragOrigin.x+e.dragOffset.x,e.translateY=e.dragOrigin.y+e.dragOffset.y,e.scaleX=1.025,e.scaleY=1.025):(e.translateX=t,e.translateY=i,Date.now()>e.spawnDate&&(e.opacity===0&&hc(e,t,i,a,n),e.scaleX=1,e.scaleY=1,e.opacity=1))},hc=(e,t,i,a,n)=>{e.interactionMethod===_e.NONE?(e.translateX=null,e.translateX=t,e.translateY=null,e.translateY=i):e.interactionMethod===_e.DROP?(e.translateX=null,e.translateX=t-a*20,e.translateY=null,e.translateY=i-n*10,e.scaleX=.8,e.scaleY=.8):e.interactionMethod===_e.BROWSE?(e.translateY=null,e.translateY=i-30):e.interactionMethod===_e.API&&(e.translateX=null,e.translateX=t-30,e.translateY=null)},gc=({root:e,action:t})=>{let{id:i}=t,a=e.childViews.find(n=>n.id===i);a&&(a.scaleX=.9,a.scaleY=.9,a.opacity=0,a.markedForRemoval=!0)},Mi=e=>e.rect.element.height+e.rect.element.marginBottom*.5+e.rect.element.marginTop*.5,Ec=e=>e.rect.element.width+e.rect.element.marginLeft*.5+e.rect.element.marginRight*.5,bc=({root:e,action:t})=>{let{id:i,dragState:a}=t,n=e.query("GET_ITEM",{id:i}),o=e.childViews.find(g=>g.id===i),l=e.childViews.length,r=a.getItemIndex(n);if(!o)return;let s={x:o.dragOrigin.x+o.dragOffset.x+o.dragCenter.x,y:o.dragOrigin.y+o.dragOffset.y+o.dragCenter.y},p=Mi(o),c=Ec(o),d=Math.floor(e.rect.outer.width/c);d>l&&(d=l);let m=Math.floor(l/d+1);ei.setHeight=p*m,ei.setWidth=c*d;var u={y:Math.floor(s.y/p),x:Math.floor(s.x/c),getGridIndex:function(){return s.y>ei.getHeight||s.y<0||s.x>ei.getWidth||s.x<0?r:this.y*d+this.x},getColIndex:function(){let I=e.query("GET_ACTIVE_ITEMS"),E=e.childViews.filter(O=>O.rect.element.height),T=I.map(O=>E.find(M=>M.id===O.id)),v=T.findIndex(O=>O===o),y=Mi(o),b=T.length,w=b,x=0,_=0,P=0;for(let O=0;OO){if(s.y1?u.getGridIndex():u.getColIndex();e.dispatch("MOVE_ITEM",{query:o,index:f});let h=a.getIndex();if(h===void 0||h!==f){if(a.setIndex(f),h===void 0)return;e.dispatch("DID_REORDER_ITEMS",{items:e.query("GET_ACTIVE_ITEMS"),origin:r,target:f})}},Tc=he({DID_ADD_ITEM:fc,DID_REMOVE_ITEM:gc,DID_DRAG_ITEM:bc}),Ic=({root:e,props:t,actions:i,shouldOptimize:a})=>{Tc({root:e,props:t,actions:i});let{dragCoordinates:n}=t,o=e.rect.element.width,l=e.childViews.filter(T=>T.rect.element.height),r=e.query("GET_ACTIVE_ITEMS").map(T=>l.find(v=>v.id===T.id)).filter(T=>T),s=n?Ki(e,r,n):null,p=e.ref.addIndex||null;e.ref.addIndex=null;let c=0,d=0,m=0;if(r.length===0)return;let u=r[0].rect.element,f=u.marginTop+u.marginBottom,h=u.marginLeft+u.marginRight,g=u.width+h,I=u.height+f,E=Zi(o,g);if(E===1){let T=0,v=0;r.forEach((y,b)=>{if(s){let _=b-s;_===-2?v=-f*.25:_===-1?v=-f*.75:_===0?v=f*.75:_===1?v=f*.25:v=0}a&&(y.translateX=null,y.translateY=null),y.markedForRemoval||on(y,0,T+v);let x=(y.rect.element.height+f)*(y.markedForRemoval?y.opacity:1);T+=x})}else{let T=0,v=0;r.forEach((y,b)=>{b===s&&(c=1),b===p&&(m+=1),y.markedForRemoval&&y.opacity<.5&&(d-=1);let w=b+m+c+d,x=w%E,_=Math.floor(w/E),P=x*g,O=_*I,M=Math.sign(P-T),C=Math.sign(O-v);T=P,v=O,!y.markedForRemoval&&(a&&(y.translateX=null,y.translateY=null),on(y,P,O,M,C))})}},vc=(e,t)=>t.filter(i=>i.data&&i.data.id?e.id===i.data.id:!0),xc=ne({create:uc,write:Ic,tag:"ul",name:"list",didWriteView:({root:e})=>{e.childViews.filter(t=>t.markedForRemoval&&t.opacity===0&&t.resting).forEach(t=>{t._destroy(),e.removeChildView(t)})},filterFrameActionsForChild:vc,mixins:{apis:["dragCoordinates"]}}),yc=({root:e,props:t})=>{e.ref.list=e.appendChildView(e.createChildView(xc)),t.dragCoordinates=null,t.overflowing=!1},_c=({root:e,props:t,action:i})=>{e.query("GET_ITEM_INSERT_LOCATION_FREEDOM")&&(t.dragCoordinates={left:i.position.scopeLeft-e.ref.list.rect.element.left,top:i.position.scopeTop-(e.rect.outer.top+e.rect.element.marginTop+e.rect.element.scrollTop)})},Rc=({props:e})=>{e.dragCoordinates=null},wc=he({DID_DRAG:_c,DID_END_DRAG:Rc}),Sc=({root:e,props:t,actions:i})=>{if(wc({root:e,props:t,actions:i}),e.ref.list.dragCoordinates=t.dragCoordinates,t.overflowing&&!t.overflow&&(t.overflowing=!1,e.element.dataset.state="",e.height=null),t.overflow){let a=Math.round(t.overflow);a!==e.height&&(t.overflowing=!0,e.element.dataset.state="overflow",e.height=a)}},Lc=ne({create:yc,write:Sc,name:"list-scroller",mixins:{apis:["overflow","dragCoordinates"],styles:["height","translateY"],animations:{translateY:"spring"}}}),Oe=(e,t,i,a="")=>{i?se(e,t,a):e.removeAttribute(t)},Ac=e=>{if(!(!e||e.value==="")){try{e.value=""}catch{}if(e.value){let t=ke("form"),i=e.parentNode,a=e.nextSibling;t.appendChild(e),t.reset(),a?i.insertBefore(e,a):i.appendChild(e)}}},Mc=({root:e,props:t})=>{e.element.id=`filepond--browser-${t.id}`,se(e.element,"name",e.query("GET_NAME")),se(e.element,"aria-controls",`filepond--assistant-${t.id}`),se(e.element,"aria-labelledby",`filepond--drop-label-${t.id}`),Vn({root:e,action:{value:e.query("GET_ACCEPTED_FILE_TYPES")}}),Gn({root:e,action:{value:e.query("GET_ALLOW_MULTIPLE")}}),Un({root:e,action:{value:e.query("GET_ALLOW_DIRECTORIES_ONLY")}}),Bi({root:e}),Wn({root:e,action:{value:e.query("GET_REQUIRED")}}),Hn({root:e,action:{value:e.query("GET_CAPTURE_METHOD")}}),e.ref.handleChange=i=>{if(!e.element.value)return;let a=Array.from(e.element.files).map(n=>(n._relativePath=n.webkitRelativePath,n));setTimeout(()=>{t.onload(a),Ac(e.element)},250)},e.element.addEventListener("change",e.ref.handleChange)},Vn=({root:e,action:t})=>{e.query("GET_ALLOW_SYNC_ACCEPT_ATTRIBUTE")&&Oe(e.element,"accept",!!t.value,t.value?t.value.join(","):"")},Gn=({root:e,action:t})=>{Oe(e.element,"multiple",t.value)},Un=({root:e,action:t})=>{Oe(e.element,"webkitdirectory",t.value)},Bi=({root:e})=>{let t=e.query("GET_DISABLED"),i=e.query("GET_ALLOW_BROWSE"),a=t||!i;Oe(e.element,"disabled",a)},Wn=({root:e,action:t})=>{t.value?e.query("GET_TOTAL_ITEMS")===0&&Oe(e.element,"required",!0):Oe(e.element,"required",!1)},Hn=({root:e,action:t})=>{Oe(e.element,"capture",!!t.value,t.value===!0?"":t.value)},ln=({root:e})=>{let{element:t}=e;e.query("GET_TOTAL_ITEMS")>0?(Oe(t,"required",!1),Oe(t,"name",!1)):(Oe(t,"name",!0,e.query("GET_NAME")),e.query("GET_CHECK_VALIDITY")&&t.setCustomValidity(""),e.query("GET_REQUIRED")&&Oe(t,"required",!0))},Oc=({root:e})=>{e.query("GET_CHECK_VALIDITY")&&e.element.setCustomValidity(e.query("GET_LABEL_INVALID_FIELD"))},Pc=ne({tag:"input",name:"browser",ignoreRect:!0,ignoreRectUpdate:!0,attributes:{type:"file"},create:Mc,destroy:({root:e})=>{e.element.removeEventListener("change",e.ref.handleChange)},write:he({DID_LOAD_ITEM:ln,DID_REMOVE_ITEM:ln,DID_THROW_ITEM_INVALID:Oc,DID_SET_DISABLED:Bi,DID_SET_ALLOW_BROWSE:Bi,DID_SET_ALLOW_DIRECTORIES_ONLY:Un,DID_SET_ALLOW_MULTIPLE:Gn,DID_SET_ACCEPTED_FILE_TYPES:Vn,DID_SET_CAPTURE_METHOD:Hn,DID_SET_REQUIRED:Wn})}),rn={ENTER:13,SPACE:32},Dc=({root:e,props:t})=>{let i=ke("label");se(i,"for",`filepond--browser-${t.id}`),se(i,"id",`filepond--drop-label-${t.id}`),e.ref.handleKeyDown=a=>{(a.keyCode===rn.ENTER||a.keyCode===rn.SPACE)&&(a.preventDefault(),e.ref.label.click())},e.ref.handleClick=a=>{a.target===i||i.contains(a.target)||e.ref.label.click()},i.addEventListener("keydown",e.ref.handleKeyDown),e.element.addEventListener("click",e.ref.handleClick),jn(i,t.caption),e.appendChild(i),e.ref.label=i},jn=(e,t)=>{e.innerHTML=t;let i=e.querySelector(".filepond--label-action");return i&&se(i,"tabindex","0"),t},Fc=ne({name:"drop-label",ignoreRect:!0,create:Dc,destroy:({root:e})=>{e.ref.label.addEventListener("keydown",e.ref.handleKeyDown),e.element.removeEventListener("click",e.ref.handleClick)},write:he({DID_SET_LABEL_IDLE:({root:e,action:t})=>{jn(e.ref.label,t.value)}}),mixins:{styles:["opacity","translateX","translateY"],animations:{opacity:{type:"tween",duration:150},translateX:"spring",translateY:"spring"}}}),zc=ne({name:"drip-blob",ignoreRect:!0,mixins:{styles:["translateX","translateY","scaleX","scaleY","opacity"],animations:{scaleX:"spring",scaleY:"spring",translateX:"spring",translateY:"spring",opacity:{type:"tween",duration:250}}}}),Cc=({root:e})=>{let t=e.rect.element.width*.5,i=e.rect.element.height*.5;e.ref.blob=e.appendChildView(e.createChildView(zc,{opacity:0,scaleX:2.5,scaleY:2.5,translateX:t,translateY:i}))},Nc=({root:e,action:t})=>{if(!e.ref.blob){Cc({root:e});return}e.ref.blob.translateX=t.position.scopeLeft,e.ref.blob.translateY=t.position.scopeTop,e.ref.blob.scaleX=1,e.ref.blob.scaleY=1,e.ref.blob.opacity=1},Bc=({root:e})=>{e.ref.blob&&(e.ref.blob.opacity=0)},kc=({root:e})=>{e.ref.blob&&(e.ref.blob.scaleX=2.5,e.ref.blob.scaleY=2.5,e.ref.blob.opacity=0)},Vc=({root:e,props:t,actions:i})=>{Gc({root:e,props:t,actions:i});let{blob:a}=e.ref;i.length===0&&a&&a.opacity===0&&(e.removeChildView(a),e.ref.blob=null)},Gc=he({DID_DRAG:Nc,DID_DROP:kc,DID_END_DRAG:Bc}),Uc=ne({ignoreRect:!0,ignoreRectUpdate:!0,name:"drip",write:Vc}),Yn=(e,t)=>{try{let i=new DataTransfer;t.forEach(a=>{a instanceof File?i.items.add(a):i.items.add(new File([a],a.name,{type:a.type}))}),e.files=i.files}catch{return!1}return!0},Wc=({root:e})=>e.ref.fields={},ui=(e,t)=>e.ref.fields[t],Ji=e=>{e.query("GET_ACTIVE_ITEMS").forEach(t=>{e.ref.fields[t.id]&&e.element.appendChild(e.ref.fields[t.id])})},sn=({root:e})=>Ji(e),Hc=({root:e,action:t})=>{let n=!(e.query("GET_ITEM",t.id).origin===re.LOCAL)&&e.query("SHOULD_UPDATE_FILE_INPUT"),o=ke("input");o.type=n?"file":"hidden",o.name=e.query("GET_NAME"),e.ref.fields[t.id]=o,Ji(e)},jc=({root:e,action:t})=>{let i=ui(e,t.id);if(!i||(t.serverFileReference!==null&&(i.value=t.serverFileReference),!e.query("SHOULD_UPDATE_FILE_INPUT")))return;let a=e.query("GET_ITEM",t.id);Yn(i,[a.file])},Yc=({root:e,action:t})=>{e.query("SHOULD_UPDATE_FILE_INPUT")&&setTimeout(()=>{let i=ui(e,t.id);i&&Yn(i,[t.file])},0)},qc=({root:e})=>{e.element.disabled=e.query("GET_DISABLED")},$c=({root:e,action:t})=>{let i=ui(e,t.id);i&&(i.parentNode&&i.parentNode.removeChild(i),delete e.ref.fields[t.id])},Xc=({root:e,action:t})=>{let i=ui(e,t.id);i&&(t.value===null?i.removeAttribute("value"):i.type!="file"&&(i.value=t.value),Ji(e))},Qc=he({DID_SET_DISABLED:qc,DID_ADD_ITEM:Hc,DID_LOAD_ITEM:jc,DID_REMOVE_ITEM:$c,DID_DEFINE_VALUE:Xc,DID_PREPARE_OUTPUT:Yc,DID_REORDER_ITEMS:sn,DID_SORT_ITEMS:sn}),Zc=ne({tag:"fieldset",name:"data",create:Wc,write:Qc,ignoreRect:!0}),Kc=e=>"getRootNode"in e?e.getRootNode():document,Jc=["jpg","jpeg","png","gif","bmp","webp","svg","tiff"],ed=["css","csv","html","txt"],td={zip:"zip|compressed",epub:"application/epub+zip"},qn=(e="")=>(e=e.toLowerCase(),Jc.includes(e)?"image/"+(e==="jpg"?"jpeg":e==="svg"?"svg+xml":e):ed.includes(e)?"text/"+e:td[e]||""),ea=e=>new Promise((t,i)=>{let a=cd(e);if(a.length&&!id(e))return t(a);ad(e).then(t)}),id=e=>e.files?e.files.length>0:!1,ad=e=>new Promise((t,i)=>{let a=(e.items?Array.from(e.items):[]).filter(n=>nd(n)).map(n=>od(n));if(!a.length){t(e.files?Array.from(e.files):[]);return}Promise.all(a).then(n=>{let o=[];n.forEach(l=>{o.push.apply(o,l)}),t(o.filter(l=>l).map(l=>(l._relativePath||(l._relativePath=l.webkitRelativePath),l)))}).catch(console.error)}),nd=e=>{if($n(e)){let t=ta(e);if(t)return t.isFile||t.isDirectory}return e.kind==="file"},od=e=>new Promise((t,i)=>{if(sd(e)){ld(ta(e)).then(t).catch(i);return}t([e.getAsFile()])}),ld=e=>new Promise((t,i)=>{let a=[],n=0,o=0,l=()=>{o===0&&n===0&&t(a)},r=s=>{n++;let p=s.createReader(),c=()=>{p.readEntries(d=>{if(d.length===0){n--,l();return}d.forEach(m=>{m.isDirectory?r(m):(o++,m.file(u=>{let f=rd(u);m.fullPath&&(f._relativePath=m.fullPath),a.push(f),o--,l()}))}),c()},i)};c()};r(e)}),rd=e=>{if(e.type.length)return e;let t=e.lastModifiedDate,i=e.name,a=qn(mi(e.name));return a.length&&(e=e.slice(0,e.size,a),e.name=i,e.lastModifiedDate=t),e},sd=e=>$n(e)&&(ta(e)||{}).isDirectory,$n=e=>"webkitGetAsEntry"in e,ta=e=>e.webkitGetAsEntry(),cd=e=>{let t=[];try{if(t=pd(e),t.length)return t;t=dd(e)}catch{}return t},dd=e=>{let t=e.getData("url");return typeof t=="string"&&t.length?[t]:[]},pd=e=>{let t=e.getData("text/html");if(typeof t=="string"&&t.length){let i=t.match(/src\s*=\s*"(.+?)"/);if(i)return[i[1]]}return[]},li=[],et=e=>({pageLeft:e.pageX,pageTop:e.pageY,scopeLeft:e.offsetX||e.layerX,scopeTop:e.offsetY||e.layerY}),md=(e,t,i)=>{let a=ud(t),n={element:e,filterElement:i,state:null,ondrop:()=>{},onenter:()=>{},ondrag:()=>{},onexit:()=>{},onload:()=>{},allowdrop:()=>{}};return n.destroy=a.addListener(n),n},ud=e=>{let t=li.find(a=>a.element===e);if(t)return t;let i=fd(e);return li.push(i),i},fd=e=>{let t=[],i={dragenter:gd,dragover:Ed,dragleave:Td,drop:bd},a={};te(i,(o,l)=>{a[o]=l(e,t),e.addEventListener(o,a[o],!1)});let n={element:e,addListener:o=>(t.push(o),()=>{t.splice(t.indexOf(o),1),t.length===0&&(li.splice(li.indexOf(n),1),te(i,l=>{e.removeEventListener(l,a[l],!1)}))})};return n},hd=(e,t)=>("elementFromPoint"in e||(e=document),e.elementFromPoint(t.x,t.y)),ia=(e,t)=>{let i=Kc(t),a=hd(i,{x:e.pageX-window.pageXOffset,y:e.pageY-window.pageYOffset});return a===t||t.contains(a)},Xn=null,ti=(e,t)=>{try{e.dropEffect=t}catch{}},gd=(e,t)=>i=>{i.preventDefault(),Xn=i.target,t.forEach(a=>{let{element:n,onenter:o}=a;ia(i,n)&&(a.state="enter",o(et(i)))})},Ed=(e,t)=>i=>{i.preventDefault();let a=i.dataTransfer;ea(a).then(n=>{let o=!1;t.some(l=>{let{filterElement:r,element:s,onenter:p,onexit:c,ondrag:d,allowdrop:m}=l;ti(a,"copy");let u=m(n);if(!u){ti(a,"none");return}if(ia(i,s)){if(o=!0,l.state===null){l.state="enter",p(et(i));return}if(l.state="over",r&&!u){ti(a,"none");return}d(et(i))}else r&&!o&&ti(a,"none"),l.state&&(l.state=null,c(et(i)))})})},bd=(e,t)=>i=>{i.preventDefault();let a=i.dataTransfer;ea(a).then(n=>{t.forEach(o=>{let{filterElement:l,element:r,ondrop:s,onexit:p,allowdrop:c}=o;if(o.state=null,!(l&&!ia(i,r))){if(!c(n))return p(et(i));s(et(i),n)}})})},Td=(e,t)=>i=>{Xn===i.target&&t.forEach(a=>{let{onexit:n}=a;a.state=null,n(et(i))})},Id=(e,t,i)=>{e.classList.add("filepond--hopper");let{catchesDropsOnPage:a,requiresDropOnElement:n,filterItems:o=c=>c}=i,l=md(e,a?document.documentElement:e,n),r="",s="";l.allowdrop=c=>t(o(c)),l.ondrop=(c,d)=>{let m=o(d);if(!t(m)){p.ondragend(c);return}s="drag-drop",p.onload(m,c)},l.ondrag=c=>{p.ondrag(c)},l.onenter=c=>{s="drag-over",p.ondragstart(c)},l.onexit=c=>{s="drag-exit",p.ondragend(c)};let p={updateHopperState:()=>{r!==s&&(e.dataset.hopperState=s,r=s)},onload:()=>{},ondragstart:()=>{},ondrag:()=>{},ondragend:()=>{},destroy:()=>{l.destroy()}};return p},ki=!1,mt=[],Qn=e=>{let t=document.activeElement;if(t&&(/textarea|input/i.test(t.nodeName)||t.getAttribute("contenteditable")==="true")){let a=!1,n=t;for(;n!==document.body;){if(n.classList.contains("filepond--root")){a=!0;break}n=n.parentNode}if(!a)return}ea(e.clipboardData).then(a=>{a.length&&mt.forEach(n=>n(a))})},vd=e=>{mt.includes(e)||(mt.push(e),!ki&&(ki=!0,document.addEventListener("paste",Qn)))},xd=e=>{qi(mt,mt.indexOf(e)),mt.length===0&&(document.removeEventListener("paste",Qn),ki=!1)},yd=()=>{let e=i=>{t.onload(i)},t={destroy:()=>{xd(e)},onload:()=>{}};return vd(e),t},_d=({root:e,props:t})=>{e.element.id=`filepond--assistant-${t.id}`,se(e.element,"role","status"),se(e.element,"aria-live","polite"),se(e.element,"aria-relevant","additions")},cn=null,dn=null,Oi=[],fi=(e,t)=>{e.element.textContent=t},Rd=e=>{e.element.textContent=""},Zn=(e,t,i)=>{let a=e.query("GET_TOTAL_ITEMS");fi(e,`${i} ${t}, ${a} ${a===1?e.query("GET_LABEL_FILE_COUNT_SINGULAR"):e.query("GET_LABEL_FILE_COUNT_PLURAL")}`),clearTimeout(dn),dn=setTimeout(()=>{Rd(e)},1500)},Kn=e=>e.element.parentNode.contains(document.activeElement),wd=({root:e,action:t})=>{if(!Kn(e))return;e.element.textContent="";let i=e.query("GET_ITEM",t.id);Oi.push(i.filename),clearTimeout(cn),cn=setTimeout(()=>{Zn(e,Oi.join(", "),e.query("GET_LABEL_FILE_ADDED")),Oi.length=0},750)},Sd=({root:e,action:t})=>{if(!Kn(e))return;let i=t.item;Zn(e,i.filename,e.query("GET_LABEL_FILE_REMOVED"))},Ld=({root:e,action:t})=>{let a=e.query("GET_ITEM",t.id).filename,n=e.query("GET_LABEL_FILE_PROCESSING_COMPLETE");fi(e,`${a} ${n}`)},pn=({root:e,action:t})=>{let a=e.query("GET_ITEM",t.id).filename,n=e.query("GET_LABEL_FILE_PROCESSING_ABORTED");fi(e,`${a} ${n}`)},ii=({root:e,action:t})=>{let a=e.query("GET_ITEM",t.id).filename;fi(e,`${t.status.main} ${a} ${t.status.sub}`)},Ad=ne({create:_d,ignoreRect:!0,ignoreRectUpdate:!0,write:he({DID_LOAD_ITEM:wd,DID_REMOVE_ITEM:Sd,DID_COMPLETE_ITEM_PROCESSING:Ld,DID_ABORT_ITEM_PROCESSING:pn,DID_REVERT_ITEM_PROCESSING:pn,DID_THROW_ITEM_REMOVE_ERROR:ii,DID_THROW_ITEM_LOAD_ERROR:ii,DID_THROW_ITEM_INVALID:ii,DID_THROW_ITEM_PROCESSING_ERROR:ii}),tag:"span",name:"assistant"}),Jn=(e,t="-")=>e.replace(new RegExp(`${t}.`,"g"),i=>i.charAt(1).toUpperCase()),eo=(e,t=16,i=!0)=>{let a=Date.now(),n=null;return(...o)=>{clearTimeout(n);let l=Date.now()-a,r=()=>{a=Date.now(),e(...o)};le.preventDefault(),Od=({root:e,props:t})=>{let i=e.query("GET_ID");i&&(e.element.id=i);let a=e.query("GET_CLASS_NAME");a&&a.split(" ").filter(s=>s.length).forEach(s=>{e.element.classList.add(s)}),e.ref.label=e.appendChildView(e.createChildView(Fc,{...t,translateY:null,caption:e.query("GET_LABEL_IDLE")})),e.ref.list=e.appendChildView(e.createChildView(Lc,{translateY:null})),e.ref.panel=e.appendChildView(e.createChildView(kn,{name:"panel-root"})),e.ref.assistant=e.appendChildView(e.createChildView(Ad,{...t})),e.ref.data=e.appendChildView(e.createChildView(Zc,{...t})),e.ref.measure=ke("div"),e.ref.measure.style.height="100%",e.element.appendChild(e.ref.measure),e.ref.bounds=null,e.query("GET_STYLES").filter(s=>!Be(s.value)).map(({name:s,value:p})=>{e.element.dataset[s]=p}),e.ref.widthPrevious=null,e.ref.widthUpdated=eo(()=>{e.ref.updateHistory=[],e.dispatch("DID_RESIZE_ROOT")},250),e.ref.previousAspectRatio=null,e.ref.updateHistory=[];let n=window.matchMedia("(pointer: fine) and (hover: hover)").matches,o="PointerEvent"in window;e.query("GET_ALLOW_REORDER")&&o&&!n&&(e.element.addEventListener("touchmove",ri,{passive:!1}),e.element.addEventListener("gesturestart",ri));let l=e.query("GET_CREDITS");if(l.length===2){let s=document.createElement("a");s.className="filepond--credits",s.href=l[0],s.tabIndex=-1,s.target="_blank",s.rel="noopener noreferrer",s.textContent=l[1],e.element.appendChild(s),e.ref.credits=s}},Pd=({root:e,props:t,actions:i})=>{if(Nd({root:e,props:t,actions:i}),i.filter(b=>/^DID_SET_STYLE_/.test(b.type)).filter(b=>!Be(b.data.value)).map(({type:b,data:w})=>{let x=Jn(b.substring(8).toLowerCase(),"_");e.element.dataset[x]=w.value,e.invalidateLayout()}),e.rect.element.hidden)return;e.rect.element.width!==e.ref.widthPrevious&&(e.ref.widthPrevious=e.rect.element.width,e.ref.widthUpdated());let a=e.ref.bounds;a||(a=e.ref.bounds=zd(e),e.element.removeChild(e.ref.measure),e.ref.measure=null);let{hopper:n,label:o,list:l,panel:r}=e.ref;n&&n.updateHopperState();let s=e.query("GET_PANEL_ASPECT_RATIO"),p=e.query("GET_ALLOW_MULTIPLE"),c=e.query("GET_TOTAL_ITEMS"),d=p?e.query("GET_MAX_FILES")||Md:1,m=c===d,u=i.find(b=>b.type==="DID_ADD_ITEM");if(m&&u){let b=u.data.interactionMethod;o.opacity=0,p?o.translateY=-40:b===_e.API?o.translateX=40:b===_e.BROWSE?o.translateY=40:o.translateY=30}else m||(o.opacity=1,o.translateX=0,o.translateY=0);let f=Dd(e),h=Fd(e),g=o.rect.element.height,I=!p||m?0:g,E=m?l.rect.element.marginTop:0,T=c===0?0:l.rect.element.marginBottom,v=I+E+h.visual+T,y=I+E+h.bounds+T;if(l.translateY=Math.max(0,I-l.rect.element.marginTop)-f.top,s){let b=e.rect.element.width,w=b*s;s!==e.ref.previousAspectRatio&&(e.ref.previousAspectRatio=s,e.ref.updateHistory=[]);let x=e.ref.updateHistory;x.push(b);let _=2;if(x.length>_*2){let O=x.length,M=O-10,C=0;for(let S=O;S>=M;S--)if(x[S]===x[S-2]&&C++,C>=_)return}r.scalable=!1,r.height=w;let P=w-I-(T-f.bottom)-(m?E:0);h.visual>P?l.overflow=P:l.overflow=null,e.height=w}else if(a.fixedHeight){r.scalable=!1;let b=a.fixedHeight-I-(T-f.bottom)-(m?E:0);h.visual>b?l.overflow=b:l.overflow=null}else if(a.cappedHeight){let b=v>=a.cappedHeight,w=Math.min(a.cappedHeight,v);r.scalable=!0,r.height=b?w:w-f.top-f.bottom;let x=w-I-(T-f.bottom)-(m?E:0);v>a.cappedHeight&&h.visual>x?l.overflow=x:l.overflow=null,e.height=Math.min(a.cappedHeight,y-f.top-f.bottom)}else{let b=c>0?f.top+f.bottom:0;r.scalable=!0,r.height=Math.max(g,v-b),e.height=Math.max(g,y-b)}e.ref.credits&&r.heightCurrent&&(e.ref.credits.style.transform=`translateY(${r.heightCurrent}px)`)},Dd=e=>{let t=e.ref.list.childViews[0].childViews[0];return t?{top:t.rect.element.marginTop,bottom:t.rect.element.marginBottom}:{top:0,bottom:0}},Fd=e=>{let t=0,i=0,a=e.ref.list,n=a.childViews[0],o=n.childViews.filter(E=>E.rect.element.height),l=e.query("GET_ACTIVE_ITEMS").map(E=>o.find(T=>T.id===E.id)).filter(E=>E);if(l.length===0)return{visual:t,bounds:i};let r=n.rect.element.width,s=Ki(n,l,a.dragCoordinates),p=l[0].rect.element,c=p.marginTop+p.marginBottom,d=p.marginLeft+p.marginRight,m=p.width+d,u=p.height+c,f=typeof s<"u"&&s>=0?1:0,h=l.find(E=>E.markedForRemoval&&E.opacity<.45)?-1:0,g=l.length+f+h,I=Zi(r,m);return I===1?l.forEach(E=>{let T=E.rect.element.height+c;i+=T,t+=T*E.opacity}):(i=Math.ceil(g/I)*u,t=i),{visual:t,bounds:i}},zd=e=>{let t=e.ref.measureHeight||null;return{cappedHeight:parseInt(e.style.maxHeight,10)||null,fixedHeight:t===0?null:t}},aa=(e,t)=>{let i=e.query("GET_ALLOW_REPLACE"),a=e.query("GET_ALLOW_MULTIPLE"),n=e.query("GET_TOTAL_ITEMS"),o=e.query("GET_MAX_FILES"),l=t.length;return!a&&l>1?(e.dispatch("DID_THROW_MAX_FILES",{source:t,error:ie("warning",0,"Max files")}),!0):(o=a?o:1,!a&&i?!1:gt(o)&&n+l>o?(e.dispatch("DID_THROW_MAX_FILES",{source:t,error:ie("warning",0,"Max files")}),!0):!1)},Cd=(e,t,i)=>{let a=e.childViews[0];return Ki(a,t,{left:i.scopeLeft-a.rect.element.left,top:i.scopeTop-(e.rect.outer.top+e.rect.element.marginTop+e.rect.element.scrollTop)})},mn=e=>{let t=e.query("GET_ALLOW_DROP"),i=e.query("GET_DISABLED"),a=t&&!i;if(a&&!e.ref.hopper){let n=Id(e.element,o=>{let l=e.query("GET_BEFORE_DROP_FILE")||(()=>!0);return e.query("GET_DROP_VALIDATION")?o.every(s=>tt("ALLOW_HOPPER_ITEM",s,{query:e.query}).every(p=>p===!0)&&l(s)):!0},{filterItems:o=>{let l=e.query("GET_IGNORED_FILES");return o.filter(r=>Je(r)?!l.includes(r.name.toLowerCase()):!0)},catchesDropsOnPage:e.query("GET_DROP_ON_PAGE"),requiresDropOnElement:e.query("GET_DROP_ON_ELEMENT")});n.onload=(o,l)=>{let s=e.ref.list.childViews[0].childViews.filter(c=>c.rect.element.height),p=e.query("GET_ACTIVE_ITEMS").map(c=>s.find(d=>d.id===c.id)).filter(c=>c);Ae("ADD_ITEMS",o,{dispatch:e.dispatch}).then(c=>{if(aa(e,c))return!1;e.dispatch("ADD_ITEMS",{items:c,index:Cd(e.ref.list,p,l),interactionMethod:_e.DROP})}),e.dispatch("DID_DROP",{position:l}),e.dispatch("DID_END_DRAG",{position:l})},n.ondragstart=o=>{e.dispatch("DID_START_DRAG",{position:o})},n.ondrag=eo(o=>{e.dispatch("DID_DRAG",{position:o})}),n.ondragend=o=>{e.dispatch("DID_END_DRAG",{position:o})},e.ref.hopper=n,e.ref.drip=e.appendChildView(e.createChildView(Uc))}else!a&&e.ref.hopper&&(e.ref.hopper.destroy(),e.ref.hopper=null,e.removeChildView(e.ref.drip))},un=(e,t)=>{let i=e.query("GET_ALLOW_BROWSE"),a=e.query("GET_DISABLED"),n=i&&!a;n&&!e.ref.browser?e.ref.browser=e.appendChildView(e.createChildView(Pc,{...t,onload:o=>{Ae("ADD_ITEMS",o,{dispatch:e.dispatch}).then(l=>{if(aa(e,l))return!1;e.dispatch("ADD_ITEMS",{items:l,index:-1,interactionMethod:_e.BROWSE})})}}),0):!n&&e.ref.browser&&(e.removeChildView(e.ref.browser),e.ref.browser=null)},fn=e=>{let t=e.query("GET_ALLOW_PASTE"),i=e.query("GET_DISABLED"),a=t&&!i;a&&!e.ref.paster?(e.ref.paster=yd(),e.ref.paster.onload=n=>{Ae("ADD_ITEMS",n,{dispatch:e.dispatch}).then(o=>{if(aa(e,o))return!1;e.dispatch("ADD_ITEMS",{items:o,index:-1,interactionMethod:_e.PASTE})})}):!a&&e.ref.paster&&(e.ref.paster.destroy(),e.ref.paster=null)},Nd=he({DID_SET_ALLOW_BROWSE:({root:e,props:t})=>{un(e,t)},DID_SET_ALLOW_DROP:({root:e})=>{mn(e)},DID_SET_ALLOW_PASTE:({root:e})=>{fn(e)},DID_SET_DISABLED:({root:e,props:t})=>{mn(e),fn(e),un(e,t),e.query("GET_DISABLED")?e.element.dataset.disabled="disabled":e.element.removeAttribute("data-disabled")}}),Bd=ne({name:"root",read:({root:e})=>{e.ref.measure&&(e.ref.measureHeight=e.ref.measure.offsetHeight)},create:Od,write:Pd,destroy:({root:e})=>{e.ref.paster&&e.ref.paster.destroy(),e.ref.hopper&&e.ref.hopper.destroy(),e.element.removeEventListener("touchmove",ri),e.element.removeEventListener("gesturestart",ri)},mixins:{styles:["height"]}}),kd=(e={})=>{let t=null,i=oi(),a=ir(Gr(i),[os,Hr(i)],[Ms,Wr(i)]);a.dispatch("SET_OPTIONS",{options:e});let n=()=>{document.hidden||a.dispatch("KICK")};document.addEventListener("visibilitychange",n);let o=null,l=!1,r=!1,s=null,p=null,c=()=>{l||(l=!0),clearTimeout(o),o=setTimeout(()=>{l=!1,s=null,p=null,r&&(r=!1,a.dispatch("DID_STOP_RESIZE"))},500)};window.addEventListener("resize",c);let d=Bd(a,{id:Yi()}),m=!1,u=!1,f={_read:()=>{l&&(p=window.innerWidth,s||(s=p),!r&&p!==s&&(a.dispatch("DID_START_RESIZE"),r=!0)),u&&m&&(m=d.element.offsetParent===null),!m&&(d._read(),u=d.rect.element.hidden)},_write:R=>{let L=a.processActionQueue().filter(z=>!/^SET_/.test(z.type));m&&!L.length||(E(L),m=d._write(R,L,r),qr(a.query("GET_ITEMS")),m&&a.processDispatchQueue())}},h=R=>L=>{let z={type:R};if(!L)return z;if(L.hasOwnProperty("error")&&(z.error=L.error?{...L.error}:null),L.status&&(z.status={...L.status}),L.file&&(z.output=L.file),L.source)z.file=L.source;else if(L.item||L.id){let D=L.item?L.item:a.query("GET_ITEM",L.id);z.file=D?ge(D):null}return L.items&&(z.items=L.items.map(ge)),/progress/.test(R)&&(z.progress=L.progress),L.hasOwnProperty("origin")&&L.hasOwnProperty("target")&&(z.origin=L.origin,z.target=L.target),z},g={DID_DESTROY:h("destroy"),DID_INIT:h("init"),DID_THROW_MAX_FILES:h("warning"),DID_INIT_ITEM:h("initfile"),DID_START_ITEM_LOAD:h("addfilestart"),DID_UPDATE_ITEM_LOAD_PROGRESS:h("addfileprogress"),DID_LOAD_ITEM:h("addfile"),DID_THROW_ITEM_INVALID:[h("error"),h("addfile")],DID_THROW_ITEM_LOAD_ERROR:[h("error"),h("addfile")],DID_THROW_ITEM_REMOVE_ERROR:[h("error"),h("removefile")],DID_PREPARE_OUTPUT:h("preparefile"),DID_START_ITEM_PROCESSING:h("processfilestart"),DID_UPDATE_ITEM_PROCESS_PROGRESS:h("processfileprogress"),DID_ABORT_ITEM_PROCESSING:h("processfileabort"),DID_COMPLETE_ITEM_PROCESSING:h("processfile"),DID_COMPLETE_ITEM_PROCESSING_ALL:h("processfiles"),DID_REVERT_ITEM_PROCESSING:h("processfilerevert"),DID_THROW_ITEM_PROCESSING_ERROR:[h("error"),h("processfile")],DID_REMOVE_ITEM:h("removefile"),DID_UPDATE_ITEMS:h("updatefiles"),DID_ACTIVATE_ITEM:h("activatefile"),DID_REORDER_ITEMS:h("reorderfiles")},I=R=>{let L={pond:F,...R};delete L.type,d.element.dispatchEvent(new CustomEvent(`FilePond:${R.type}`,{detail:L,bubbles:!0,cancelable:!0,composed:!0}));let z=[];R.hasOwnProperty("error")&&z.push(R.error),R.hasOwnProperty("file")&&z.push(R.file);let D=["type","error","file"];Object.keys(R).filter(B=>!D.includes(B)).forEach(B=>z.push(R[B])),F.fire(R.type,...z);let k=a.query(`GET_ON${R.type.toUpperCase()}`);k&&k(...z)},E=R=>{R.length&&R.filter(L=>g[L.type]).forEach(L=>{let z=g[L.type];(Array.isArray(z)?z:[z]).forEach(D=>{L.type==="DID_INIT_ITEM"?I(D(L.data)):setTimeout(()=>{I(D(L.data))},0)})})},T=R=>a.dispatch("SET_OPTIONS",{options:R}),v=R=>a.query("GET_ACTIVE_ITEM",R),y=R=>new Promise((L,z)=>{a.dispatch("REQUEST_ITEM_PREPARE",{query:R,success:D=>{L(D)},failure:D=>{z(D)}})}),b=(R,L={})=>new Promise((z,D)=>{_([{source:R,options:L}],{index:L.index}).then(k=>z(k&&k[0])).catch(D)}),w=R=>R.file&&R.id,x=(R,L)=>(typeof R=="object"&&!w(R)&&!L&&(L=R,R=void 0),a.dispatch("REMOVE_ITEM",{...L,query:R}),a.query("GET_ACTIVE_ITEM",R)===null),_=(...R)=>new Promise((L,z)=>{let D=[],k={};if(si(R[0]))D.push.apply(D,R[0]),Object.assign(k,R[1]||{});else{let B=R[R.length-1];typeof B=="object"&&!(B instanceof Blob)&&Object.assign(k,R.pop()),D.push(...R)}a.dispatch("ADD_ITEMS",{items:D,index:k.index,interactionMethod:_e.API,success:L,failure:z})}),P=()=>a.query("GET_ACTIVE_ITEMS"),O=R=>new Promise((L,z)=>{a.dispatch("REQUEST_ITEM_PROCESSING",{query:R,success:D=>{L(D)},failure:D=>{z(D)}})}),M=(...R)=>{let L=Array.isArray(R[0])?R[0]:R,z=L.length?L:P();return Promise.all(z.map(y))},C=(...R)=>{let L=Array.isArray(R[0])?R[0]:R;if(!L.length){let z=P().filter(D=>!(D.status===W.IDLE&&D.origin===re.LOCAL)&&D.status!==W.PROCESSING&&D.status!==W.PROCESSING_COMPLETE&&D.status!==W.PROCESSING_REVERT_ERROR);return Promise.all(z.map(O))}return Promise.all(L.map(O))},S=(...R)=>{let L=Array.isArray(R[0])?R[0]:R,z;typeof L[L.length-1]=="object"?z=L.pop():Array.isArray(R[0])&&(z=R[1]);let D=P();return L.length?L.map(B=>$e(B)?D[B]?D[B].id:null:B).filter(B=>B).map(B=>x(B,z)):Promise.all(D.map(B=>x(B,z)))},F={...pi(),...f,...Ur(a,i),setOptions:T,addFile:b,addFiles:_,getFile:v,processFile:O,prepareFile:y,removeFile:x,moveFile:(R,L)=>a.dispatch("MOVE_ITEM",{query:R,index:L}),getFiles:P,processFiles:C,removeFiles:S,prepareFiles:M,sort:R=>a.dispatch("SORT",{compare:R}),browse:()=>{var R=d.element.querySelector("input[type=file]");R&&R.click()},destroy:()=>{F.fire("destroy",d.element),a.dispatch("ABORT_ALL"),d._destroy(),window.removeEventListener("resize",c),document.removeEventListener("visibilitychange",n),a.dispatch("DID_DESTROY")},insertBefore:R=>Ca(d.element,R),insertAfter:R=>Na(d.element,R),appendTo:R=>R.appendChild(d.element),replaceElement:R=>{Ca(d.element,R),R.parentNode.removeChild(R),t=R},restoreElement:()=>{t&&(Na(t,d.element),d.element.parentNode.removeChild(d.element),t=null)},isAttachedTo:R=>d.element===R||t===R,element:{get:()=>d.element},status:{get:()=>a.query("GET_STATUS")}};return a.dispatch("DID_INIT"),We(F)},to=(e={})=>{let t={};return te(oi(),(a,n)=>{t[a]=n[0]}),kd({...t,...e})},Vd=e=>e.charAt(0).toLowerCase()+e.slice(1),Gd=e=>Jn(e.replace(/^data-/,"")),io=(e,t)=>{te(t,(i,a)=>{te(e,(n,o)=>{let l=new RegExp(i);if(!l.test(n)||(delete e[n],a===!1))return;if(fe(a)){e[a]=o;return}let s=a.group;ce(a)&&!e[s]&&(e[s]={}),e[s][Vd(n.replace(l,""))]=o}),a.mapping&&io(e[a.group],a.mapping)})},Ud=(e,t={})=>{let i=[];te(e.attributes,n=>{i.push(e.attributes[n])});let a=i.filter(n=>n.name).reduce((n,o)=>{let l=se(e,o.name);return n[Gd(o.name)]=l===o.name?!0:l,n},{});return io(a,t),a},Wd=(e,t={})=>{let i={"^class$":"className","^multiple$":"allowMultiple","^capture$":"captureMethod","^webkitdirectory$":"allowDirectoriesOnly","^server":{group:"server",mapping:{"^process":{group:"process"},"^revert":{group:"revert"},"^fetch":{group:"fetch"},"^restore":{group:"restore"},"^load":{group:"load"}}},"^type$":!1,"^files$":!1};tt("SET_ATTRIBUTE_TO_OPTION_MAP",i);let a={...t},n=Ud(e.nodeName==="FIELDSET"?e.querySelector("input[type=file]"):e,i);Object.keys(n).forEach(l=>{ce(n[l])?(ce(a[l])||(a[l]={}),Object.assign(a[l],n[l])):a[l]=n[l]}),a.files=(t.files||[]).concat(Array.from(e.querySelectorAll("input:not([type=file])")).map(l=>({source:l.value,options:{type:l.dataset.type}})));let o=to(a);return e.files&&Array.from(e.files).forEach(l=>{o.addFile(l)}),o.replaceElement(e),o},Hd=(...e)=>tr(e[0])?Wd(...e):to(...e),jd=["fire","_read","_write"],hn=e=>{let t={};return yn(e,t,jd),t},Yd=(e,t)=>e.replace(/(?:{([a-zA-Z]+)})/g,(i,a)=>t[a]),qd=e=>{let t=new Blob(["(",e.toString(),")()"],{type:"application/javascript"}),i=URL.createObjectURL(t),a=new Worker(i);return{transfer:(n,o)=>{},post:(n,o,l)=>{let r=Yi();a.onmessage=s=>{s.data.id===r&&o(s.data.message)},a.postMessage({id:r,message:n},l)},terminate:()=>{a.terminate(),URL.revokeObjectURL(i)}}},$d=e=>new Promise((t,i)=>{let a=new Image;a.onload=()=>{t(a)},a.onerror=n=>{i(n)},a.src=e}),ao=(e,t)=>{let i=e.slice(0,e.size,e.type);return i.lastModifiedDate=e.lastModifiedDate,i.name=t,i},Xd=e=>ao(e,e.name),gn=[],Qd=e=>{if(gn.includes(e))return;gn.push(e);let t=e({addFilter:Xr,utils:{Type:A,forin:te,isString:fe,isFile:Je,toNaturalFileSize:Cn,replaceInString:Yd,getExtensionFromFilename:mi,getFilenameWithoutExtension:Dn,guesstimateMimeType:qn,getFileFromBlob:ht,getFilenameFromURL:Ft,createRoute:he,createWorker:qd,createView:ne,createItemAPI:ge,loadImage:$d,copyFile:Xd,renameFile:ao,createBlob:Mn,applyFilterChain:Ae,text:ae,getNumericAspectRatioFromString:wn},views:{fileActionButton:zn}});Qr(t.options)},Zd=()=>Object.prototype.toString.call(window.operamini)==="[object OperaMini]",Kd=()=>"Promise"in window,Jd=()=>"slice"in Blob.prototype,ep=()=>"URL"in window&&"createObjectURL"in window.URL,tp=()=>"visibilityState"in document,ip=()=>"performance"in window,ap=()=>"supports"in(window.CSS||{}),np=()=>/MSIE|Trident/.test(window.navigator.userAgent),Vi=(()=>{let e=En()&&!Zd()&&tp()&&Kd()&&Jd()&&ep()&&ip()&&(ap()||np());return()=>e})(),Ue={apps:[]},op="filepond",it=()=>{},no={},Et={},zt={},Gi={},ut=it,ft=it,Ui=it,Wi=it,ve=it,Hi=it,Dt=it;if(Vi()){Sr(()=>{Ue.apps.forEach(i=>i._read())},i=>{Ue.apps.forEach(a=>a._write(i))});let e=()=>{document.dispatchEvent(new CustomEvent("FilePond:loaded",{detail:{supported:Vi,create:ut,destroy:ft,parse:Ui,find:Wi,registerPlugin:ve,setOptions:Dt}})),document.removeEventListener("DOMContentLoaded",e)};document.readyState!=="loading"?setTimeout(()=>e(),0):document.addEventListener("DOMContentLoaded",e);let t=()=>te(oi(),(i,a)=>{Gi[i]=a[1]});no={...Sn},zt={...re},Et={...W},Gi={},t(),ut=(...i)=>{let a=Hd(...i);return a.on("destroy",ft),Ue.apps.push(a),hn(a)},ft=i=>{let a=Ue.apps.findIndex(n=>n.isAttachedTo(i));return a>=0?(Ue.apps.splice(a,1)[0].restoreElement(),!0):!1},Ui=i=>Array.from(i.querySelectorAll(`.${op}`)).filter(o=>!Ue.apps.find(l=>l.isAttachedTo(o))).map(o=>ut(o)),Wi=i=>{let a=Ue.apps.find(n=>n.isAttachedTo(i));return a?hn(a):null},ve=(...i)=>{i.forEach(Qd),t()},Hi=()=>{let i={};return te(oi(),(a,n)=>{i[a]=n[0]}),i},Dt=i=>(ce(i)&&(Ue.apps.forEach(a=>{a.setOptions(i)}),Zr(i)),Hi())}function oo(e,t){var i=Object.keys(e);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);t&&(a=a.filter(function(n){return Object.getOwnPropertyDescriptor(e,n).enumerable})),i.push.apply(i,a)}return i}function xo(e){for(var t=1;te.length)&&(t=e.length);for(var i=0,a=new Array(t);i
',yp=Number.isNaN||Fe.isNaN;function j(e){return typeof e=="number"&&!yp(e)}var To=function(t){return t>0&&t<1/0};function oa(e){return typeof e>"u"}function ot(e){return ra(e)==="object"&&e!==null}var _p=Object.prototype.hasOwnProperty;function Tt(e){if(!ot(e))return!1;try{var t=e.constructor,i=t.prototype;return t&&i&&_p.call(i,"isPrototypeOf")}catch{return!1}}function Ee(e){return typeof e=="function"}var Rp=Array.prototype.slice;function Po(e){return Array.from?Array.from(e):Rp.call(e)}function oe(e,t){return e&&Ee(t)&&(Array.isArray(e)||j(e.length)?Po(e).forEach(function(i,a){t.call(e,i,a,e)}):ot(e)&&Object.keys(e).forEach(function(i){t.call(e,e[i],i,e)})),e}var J=Object.assign||function(t){for(var i=arguments.length,a=new Array(i>1?i-1:0),n=1;n0&&a.forEach(function(o){ot(o)&&Object.keys(o).forEach(function(l){t[l]=o[l]})}),t},wp=/\.\d*(?:0|9){12}\d*$/;function vt(e){var t=arguments.length>1&&arguments[1]!==void 0?arguments[1]:1e11;return wp.test(e)?Math.round(e*t)/t:e}var Sp=/^width|height|left|top|marginLeft|marginTop$/;function je(e,t){var i=e.style;oe(t,function(a,n){Sp.test(n)&&j(a)&&(a="".concat(a,"px")),i[n]=a})}function Lp(e,t){return e.classList?e.classList.contains(t):e.className.indexOf(t)>-1}function de(e,t){if(t){if(j(e.length)){oe(e,function(a){de(a,t)});return}if(e.classList){e.classList.add(t);return}var i=e.className.trim();i?i.indexOf(t)<0&&(e.className="".concat(i," ").concat(t)):e.className=t}}function De(e,t){if(t){if(j(e.length)){oe(e,function(i){De(i,t)});return}if(e.classList){e.classList.remove(t);return}e.className.indexOf(t)>=0&&(e.className=e.className.replace(t,""))}}function It(e,t,i){if(t){if(j(e.length)){oe(e,function(a){It(a,t,i)});return}i?de(e,t):De(e,t)}}var Ap=/([a-z\d])([A-Z])/g;function va(e){return e.replace(Ap,"$1-$2").toLowerCase()}function ga(e,t){return ot(e[t])?e[t]:e.dataset?e.dataset[t]:e.getAttribute("data-".concat(va(t)))}function Ut(e,t,i){ot(i)?e[t]=i:e.dataset?e.dataset[t]=i:e.setAttribute("data-".concat(va(t)),i)}function Mp(e,t){if(ot(e[t]))try{delete e[t]}catch{e[t]=void 0}else if(e.dataset)try{delete e.dataset[t]}catch{e.dataset[t]=void 0}else e.removeAttribute("data-".concat(va(t)))}var Do=/\s\s*/,Fo=function(){var e=!1;if(bi){var t=!1,i=function(){},a=Object.defineProperty({},"once",{get:function(){return e=!0,t},set:function(o){t=o}});Fe.addEventListener("test",i,a),Fe.removeEventListener("test",i,a)}return e}();function Pe(e,t,i){var a=arguments.length>3&&arguments[3]!==void 0?arguments[3]:{},n=i;t.trim().split(Do).forEach(function(o){if(!Fo){var l=e.listeners;l&&l[o]&&l[o][i]&&(n=l[o][i],delete l[o][i],Object.keys(l[o]).length===0&&delete l[o],Object.keys(l).length===0&&delete e.listeners)}e.removeEventListener(o,n,a)})}function Re(e,t,i){var a=arguments.length>3&&arguments[3]!==void 0?arguments[3]:{},n=i;t.trim().split(Do).forEach(function(o){if(a.once&&!Fo){var l=e.listeners,r=l===void 0?{}:l;n=function(){delete r[o][i],e.removeEventListener(o,n,a);for(var p=arguments.length,c=new Array(p),d=0;dMath.abs(i)&&(i=m)})}),i}function gi(e,t){var i=e.pageX,a=e.pageY,n={endX:i,endY:a};return t?n:xo({startX:i,startY:a},n)}function Dp(e){var t=0,i=0,a=0;return oe(e,function(n){var o=n.startX,l=n.startY;t+=o,i+=l,a+=1}),t/=a,i/=a,{pageX:t,pageY:i}}function Ye(e){var t=e.aspectRatio,i=e.height,a=e.width,n=arguments.length>1&&arguments[1]!==void 0?arguments[1]:"contain",o=To(a),l=To(i);if(o&&l){var r=i*t;n==="contain"&&r>a||n==="cover"&&r90?{width:s,height:r}:{width:r,height:s}}function zp(e,t,i,a){var n=t.aspectRatio,o=t.naturalWidth,l=t.naturalHeight,r=t.rotate,s=r===void 0?0:r,p=t.scaleX,c=p===void 0?1:p,d=t.scaleY,m=d===void 0?1:d,u=i.aspectRatio,f=i.naturalWidth,h=i.naturalHeight,g=a.fillColor,I=g===void 0?"transparent":g,E=a.imageSmoothingEnabled,T=E===void 0?!0:E,v=a.imageSmoothingQuality,y=v===void 0?"low":v,b=a.maxWidth,w=b===void 0?1/0:b,x=a.maxHeight,_=x===void 0?1/0:x,P=a.minWidth,O=P===void 0?0:P,M=a.minHeight,C=M===void 0?0:M,S=document.createElement("canvas"),F=S.getContext("2d"),R=Ye({aspectRatio:u,width:w,height:_}),L=Ye({aspectRatio:u,width:O,height:C},"cover"),z=Math.min(R.width,Math.max(L.width,f)),D=Math.min(R.height,Math.max(L.height,h)),k=Ye({aspectRatio:n,width:w,height:_}),B=Ye({aspectRatio:n,width:O,height:C},"cover"),X=Math.min(k.width,Math.max(B.width,o)),q=Math.min(k.height,Math.max(B.height,l)),Q=[-X/2,-q/2,X,q];return S.width=vt(z),S.height=vt(D),F.fillStyle=I,F.fillRect(0,0,z,D),F.save(),F.translate(z/2,D/2),F.rotate(s*Math.PI/180),F.scale(c,m),F.imageSmoothingEnabled=T,F.imageSmoothingQuality=y,F.drawImage.apply(F,[e].concat(_o(Q.map(function(pe){return Math.floor(vt(pe))})))),F.restore(),S}var Co=String.fromCharCode;function Cp(e,t,i){var a="";i+=t;for(var n=t;n0;)i.push(Co.apply(null,Po(n.subarray(0,a)))),n=n.subarray(a);return"data:".concat(t,";base64,").concat(btoa(i.join("")))}function Vp(e){var t=new DataView(e),i;try{var a,n,o;if(t.getUint8(0)===255&&t.getUint8(1)===216)for(var l=t.byteLength,r=2;r+1=8&&(o=p+d)}}}if(o){var m=t.getUint16(o,a),u,f;for(f=0;f=0?o:Mo),height:Math.max(a.offsetHeight,l>=0?l:Oo)};this.containerData=r,je(n,{width:r.width,height:r.height}),de(t,be),De(n,be)},initCanvas:function(){var t=this.containerData,i=this.imageData,a=this.options.viewMode,n=Math.abs(i.rotate)%180===90,o=n?i.naturalHeight:i.naturalWidth,l=n?i.naturalWidth:i.naturalHeight,r=o/l,s=t.width,p=t.height;t.height*r>t.width?a===3?s=t.height*r:p=t.width/r:a===3?p=t.width/r:s=t.height*r;var c={aspectRatio:r,naturalWidth:o,naturalHeight:l,width:s,height:p};this.canvasData=c,this.limited=a===1||a===2,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=(t.width-c.width)/2,c.top=(t.height-c.height)/2,c.oldLeft=c.left,c.oldTop=c.top,this.initialCanvasData=J({},c)},limitCanvas:function(t,i){var a=this.options,n=this.containerData,o=this.canvasData,l=this.cropBoxData,r=a.viewMode,s=o.aspectRatio,p=this.cropped&&l;if(t){var c=Number(a.minCanvasWidth)||0,d=Number(a.minCanvasHeight)||0;r>1?(c=Math.max(c,n.width),d=Math.max(d,n.height),r===3&&(d*s>c?c=d*s:d=c/s)):r>0&&(c?c=Math.max(c,p?l.width:0):d?d=Math.max(d,p?l.height:0):p&&(c=l.width,d=l.height,d*s>c?c=d*s:d=c/s));var m=Ye({aspectRatio:s,width:c,height:d});c=m.width,d=m.height,o.minWidth=c,o.minHeight=d,o.maxWidth=1/0,o.maxHeight=1/0}if(i)if(r>(p?0:1)){var u=n.width-o.width,f=n.height-o.height;o.minLeft=Math.min(0,u),o.minTop=Math.min(0,f),o.maxLeft=Math.max(0,u),o.maxTop=Math.max(0,f),p&&this.limited&&(o.minLeft=Math.min(l.left,l.left+(l.width-o.width)),o.minTop=Math.min(l.top,l.top+(l.height-o.height)),o.maxLeft=l.left,o.maxTop=l.top,r===2&&(o.width>=n.width&&(o.minLeft=Math.min(0,u),o.maxLeft=Math.max(0,u)),o.height>=n.height&&(o.minTop=Math.min(0,f),o.maxTop=Math.max(0,f))))}else o.minLeft=-o.width,o.minTop=-o.height,o.maxLeft=n.width,o.maxTop=n.height},renderCanvas:function(t,i){var a=this.canvasData,n=this.imageData;if(i){var o=Fp({width:n.naturalWidth*Math.abs(n.scaleX||1),height:n.naturalHeight*Math.abs(n.scaleY||1),degree:n.rotate||0}),l=o.width,r=o.height,s=a.width*(l/a.naturalWidth),p=a.height*(r/a.naturalHeight);a.left-=(s-a.width)/2,a.top-=(p-a.height)/2,a.width=s,a.height=p,a.aspectRatio=l/r,a.naturalWidth=l,a.naturalHeight=r,this.limitCanvas(!0,!1)}(a.width>a.maxWidth||a.widtha.maxHeight||a.heighti.width?o.height=o.width/a:o.width=o.height*a),this.cropBoxData=o,this.limitCropBox(!0,!0),o.width=Math.min(Math.max(o.width,o.minWidth),o.maxWidth),o.height=Math.min(Math.max(o.height,o.minHeight),o.maxHeight),o.width=Math.max(o.minWidth,o.width*n),o.height=Math.max(o.minHeight,o.height*n),o.left=i.left+(i.width-o.width)/2,o.top=i.top+(i.height-o.height)/2,o.oldLeft=o.left,o.oldTop=o.top,this.initialCropBoxData=J({},o)},limitCropBox:function(t,i){var a=this.options,n=this.containerData,o=this.canvasData,l=this.cropBoxData,r=this.limited,s=a.aspectRatio;if(t){var p=Number(a.minCropBoxWidth)||0,c=Number(a.minCropBoxHeight)||0,d=r?Math.min(n.width,o.width,o.width+o.left,n.width-o.left):n.width,m=r?Math.min(n.height,o.height,o.height+o.top,n.height-o.top):n.height;p=Math.min(p,n.width),c=Math.min(c,n.height),s&&(p&&c?c*s>p?c=p/s:p=c*s:p?c=p/s:c&&(p=c*s),m*s>d?m=d/s:d=m*s),l.minWidth=Math.min(p,d),l.minHeight=Math.min(c,m),l.maxWidth=d,l.maxHeight=m}i&&(r?(l.minLeft=Math.max(0,o.left),l.minTop=Math.max(0,o.top),l.maxLeft=Math.min(n.width,o.left+o.width)-l.width,l.maxTop=Math.min(n.height,o.top+o.height)-l.height):(l.minLeft=0,l.minTop=0,l.maxLeft=n.width-l.width,l.maxTop=n.height-l.height))},renderCropBox:function(){var t=this.options,i=this.containerData,a=this.cropBoxData;(a.width>a.maxWidth||a.widtha.maxHeight||a.height=i.width&&a.height>=i.height?wo:Ta),je(this.cropBox,J({width:a.width,height:a.height},Vt({translateX:a.left,translateY:a.top}))),this.cropped&&this.limited&&this.limitCanvas(!0,!0),this.disabled||this.output()},output:function(){this.preview(),xt(this.element,pa,this.getData())}},Wp={initPreview:function(){var t=this.element,i=this.crossOrigin,a=this.options.preview,n=i?this.crossOriginUrl:this.url,o=t.alt||"The image to preview",l=document.createElement("img");if(i&&(l.crossOrigin=i),l.src=n,l.alt=o,this.viewBox.appendChild(l),this.viewBoxImage=l,!!a){var r=a;typeof a=="string"?r=t.ownerDocument.querySelectorAll(a):a.querySelector&&(r=[a]),this.previews=r,oe(r,function(s){var p=document.createElement("img");Ut(s,hi,{width:s.offsetWidth,height:s.offsetHeight,html:s.innerHTML}),i&&(p.crossOrigin=i),p.src=n,p.alt=o,p.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;"',s.innerHTML="",s.appendChild(p)})}},resetPreview:function(){oe(this.previews,function(t){var i=ga(t,hi);je(t,{width:i.width,height:i.height}),t.innerHTML=i.html,Mp(t,hi)})},preview:function(){var t=this.imageData,i=this.canvasData,a=this.cropBoxData,n=a.width,o=a.height,l=t.width,r=t.height,s=a.left-i.left-t.left,p=a.top-i.top-t.top;!this.cropped||this.disabled||(je(this.viewBoxImage,J({width:l,height:r},Vt(J({translateX:-s,translateY:-p},t)))),oe(this.previews,function(c){var d=ga(c,hi),m=d.width,u=d.height,f=m,h=u,g=1;n&&(g=m/n,h=o*g),o&&h>u&&(g=u/o,f=n*g,h=u),je(c,{width:f,height:h}),je(c.getElementsByTagName("img")[0],J({width:l*g,height:r*g},Vt(J({translateX:-s*g,translateY:-p*g},t))))}))}},Hp={bind:function(){var t=this.element,i=this.options,a=this.cropper;Ee(i.cropstart)&&Re(t,fa,i.cropstart),Ee(i.cropmove)&&Re(t,ua,i.cropmove),Ee(i.cropend)&&Re(t,ma,i.cropend),Ee(i.crop)&&Re(t,pa,i.crop),Ee(i.zoom)&&Re(t,ha,i.zoom),Re(a,po,this.onCropStart=this.cropStart.bind(this)),i.zoomable&&i.zoomOnWheel&&Re(a,go,this.onWheel=this.wheel.bind(this),{passive:!1,capture:!0}),i.toggleDragModeOnDblclick&&Re(a,co,this.onDblclick=this.dblclick.bind(this)),Re(t.ownerDocument,mo,this.onCropMove=this.cropMove.bind(this)),Re(t.ownerDocument,uo,this.onCropEnd=this.cropEnd.bind(this)),i.responsive&&Re(window,ho,this.onResize=this.resize.bind(this))},unbind:function(){var t=this.element,i=this.options,a=this.cropper;Ee(i.cropstart)&&Pe(t,fa,i.cropstart),Ee(i.cropmove)&&Pe(t,ua,i.cropmove),Ee(i.cropend)&&Pe(t,ma,i.cropend),Ee(i.crop)&&Pe(t,pa,i.crop),Ee(i.zoom)&&Pe(t,ha,i.zoom),Pe(a,po,this.onCropStart),i.zoomable&&i.zoomOnWheel&&Pe(a,go,this.onWheel,{passive:!1,capture:!0}),i.toggleDragModeOnDblclick&&Pe(a,co,this.onDblclick),Pe(t.ownerDocument,mo,this.onCropMove),Pe(t.ownerDocument,uo,this.onCropEnd),i.responsive&&Pe(window,ho,this.onResize)}},jp={resize:function(){if(!this.disabled){var t=this.options,i=this.container,a=this.containerData,n=i.offsetWidth/a.width,o=i.offsetHeight/a.height,l=Math.abs(n-1)>Math.abs(o-1)?n:o;if(l!==1){var r,s;t.restore&&(r=this.getCanvasData(),s=this.getCropBoxData()),this.render(),t.restore&&(this.setCanvasData(oe(r,function(p,c){r[c]=p*l})),this.setCropBoxData(oe(s,function(p,c){s[c]=p*l})))}}},dblclick:function(){this.disabled||this.options.dragMode===Ao||this.setDragMode(Lp(this.dragBox,ca)?Lo:Ia)},wheel:function(t){var i=this,a=Number(this.options.wheelZoomRatio)||.1,n=1;this.disabled||(t.preventDefault(),!this.wheeling&&(this.wheeling=!0,setTimeout(function(){i.wheeling=!1},50),t.deltaY?n=t.deltaY>0?1:-1:t.wheelDelta?n=-t.wheelDelta/120:t.detail&&(n=t.detail>0?1:-1),this.zoom(-n*a,t)))},cropStart:function(t){var i=t.buttons,a=t.button;if(!(this.disabled||(t.type==="mousedown"||t.type==="pointerdown"&&t.pointerType==="mouse")&&(j(i)&&i!==1||j(a)&&a!==0||t.ctrlKey))){var n=this.options,o=this.pointers,l;t.changedTouches?oe(t.changedTouches,function(r){o[r.identifier]=gi(r)}):o[t.pointerId||0]=gi(t),Object.keys(o).length>1&&n.zoomable&&n.zoomOnTouch?l=So:l=ga(t.target,Gt),bp.test(l)&&xt(this.element,fa,{originalEvent:t,action:l})!==!1&&(t.preventDefault(),this.action=l,this.cropping=!1,l===Ro&&(this.cropping=!0,de(this.dragBox,Ei)))}},cropMove:function(t){var i=this.action;if(!(this.disabled||!i)){var a=this.pointers;t.preventDefault(),xt(this.element,ua,{originalEvent:t,action:i})!==!1&&(t.changedTouches?oe(t.changedTouches,function(n){J(a[n.identifier]||{},gi(n,!0))}):J(a[t.pointerId||0]||{},gi(t,!0)),this.change(t))}},cropEnd:function(t){if(!this.disabled){var i=this.action,a=this.pointers;t.changedTouches?oe(t.changedTouches,function(n){delete a[n.identifier]}):delete a[t.pointerId||0],i&&(t.preventDefault(),Object.keys(a).length||(this.action=""),this.cropping&&(this.cropping=!1,It(this.dragBox,Ei,this.cropped&&this.options.modal)),xt(this.element,ma,{originalEvent:t,action:i}))}}},Yp={change:function(t){var i=this.options,a=this.canvasData,n=this.containerData,o=this.cropBoxData,l=this.pointers,r=this.action,s=i.aspectRatio,p=o.left,c=o.top,d=o.width,m=o.height,u=p+d,f=c+m,h=0,g=0,I=n.width,E=n.height,T=!0,v;!s&&t.shiftKey&&(s=d&&m?d/m:1),this.limited&&(h=o.minLeft,g=o.minTop,I=h+Math.min(n.width,a.width,a.left+a.width),E=g+Math.min(n.height,a.height,a.top+a.height));var y=l[Object.keys(l)[0]],b={x:y.endX-y.startX,y:y.endY-y.startY},w=function(_){switch(_){case at:u+b.x>I&&(b.x=I-u);break;case nt:p+b.xE&&(b.y=E-f);break}};switch(r){case Ta:p+=b.x,c+=b.y;break;case at:if(b.x>=0&&(u>=I||s&&(c<=g||f>=E))){T=!1;break}w(at),d+=b.x,d<0&&(r=nt,d=-d,p-=d),s&&(m=d/s,c+=(o.height-m)/2);break;case He:if(b.y<=0&&(c<=g||s&&(p<=h||u>=I))){T=!1;break}w(He),m-=b.y,c+=b.y,m<0&&(r=bt,m=-m,c-=m),s&&(d=m*s,p+=(o.width-d)/2);break;case nt:if(b.x<=0&&(p<=h||s&&(c<=g||f>=E))){T=!1;break}w(nt),d-=b.x,p+=b.x,d<0&&(r=at,d=-d,p-=d),s&&(m=d/s,c+=(o.height-m)/2);break;case bt:if(b.y>=0&&(f>=E||s&&(p<=h||u>=I))){T=!1;break}w(bt),m+=b.y,m<0&&(r=He,m=-m,c-=m),s&&(d=m*s,p+=(o.width-d)/2);break;case Ct:if(s){if(b.y<=0&&(c<=g||u>=I)){T=!1;break}w(He),m-=b.y,c+=b.y,d=m*s}else w(He),w(at),b.x>=0?ug&&(m-=b.y,c+=b.y):(m-=b.y,c+=b.y);d<0&&m<0?(r=kt,m=-m,d=-d,c-=m,p-=d):d<0?(r=Nt,d=-d,p-=d):m<0&&(r=Bt,m=-m,c-=m);break;case Nt:if(s){if(b.y<=0&&(c<=g||p<=h)){T=!1;break}w(He),m-=b.y,c+=b.y,d=m*s,p+=o.width-d}else w(He),w(nt),b.x<=0?p>h?(d-=b.x,p+=b.x):b.y<=0&&c<=g&&(T=!1):(d-=b.x,p+=b.x),b.y<=0?c>g&&(m-=b.y,c+=b.y):(m-=b.y,c+=b.y);d<0&&m<0?(r=Bt,m=-m,d=-d,c-=m,p-=d):d<0?(r=Ct,d=-d,p-=d):m<0&&(r=kt,m=-m,c-=m);break;case kt:if(s){if(b.x<=0&&(p<=h||f>=E)){T=!1;break}w(nt),d-=b.x,p+=b.x,m=d/s}else w(bt),w(nt),b.x<=0?p>h?(d-=b.x,p+=b.x):b.y>=0&&f>=E&&(T=!1):(d-=b.x,p+=b.x),b.y>=0?f=0&&(u>=I||f>=E)){T=!1;break}w(at),d+=b.x,m=d/s}else w(bt),w(at),b.x>=0?u=0&&f>=E&&(T=!1):d+=b.x,b.y>=0?f0?r=b.y>0?Bt:Ct:b.x<0&&(p-=d,r=b.y>0?kt:Nt),b.y<0&&(c-=m),this.cropped||(De(this.cropBox,be),this.cropped=!0,this.limited&&this.limitCropBox(!0,!0));break}T&&(o.width=d,o.height=m,o.left=p,o.top=c,this.action=r,this.renderCropBox()),oe(l,function(x){x.startX=x.endX,x.startY=x.endY})}},qp={crop:function(){return this.ready&&!this.cropped&&!this.disabled&&(this.cropped=!0,this.limitCropBox(!0,!0),this.options.modal&&de(this.dragBox,Ei),De(this.cropBox,be),this.setCropBoxData(this.initialCropBoxData)),this},reset:function(){return this.ready&&!this.disabled&&(this.imageData=J({},this.initialImageData),this.canvasData=J({},this.initialCanvasData),this.cropBoxData=J({},this.initialCropBoxData),this.renderCanvas(),this.cropped&&this.renderCropBox()),this},clear:function(){return this.cropped&&!this.disabled&&(J(this.cropBoxData,{left:0,top:0,width:0,height:0}),this.cropped=!1,this.renderCropBox(),this.limitCanvas(!0,!0),this.renderCanvas(),De(this.dragBox,Ei),de(this.cropBox,be)),this},replace:function(t){var i=arguments.length>1&&arguments[1]!==void 0?arguments[1]:!1;return!this.disabled&&t&&(this.isImg&&(this.element.src=t),i?(this.url=t,this.image.src=t,this.ready&&(this.viewBoxImage.src=t,oe(this.previews,function(a){a.getElementsByTagName("img")[0].src=t}))):(this.isImg&&(this.replaced=!0),this.options.data=null,this.uncreate(),this.load(t))),this},enable:function(){return this.ready&&this.disabled&&(this.disabled=!1,De(this.cropper,ro)),this},disable:function(){return this.ready&&!this.disabled&&(this.disabled=!0,de(this.cropper,ro)),this},destroy:function(){var t=this.element;return t[K]?(t[K]=void 0,this.isImg&&this.replaced&&(t.src=this.originalUrl),this.uncreate(),this):this},move:function(t){var i=arguments.length>1&&arguments[1]!==void 0?arguments[1]:t,a=this.canvasData,n=a.left,o=a.top;return this.moveTo(oa(t)?t:n+Number(t),oa(i)?i:o+Number(i))},moveTo:function(t){var i=arguments.length>1&&arguments[1]!==void 0?arguments[1]:t,a=this.canvasData,n=!1;return t=Number(t),i=Number(i),this.ready&&!this.disabled&&this.options.movable&&(j(t)&&(a.left=t,n=!0),j(i)&&(a.top=i,n=!0),n&&this.renderCanvas(!0)),this},zoom:function(t,i){var a=this.canvasData;return t=Number(t),t<0?t=1/(1-t):t=1+t,this.zoomTo(a.width*t/a.naturalWidth,null,i)},zoomTo:function(t,i,a){var n=this.options,o=this.canvasData,l=o.width,r=o.height,s=o.naturalWidth,p=o.naturalHeight;if(t=Number(t),t>=0&&this.ready&&!this.disabled&&n.zoomable){var c=s*t,d=p*t;if(xt(this.element,ha,{ratio:t,oldRatio:l/s,originalEvent:a})===!1)return this;if(a){var m=this.pointers,u=zo(this.cropper),f=m&&Object.keys(m).length?Dp(m):{pageX:a.pageX,pageY:a.pageY};o.left-=(c-l)*((f.pageX-u.left-o.left)/l),o.top-=(d-r)*((f.pageY-u.top-o.top)/r)}else Tt(i)&&j(i.x)&&j(i.y)?(o.left-=(c-l)*((i.x-o.left)/l),o.top-=(d-r)*((i.y-o.top)/r)):(o.left-=(c-l)/2,o.top-=(d-r)/2);o.width=c,o.height=d,this.renderCanvas(!0)}return this},rotate:function(t){return this.rotateTo((this.imageData.rotate||0)+Number(t))},rotateTo:function(t){return t=Number(t),j(t)&&this.ready&&!this.disabled&&this.options.rotatable&&(this.imageData.rotate=t%360,this.renderCanvas(!0,!0)),this},scaleX:function(t){var i=this.imageData.scaleY;return this.scale(t,j(i)?i:1)},scaleY:function(t){var i=this.imageData.scaleX;return this.scale(j(i)?i:1,t)},scale:function(t){var i=arguments.length>1&&arguments[1]!==void 0?arguments[1]:t,a=this.imageData,n=!1;return t=Number(t),i=Number(i),this.ready&&!this.disabled&&this.options.scalable&&(j(t)&&(a.scaleX=t,n=!0),j(i)&&(a.scaleY=i,n=!0),n&&this.renderCanvas(!0,!0)),this},getData:function(){var t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:!1,i=this.options,a=this.imageData,n=this.canvasData,o=this.cropBoxData,l;if(this.ready&&this.cropped){l={x:o.left-n.left,y:o.top-n.top,width:o.width,height:o.height};var r=a.width/a.naturalWidth;if(oe(l,function(c,d){l[d]=c/r}),t){var s=Math.round(l.y+l.height),p=Math.round(l.x+l.width);l.x=Math.round(l.x),l.y=Math.round(l.y),l.width=p-l.x,l.height=s-l.y}}else l={x:0,y:0,width:0,height:0};return i.rotatable&&(l.rotate=a.rotate||0),i.scalable&&(l.scaleX=a.scaleX||1,l.scaleY=a.scaleY||1),l},setData:function(t){var i=this.options,a=this.imageData,n=this.canvasData,o={};if(this.ready&&!this.disabled&&Tt(t)){var l=!1;i.rotatable&&j(t.rotate)&&t.rotate!==a.rotate&&(a.rotate=t.rotate,l=!0),i.scalable&&(j(t.scaleX)&&t.scaleX!==a.scaleX&&(a.scaleX=t.scaleX,l=!0),j(t.scaleY)&&t.scaleY!==a.scaleY&&(a.scaleY=t.scaleY,l=!0)),l&&this.renderCanvas(!0,!0);var r=a.width/a.naturalWidth;j(t.x)&&(o.left=t.x*r+n.left),j(t.y)&&(o.top=t.y*r+n.top),j(t.width)&&(o.width=t.width*r),j(t.height)&&(o.height=t.height*r),this.setCropBoxData(o)}return this},getContainerData:function(){return this.ready?J({},this.containerData):{}},getImageData:function(){return this.sized?J({},this.imageData):{}},getCanvasData:function(){var t=this.canvasData,i={};return this.ready&&oe(["left","top","width","height","naturalWidth","naturalHeight"],function(a){i[a]=t[a]}),i},setCanvasData:function(t){var i=this.canvasData,a=i.aspectRatio;return this.ready&&!this.disabled&&Tt(t)&&(j(t.left)&&(i.left=t.left),j(t.top)&&(i.top=t.top),j(t.width)?(i.width=t.width,i.height=t.width/a):j(t.height)&&(i.height=t.height,i.width=t.height*a),this.renderCanvas(!0)),this},getCropBoxData:function(){var t=this.cropBoxData,i;return this.ready&&this.cropped&&(i={left:t.left,top:t.top,width:t.width,height:t.height}),i||{}},setCropBoxData:function(t){var i=this.cropBoxData,a=this.options.aspectRatio,n,o;return this.ready&&this.cropped&&!this.disabled&&Tt(t)&&(j(t.left)&&(i.left=t.left),j(t.top)&&(i.top=t.top),j(t.width)&&t.width!==i.width&&(n=!0,i.width=t.width),j(t.height)&&t.height!==i.height&&(o=!0,i.height=t.height),a&&(n?i.height=i.width/a:o&&(i.width=i.height*a)),this.renderCropBox()),this},getCroppedCanvas:function(){var t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};if(!this.ready||!window.HTMLCanvasElement)return null;var i=this.canvasData,a=zp(this.image,this.imageData,i,t);if(!this.cropped)return a;var n=this.getData(t.rounded),o=n.x,l=n.y,r=n.width,s=n.height,p=a.width/Math.floor(i.naturalWidth);p!==1&&(o*=p,l*=p,r*=p,s*=p);var c=r/s,d=Ye({aspectRatio:c,width:t.maxWidth||1/0,height:t.maxHeight||1/0}),m=Ye({aspectRatio:c,width:t.minWidth||0,height:t.minHeight||0},"cover"),u=Ye({aspectRatio:c,width:t.width||(p!==1?a.width:r),height:t.height||(p!==1?a.height:s)}),f=u.width,h=u.height;f=Math.min(d.width,Math.max(m.width,f)),h=Math.min(d.height,Math.max(m.height,h));var g=document.createElement("canvas"),I=g.getContext("2d");g.width=vt(f),g.height=vt(h),I.fillStyle=t.fillColor||"transparent",I.fillRect(0,0,f,h);var E=t.imageSmoothingEnabled,T=E===void 0?!0:E,v=t.imageSmoothingQuality;I.imageSmoothingEnabled=T,v&&(I.imageSmoothingQuality=v);var y=a.width,b=a.height,w=o,x=l,_,P,O,M,C,S;w<=-r||w>y?(w=0,_=0,O=0,C=0):w<=0?(O=-w,w=0,_=Math.min(y,r+w),C=_):w<=y&&(O=0,_=Math.min(r,y-w),C=_),_<=0||x<=-s||x>b?(x=0,P=0,M=0,S=0):x<=0?(M=-x,x=0,P=Math.min(b,s+x),S=P):x<=b&&(M=0,P=Math.min(s,b-x),S=P);var F=[w,x,_,P];if(C>0&&S>0){var R=f/r;F.push(O*R,M*R,C*R,S*R)}return I.drawImage.apply(I,[a].concat(_o(F.map(function(L){return Math.floor(vt(L))})))),g},setAspectRatio:function(t){var i=this.options;return!this.disabled&&!oa(t)&&(i.aspectRatio=Math.max(0,t)||NaN,this.ready&&(this.initCropBox(),this.cropped&&this.renderCropBox())),this},setDragMode:function(t){var i=this.options,a=this.dragBox,n=this.face;if(this.ready&&!this.disabled){var o=t===Ia,l=i.movable&&t===Lo;t=o||l?t:Ao,i.dragMode=t,Ut(a,Gt,t),It(a,ca,o),It(a,da,l),i.cropBoxMovable||(Ut(n,Gt,t),It(n,ca,o),It(n,da,l))}return this}},$p=Fe.Cropper,xa=function(){function e(t){var i=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};if(rp(this,e),!t||!vp.test(t.tagName))throw new Error("The first argument is required and must be an or element.");this.element=t,this.options=J({},bo,Tt(i)&&i),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 sp(e,[{key:"init",value:function(){var i=this.element,a=i.tagName.toLowerCase(),n;if(!i[K]){if(i[K]=this,a==="img"){if(this.isImg=!0,n=i.getAttribute("src")||"",this.originalUrl=n,!n)return;n=i.src}else a==="canvas"&&window.HTMLCanvasElement&&(n=i.toDataURL());this.load(n)}}},{key:"load",value:function(i){var a=this;if(i){this.url=i,this.imageData={};var n=this.element,o=this.options;if(!o.rotatable&&!o.scalable&&(o.checkOrientation=!1),!o.checkOrientation||!window.ArrayBuffer){this.clone();return}if(Tp.test(i)){Ip.test(i)?this.read(Bp(i)):this.clone();return}var l=new XMLHttpRequest,r=this.clone.bind(this);this.reloading=!0,this.xhr=l,l.onabort=r,l.onerror=r,l.ontimeout=r,l.onprogress=function(){l.getResponseHeader("content-type")!==Eo&&l.abort()},l.onload=function(){a.read(l.response)},l.onloadend=function(){a.reloading=!1,a.xhr=null},o.checkCrossOrigin&&Io(i)&&n.crossOrigin&&(i=vo(i)),l.open("GET",i,!0),l.responseType="arraybuffer",l.withCredentials=n.crossOrigin==="use-credentials",l.send()}}},{key:"read",value:function(i){var a=this.options,n=this.imageData,o=Vp(i),l=0,r=1,s=1;if(o>1){this.url=kp(i,Eo);var p=Gp(o);l=p.rotate,r=p.scaleX,s=p.scaleY}a.rotatable&&(n.rotate=l),a.scalable&&(n.scaleX=r,n.scaleY=s),this.clone()}},{key:"clone",value:function(){var i=this.element,a=this.url,n=i.crossOrigin,o=a;this.options.checkCrossOrigin&&Io(a)&&(n||(n="anonymous"),o=vo(a)),this.crossOrigin=n,this.crossOriginUrl=o;var l=document.createElement("img");n&&(l.crossOrigin=n),l.src=o||a,l.alt=i.alt||"The image to crop",this.image=l,l.onload=this.start.bind(this),l.onerror=this.stop.bind(this),de(l,so),i.parentNode.insertBefore(l,i.nextSibling)}},{key:"start",value:function(){var i=this,a=this.image;a.onload=null,a.onerror=null,this.sizing=!0;var n=Fe.navigator&&/(?:iPad|iPhone|iPod).*?AppleWebKit/i.test(Fe.navigator.userAgent),o=function(p,c){J(i.imageData,{naturalWidth:p,naturalHeight:c,aspectRatio:p/c}),i.initialImageData=J({},i.imageData),i.sizing=!1,i.sized=!0,i.build()};if(a.naturalWidth&&!n){o(a.naturalWidth,a.naturalHeight);return}var l=document.createElement("img"),r=document.body||document.documentElement;this.sizingImage=l,l.onload=function(){o(l.width,l.height),n||r.removeChild(l)},l.src=a.src,n||(l.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;",r.appendChild(l))}},{key:"stop",value:function(){var i=this.image;i.onload=null,i.onerror=null,i.parentNode.removeChild(i),this.image=null}},{key:"build",value:function(){if(!(!this.sized||this.ready)){var i=this.element,a=this.options,n=this.image,o=i.parentNode,l=document.createElement("div");l.innerHTML=xp;var r=l.querySelector(".".concat(K,"-container")),s=r.querySelector(".".concat(K,"-canvas")),p=r.querySelector(".".concat(K,"-drag-box")),c=r.querySelector(".".concat(K,"-crop-box")),d=c.querySelector(".".concat(K,"-face"));this.container=o,this.cropper=r,this.canvas=s,this.dragBox=p,this.cropBox=c,this.viewBox=r.querySelector(".".concat(K,"-view-box")),this.face=d,s.appendChild(n),de(i,be),o.insertBefore(r,i.nextSibling),De(n,so),this.initPreview(),this.bind(),a.initialAspectRatio=Math.max(0,a.initialAspectRatio)||NaN,a.aspectRatio=Math.max(0,a.aspectRatio)||NaN,a.viewMode=Math.max(0,Math.min(3,Math.round(a.viewMode)))||0,de(c,be),a.guides||de(c.getElementsByClassName("".concat(K,"-dashed")),be),a.center||de(c.getElementsByClassName("".concat(K,"-center")),be),a.background&&de(r,"".concat(K,"-bg")),a.highlight||de(d,fp),a.cropBoxMovable&&(de(d,da),Ut(d,Gt,Ta)),a.cropBoxResizable||(de(c.getElementsByClassName("".concat(K,"-line")),be),de(c.getElementsByClassName("".concat(K,"-point")),be)),this.render(),this.ready=!0,this.setDragMode(a.dragMode),a.autoCrop&&this.crop(),this.setData(a.data),Ee(a.ready)&&Re(i,fo,a.ready,{once:!0}),xt(i,fo)}}},{key:"unbuild",value:function(){if(this.ready){this.ready=!1,this.unbind(),this.resetPreview();var i=this.cropper.parentNode;i&&i.removeChild(this.cropper),De(this.element,be)}}},{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=$p,e}},{key:"setDefaults",value:function(i){J(bo,Tt(i)&&i)}}])}();J(xa.prototype,Up,Wp,Hp,jp,Yp,qp);var No={"application/prs.cww":["cww"],"application/prs.xsf+xml":["xsf"],"application/vnd.1000minds.decision-model+xml":["1km"],"application/vnd.3gpp.pic-bw-large":["plb"],"application/vnd.3gpp.pic-bw-small":["psb"],"application/vnd.3gpp.pic-bw-var":["pvb"],"application/vnd.3gpp2.tcap":["tcap"],"application/vnd.3m.post-it-notes":["pwn"],"application/vnd.accpac.simply.aso":["aso"],"application/vnd.accpac.simply.imp":["imp"],"application/vnd.acucobol":["acu"],"application/vnd.acucorp":["atc","acutc"],"application/vnd.adobe.air-application-installer-package+zip":["air"],"application/vnd.adobe.formscentral.fcdt":["fcdt"],"application/vnd.adobe.fxp":["fxp","fxpl"],"application/vnd.adobe.xdp+xml":["xdp"],"application/vnd.adobe.xfdf":["*xfdf"],"application/vnd.age":["age"],"application/vnd.ahead.space":["ahead"],"application/vnd.airzip.filesecure.azf":["azf"],"application/vnd.airzip.filesecure.azs":["azs"],"application/vnd.amazon.ebook":["azw"],"application/vnd.americandynamics.acc":["acc"],"application/vnd.amiga.ami":["ami"],"application/vnd.android.package-archive":["apk"],"application/vnd.anser-web-certificate-issue-initiation":["cii"],"application/vnd.anser-web-funds-transfer-initiation":["fti"],"application/vnd.antix.game-component":["atx"],"application/vnd.apple.installer+xml":["mpkg"],"application/vnd.apple.keynote":["key"],"application/vnd.apple.mpegurl":["m3u8"],"application/vnd.apple.numbers":["numbers"],"application/vnd.apple.pages":["pages"],"application/vnd.apple.pkpass":["pkpass"],"application/vnd.aristanetworks.swi":["swi"],"application/vnd.astraea-software.iota":["iota"],"application/vnd.audiograph":["aep"],"application/vnd.balsamiq.bmml+xml":["bmml"],"application/vnd.blueice.multipass":["mpm"],"application/vnd.bmi":["bmi"],"application/vnd.businessobjects":["rep"],"application/vnd.chemdraw+xml":["cdxml"],"application/vnd.chipnuts.karaoke-mmd":["mmd"],"application/vnd.cinderella":["cdy"],"application/vnd.citationstyles.style+xml":["csl"],"application/vnd.claymore":["cla"],"application/vnd.cloanto.rp9":["rp9"],"application/vnd.clonk.c4group":["c4g","c4d","c4f","c4p","c4u"],"application/vnd.cluetrust.cartomobile-config":["c11amc"],"application/vnd.cluetrust.cartomobile-config-pkg":["c11amz"],"application/vnd.commonspace":["csp"],"application/vnd.contact.cmsg":["cdbcmsg"],"application/vnd.cosmocaller":["cmc"],"application/vnd.crick.clicker":["clkx"],"application/vnd.crick.clicker.keyboard":["clkk"],"application/vnd.crick.clicker.palette":["clkp"],"application/vnd.crick.clicker.template":["clkt"],"application/vnd.crick.clicker.wordbank":["clkw"],"application/vnd.criticaltools.wbs+xml":["wbs"],"application/vnd.ctc-posml":["pml"],"application/vnd.cups-ppd":["ppd"],"application/vnd.curl.car":["car"],"application/vnd.curl.pcurl":["pcurl"],"application/vnd.dart":["dart"],"application/vnd.data-vision.rdz":["rdz"],"application/vnd.dbf":["dbf"],"application/vnd.dece.data":["uvf","uvvf","uvd","uvvd"],"application/vnd.dece.ttml+xml":["uvt","uvvt"],"application/vnd.dece.unspecified":["uvx","uvvx"],"application/vnd.dece.zip":["uvz","uvvz"],"application/vnd.denovo.fcselayout-link":["fe_launch"],"application/vnd.dna":["dna"],"application/vnd.dolby.mlp":["mlp"],"application/vnd.dpgraph":["dpg"],"application/vnd.dreamfactory":["dfac"],"application/vnd.ds-keypoint":["kpxx"],"application/vnd.dvb.ait":["ait"],"application/vnd.dvb.service":["svc"],"application/vnd.dynageo":["geo"],"application/vnd.ecowin.chart":["mag"],"application/vnd.enliven":["nml"],"application/vnd.epson.esf":["esf"],"application/vnd.epson.msf":["msf"],"application/vnd.epson.quickanime":["qam"],"application/vnd.epson.salt":["slt"],"application/vnd.epson.ssf":["ssf"],"application/vnd.eszigno3+xml":["es3","et3"],"application/vnd.ezpix-album":["ez2"],"application/vnd.ezpix-package":["ez3"],"application/vnd.fdf":["*fdf"],"application/vnd.fdsn.mseed":["mseed"],"application/vnd.fdsn.seed":["seed","dataless"],"application/vnd.flographit":["gph"],"application/vnd.fluxtime.clip":["ftc"],"application/vnd.framemaker":["fm","frame","maker","book"],"application/vnd.frogans.fnc":["fnc"],"application/vnd.frogans.ltf":["ltf"],"application/vnd.fsc.weblaunch":["fsc"],"application/vnd.fujitsu.oasys":["oas"],"application/vnd.fujitsu.oasys2":["oa2"],"application/vnd.fujitsu.oasys3":["oa3"],"application/vnd.fujitsu.oasysgp":["fg5"],"application/vnd.fujitsu.oasysprs":["bh2"],"application/vnd.fujixerox.ddd":["ddd"],"application/vnd.fujixerox.docuworks":["xdw"],"application/vnd.fujixerox.docuworks.binder":["xbd"],"application/vnd.fuzzysheet":["fzs"],"application/vnd.genomatix.tuxedo":["txd"],"application/vnd.geogebra.file":["ggb"],"application/vnd.geogebra.tool":["ggt"],"application/vnd.geometry-explorer":["gex","gre"],"application/vnd.geonext":["gxt"],"application/vnd.geoplan":["g2w"],"application/vnd.geospace":["g3w"],"application/vnd.gmx":["gmx"],"application/vnd.google-apps.document":["gdoc"],"application/vnd.google-apps.presentation":["gslides"],"application/vnd.google-apps.spreadsheet":["gsheet"],"application/vnd.google-earth.kml+xml":["kml"],"application/vnd.google-earth.kmz":["kmz"],"application/vnd.grafeq":["gqf","gqs"],"application/vnd.groove-account":["gac"],"application/vnd.groove-help":["ghf"],"application/vnd.groove-identity-message":["gim"],"application/vnd.groove-injector":["grv"],"application/vnd.groove-tool-message":["gtm"],"application/vnd.groove-tool-template":["tpl"],"application/vnd.groove-vcard":["vcg"],"application/vnd.hal+xml":["hal"],"application/vnd.handheld-entertainment+xml":["zmm"],"application/vnd.hbci":["hbci"],"application/vnd.hhe.lesson-player":["les"],"application/vnd.hp-hpgl":["hpgl"],"application/vnd.hp-hpid":["hpid"],"application/vnd.hp-hps":["hps"],"application/vnd.hp-jlyt":["jlt"],"application/vnd.hp-pcl":["pcl"],"application/vnd.hp-pclxl":["pclxl"],"application/vnd.hydrostatix.sof-data":["sfd-hdstx"],"application/vnd.ibm.minipay":["mpy"],"application/vnd.ibm.modcap":["afp","listafp","list3820"],"application/vnd.ibm.rights-management":["irm"],"application/vnd.ibm.secure-container":["sc"],"application/vnd.iccprofile":["icc","icm"],"application/vnd.igloader":["igl"],"application/vnd.immervision-ivp":["ivp"],"application/vnd.immervision-ivu":["ivu"],"application/vnd.insors.igm":["igm"],"application/vnd.intercon.formnet":["xpw","xpx"],"application/vnd.intergeo":["i2g"],"application/vnd.intu.qbo":["qbo"],"application/vnd.intu.qfx":["qfx"],"application/vnd.ipunplugged.rcprofile":["rcprofile"],"application/vnd.irepository.package+xml":["irp"],"application/vnd.is-xpr":["xpr"],"application/vnd.isac.fcs":["fcs"],"application/vnd.jam":["jam"],"application/vnd.jcp.javame.midlet-rms":["rms"],"application/vnd.jisp":["jisp"],"application/vnd.joost.joda-archive":["joda"],"application/vnd.kahootz":["ktz","ktr"],"application/vnd.kde.karbon":["karbon"],"application/vnd.kde.kchart":["chrt"],"application/vnd.kde.kformula":["kfo"],"application/vnd.kde.kivio":["flw"],"application/vnd.kde.kontour":["kon"],"application/vnd.kde.kpresenter":["kpr","kpt"],"application/vnd.kde.kspread":["ksp"],"application/vnd.kde.kword":["kwd","kwt"],"application/vnd.kenameaapp":["htke"],"application/vnd.kidspiration":["kia"],"application/vnd.kinar":["kne","knp"],"application/vnd.koan":["skp","skd","skt","skm"],"application/vnd.kodak-descriptor":["sse"],"application/vnd.las.las+xml":["lasxml"],"application/vnd.llamagraphics.life-balance.desktop":["lbd"],"application/vnd.llamagraphics.life-balance.exchange+xml":["lbe"],"application/vnd.lotus-1-2-3":["123"],"application/vnd.lotus-approach":["apr"],"application/vnd.lotus-freelance":["pre"],"application/vnd.lotus-notes":["nsf"],"application/vnd.lotus-organizer":["org"],"application/vnd.lotus-screencam":["scm"],"application/vnd.lotus-wordpro":["lwp"],"application/vnd.macports.portpkg":["portpkg"],"application/vnd.mapbox-vector-tile":["mvt"],"application/vnd.mcd":["mcd"],"application/vnd.medcalcdata":["mc1"],"application/vnd.mediastation.cdkey":["cdkey"],"application/vnd.mfer":["mwf"],"application/vnd.mfmp":["mfm"],"application/vnd.micrografx.flo":["flo"],"application/vnd.micrografx.igx":["igx"],"application/vnd.mif":["mif"],"application/vnd.mobius.daf":["daf"],"application/vnd.mobius.dis":["dis"],"application/vnd.mobius.mbk":["mbk"],"application/vnd.mobius.mqy":["mqy"],"application/vnd.mobius.msl":["msl"],"application/vnd.mobius.plc":["plc"],"application/vnd.mobius.txf":["txf"],"application/vnd.mophun.application":["mpn"],"application/vnd.mophun.certificate":["mpc"],"application/vnd.mozilla.xul+xml":["xul"],"application/vnd.ms-artgalry":["cil"],"application/vnd.ms-cab-compressed":["cab"],"application/vnd.ms-excel":["xls","xlm","xla","xlc","xlt","xlw"],"application/vnd.ms-excel.addin.macroenabled.12":["xlam"],"application/vnd.ms-excel.sheet.binary.macroenabled.12":["xlsb"],"application/vnd.ms-excel.sheet.macroenabled.12":["xlsm"],"application/vnd.ms-excel.template.macroenabled.12":["xltm"],"application/vnd.ms-fontobject":["eot"],"application/vnd.ms-htmlhelp":["chm"],"application/vnd.ms-ims":["ims"],"application/vnd.ms-lrm":["lrm"],"application/vnd.ms-officetheme":["thmx"],"application/vnd.ms-outlook":["msg"],"application/vnd.ms-pki.seccat":["cat"],"application/vnd.ms-pki.stl":["*stl"],"application/vnd.ms-powerpoint":["ppt","pps","pot"],"application/vnd.ms-powerpoint.addin.macroenabled.12":["ppam"],"application/vnd.ms-powerpoint.presentation.macroenabled.12":["pptm"],"application/vnd.ms-powerpoint.slide.macroenabled.12":["sldm"],"application/vnd.ms-powerpoint.slideshow.macroenabled.12":["ppsm"],"application/vnd.ms-powerpoint.template.macroenabled.12":["potm"],"application/vnd.ms-project":["*mpp","mpt"],"application/vnd.ms-word.document.macroenabled.12":["docm"],"application/vnd.ms-word.template.macroenabled.12":["dotm"],"application/vnd.ms-works":["wps","wks","wcm","wdb"],"application/vnd.ms-wpl":["wpl"],"application/vnd.ms-xpsdocument":["xps"],"application/vnd.mseq":["mseq"],"application/vnd.musician":["mus"],"application/vnd.muvee.style":["msty"],"application/vnd.mynfc":["taglet"],"application/vnd.neurolanguage.nlu":["nlu"],"application/vnd.nitf":["ntf","nitf"],"application/vnd.noblenet-directory":["nnd"],"application/vnd.noblenet-sealer":["nns"],"application/vnd.noblenet-web":["nnw"],"application/vnd.nokia.n-gage.ac+xml":["*ac"],"application/vnd.nokia.n-gage.data":["ngdat"],"application/vnd.nokia.n-gage.symbian.install":["n-gage"],"application/vnd.nokia.radio-preset":["rpst"],"application/vnd.nokia.radio-presets":["rpss"],"application/vnd.novadigm.edm":["edm"],"application/vnd.novadigm.edx":["edx"],"application/vnd.novadigm.ext":["ext"],"application/vnd.oasis.opendocument.chart":["odc"],"application/vnd.oasis.opendocument.chart-template":["otc"],"application/vnd.oasis.opendocument.database":["odb"],"application/vnd.oasis.opendocument.formula":["odf"],"application/vnd.oasis.opendocument.formula-template":["odft"],"application/vnd.oasis.opendocument.graphics":["odg"],"application/vnd.oasis.opendocument.graphics-template":["otg"],"application/vnd.oasis.opendocument.image":["odi"],"application/vnd.oasis.opendocument.image-template":["oti"],"application/vnd.oasis.opendocument.presentation":["odp"],"application/vnd.oasis.opendocument.presentation-template":["otp"],"application/vnd.oasis.opendocument.spreadsheet":["ods"],"application/vnd.oasis.opendocument.spreadsheet-template":["ots"],"application/vnd.oasis.opendocument.text":["odt"],"application/vnd.oasis.opendocument.text-master":["odm"],"application/vnd.oasis.opendocument.text-template":["ott"],"application/vnd.oasis.opendocument.text-web":["oth"],"application/vnd.olpc-sugar":["xo"],"application/vnd.oma.dd2+xml":["dd2"],"application/vnd.openblox.game+xml":["obgx"],"application/vnd.openofficeorg.extension":["oxt"],"application/vnd.openstreetmap.data+xml":["osm"],"application/vnd.openxmlformats-officedocument.presentationml.presentation":["pptx"],"application/vnd.openxmlformats-officedocument.presentationml.slide":["sldx"],"application/vnd.openxmlformats-officedocument.presentationml.slideshow":["ppsx"],"application/vnd.openxmlformats-officedocument.presentationml.template":["potx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet":["xlsx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.template":["xltx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.document":["docx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.template":["dotx"],"application/vnd.osgeo.mapguide.package":["mgp"],"application/vnd.osgi.dp":["dp"],"application/vnd.osgi.subsystem":["esa"],"application/vnd.palm":["pdb","pqa","oprc"],"application/vnd.pawaafile":["paw"],"application/vnd.pg.format":["str"],"application/vnd.pg.osasli":["ei6"],"application/vnd.picsel":["efif"],"application/vnd.pmi.widget":["wg"],"application/vnd.pocketlearn":["plf"],"application/vnd.powerbuilder6":["pbd"],"application/vnd.previewsystems.box":["box"],"application/vnd.proteus.magazine":["mgz"],"application/vnd.publishare-delta-tree":["qps"],"application/vnd.pvi.ptid1":["ptid"],"application/vnd.pwg-xhtml-print+xml":["xhtm"],"application/vnd.quark.quarkxpress":["qxd","qxt","qwd","qwt","qxl","qxb"],"application/vnd.rar":["rar"],"application/vnd.realvnc.bed":["bed"],"application/vnd.recordare.musicxml":["mxl"],"application/vnd.recordare.musicxml+xml":["musicxml"],"application/vnd.rig.cryptonote":["cryptonote"],"application/vnd.rim.cod":["cod"],"application/vnd.rn-realmedia":["rm"],"application/vnd.rn-realmedia-vbr":["rmvb"],"application/vnd.route66.link66+xml":["link66"],"application/vnd.sailingtracker.track":["st"],"application/vnd.seemail":["see"],"application/vnd.sema":["sema"],"application/vnd.semd":["semd"],"application/vnd.semf":["semf"],"application/vnd.shana.informed.formdata":["ifm"],"application/vnd.shana.informed.formtemplate":["itp"],"application/vnd.shana.informed.interchange":["iif"],"application/vnd.shana.informed.package":["ipk"],"application/vnd.simtech-mindmapper":["twd","twds"],"application/vnd.smaf":["mmf"],"application/vnd.smart.teacher":["teacher"],"application/vnd.software602.filler.form+xml":["fo"],"application/vnd.solent.sdkm+xml":["sdkm","sdkd"],"application/vnd.spotfire.dxp":["dxp"],"application/vnd.spotfire.sfs":["sfs"],"application/vnd.stardivision.calc":["sdc"],"application/vnd.stardivision.draw":["sda"],"application/vnd.stardivision.impress":["sdd"],"application/vnd.stardivision.math":["smf"],"application/vnd.stardivision.writer":["sdw","vor"],"application/vnd.stardivision.writer-global":["sgl"],"application/vnd.stepmania.package":["smzip"],"application/vnd.stepmania.stepchart":["sm"],"application/vnd.sun.wadl+xml":["wadl"],"application/vnd.sun.xml.calc":["sxc"],"application/vnd.sun.xml.calc.template":["stc"],"application/vnd.sun.xml.draw":["sxd"],"application/vnd.sun.xml.draw.template":["std"],"application/vnd.sun.xml.impress":["sxi"],"application/vnd.sun.xml.impress.template":["sti"],"application/vnd.sun.xml.math":["sxm"],"application/vnd.sun.xml.writer":["sxw"],"application/vnd.sun.xml.writer.global":["sxg"],"application/vnd.sun.xml.writer.template":["stw"],"application/vnd.sus-calendar":["sus","susp"],"application/vnd.svd":["svd"],"application/vnd.symbian.install":["sis","sisx"],"application/vnd.syncml+xml":["xsm"],"application/vnd.syncml.dm+wbxml":["bdm"],"application/vnd.syncml.dm+xml":["xdm"],"application/vnd.syncml.dmddf+xml":["ddf"],"application/vnd.tao.intent-module-archive":["tao"],"application/vnd.tcpdump.pcap":["pcap","cap","dmp"],"application/vnd.tmobile-livetv":["tmo"],"application/vnd.trid.tpt":["tpt"],"application/vnd.triscape.mxs":["mxs"],"application/vnd.trueapp":["tra"],"application/vnd.ufdl":["ufd","ufdl"],"application/vnd.uiq.theme":["utz"],"application/vnd.umajin":["umj"],"application/vnd.unity":["unityweb"],"application/vnd.uoml+xml":["uoml","uo"],"application/vnd.vcx":["vcx"],"application/vnd.visio":["vsd","vst","vss","vsw"],"application/vnd.visionary":["vis"],"application/vnd.vsf":["vsf"],"application/vnd.wap.wbxml":["wbxml"],"application/vnd.wap.wmlc":["wmlc"],"application/vnd.wap.wmlscriptc":["wmlsc"],"application/vnd.webturbo":["wtb"],"application/vnd.wolfram.player":["nbp"],"application/vnd.wordperfect":["wpd"],"application/vnd.wqd":["wqd"],"application/vnd.wt.stf":["stf"],"application/vnd.xara":["xar"],"application/vnd.xfdl":["xfdl"],"application/vnd.yamaha.hv-dic":["hvd"],"application/vnd.yamaha.hv-script":["hvs"],"application/vnd.yamaha.hv-voice":["hvp"],"application/vnd.yamaha.openscoreformat":["osf"],"application/vnd.yamaha.openscoreformat.osfpvg+xml":["osfpvg"],"application/vnd.yamaha.smaf-audio":["saf"],"application/vnd.yamaha.smaf-phrase":["spf"],"application/vnd.yellowriver-custom-menu":["cmp"],"application/vnd.zul":["zir","zirz"],"application/vnd.zzazz.deck+xml":["zaz"],"application/x-7z-compressed":["7z"],"application/x-abiword":["abw"],"application/x-ace-compressed":["ace"],"application/x-apple-diskimage":["*dmg"],"application/x-arj":["arj"],"application/x-authorware-bin":["aab","x32","u32","vox"],"application/x-authorware-map":["aam"],"application/x-authorware-seg":["aas"],"application/x-bcpio":["bcpio"],"application/x-bdoc":["*bdoc"],"application/x-bittorrent":["torrent"],"application/x-blorb":["blb","blorb"],"application/x-bzip":["bz"],"application/x-bzip2":["bz2","boz"],"application/x-cbr":["cbr","cba","cbt","cbz","cb7"],"application/x-cdlink":["vcd"],"application/x-cfs-compressed":["cfs"],"application/x-chat":["chat"],"application/x-chess-pgn":["pgn"],"application/x-chrome-extension":["crx"],"application/x-cocoa":["cco"],"application/x-conference":["nsc"],"application/x-cpio":["cpio"],"application/x-csh":["csh"],"application/x-debian-package":["*deb","udeb"],"application/x-dgc-compressed":["dgc"],"application/x-director":["dir","dcr","dxr","cst","cct","cxt","w3d","fgd","swa"],"application/x-doom":["wad"],"application/x-dtbncx+xml":["ncx"],"application/x-dtbook+xml":["dtb"],"application/x-dtbresource+xml":["res"],"application/x-dvi":["dvi"],"application/x-envoy":["evy"],"application/x-eva":["eva"],"application/x-font-bdf":["bdf"],"application/x-font-ghostscript":["gsf"],"application/x-font-linux-psf":["psf"],"application/x-font-pcf":["pcf"],"application/x-font-snf":["snf"],"application/x-font-type1":["pfa","pfb","pfm","afm"],"application/x-freearc":["arc"],"application/x-futuresplash":["spl"],"application/x-gca-compressed":["gca"],"application/x-glulx":["ulx"],"application/x-gnumeric":["gnumeric"],"application/x-gramps-xml":["gramps"],"application/x-gtar":["gtar"],"application/x-hdf":["hdf"],"application/x-httpd-php":["php"],"application/x-install-instructions":["install"],"application/x-iso9660-image":["*iso"],"application/x-iwork-keynote-sffkey":["*key"],"application/x-iwork-numbers-sffnumbers":["*numbers"],"application/x-iwork-pages-sffpages":["*pages"],"application/x-java-archive-diff":["jardiff"],"application/x-java-jnlp-file":["jnlp"],"application/x-keepass2":["kdbx"],"application/x-latex":["latex"],"application/x-lua-bytecode":["luac"],"application/x-lzh-compressed":["lzh","lha"],"application/x-makeself":["run"],"application/x-mie":["mie"],"application/x-mobipocket-ebook":["*prc","mobi"],"application/x-ms-application":["application"],"application/x-ms-shortcut":["lnk"],"application/x-ms-wmd":["wmd"],"application/x-ms-wmz":["wmz"],"application/x-ms-xbap":["xbap"],"application/x-msaccess":["mdb"],"application/x-msbinder":["obd"],"application/x-mscardfile":["crd"],"application/x-msclip":["clp"],"application/x-msdos-program":["*exe"],"application/x-msdownload":["*exe","*dll","com","bat","*msi"],"application/x-msmediaview":["mvb","m13","m14"],"application/x-msmetafile":["*wmf","*wmz","*emf","emz"],"application/x-msmoney":["mny"],"application/x-mspublisher":["pub"],"application/x-msschedule":["scd"],"application/x-msterminal":["trm"],"application/x-mswrite":["wri"],"application/x-netcdf":["nc","cdf"],"application/x-ns-proxy-autoconfig":["pac"],"application/x-nzb":["nzb"],"application/x-perl":["pl","pm"],"application/x-pilot":["*prc","*pdb"],"application/x-pkcs12":["p12","pfx"],"application/x-pkcs7-certificates":["p7b","spc"],"application/x-pkcs7-certreqresp":["p7r"],"application/x-rar-compressed":["*rar"],"application/x-redhat-package-manager":["rpm"],"application/x-research-info-systems":["ris"],"application/x-sea":["sea"],"application/x-sh":["sh"],"application/x-shar":["shar"],"application/x-shockwave-flash":["swf"],"application/x-silverlight-app":["xap"],"application/x-sql":["*sql"],"application/x-stuffit":["sit"],"application/x-stuffitx":["sitx"],"application/x-subrip":["srt"],"application/x-sv4cpio":["sv4cpio"],"application/x-sv4crc":["sv4crc"],"application/x-t3vm-image":["t3"],"application/x-tads":["gam"],"application/x-tar":["tar"],"application/x-tcl":["tcl","tk"],"application/x-tex":["tex"],"application/x-tex-tfm":["tfm"],"application/x-texinfo":["texinfo","texi"],"application/x-tgif":["*obj"],"application/x-ustar":["ustar"],"application/x-virtualbox-hdd":["hdd"],"application/x-virtualbox-ova":["ova"],"application/x-virtualbox-ovf":["ovf"],"application/x-virtualbox-vbox":["vbox"],"application/x-virtualbox-vbox-extpack":["vbox-extpack"],"application/x-virtualbox-vdi":["vdi"],"application/x-virtualbox-vhd":["vhd"],"application/x-virtualbox-vmdk":["vmdk"],"application/x-wais-source":["src"],"application/x-web-app-manifest+json":["webapp"],"application/x-x509-ca-cert":["der","crt","pem"],"application/x-xfig":["fig"],"application/x-xliff+xml":["*xlf"],"application/x-xpinstall":["xpi"],"application/x-xz":["xz"],"application/x-zmachine":["z1","z2","z3","z4","z5","z6","z7","z8"],"audio/vnd.dece.audio":["uva","uvva"],"audio/vnd.digital-winds":["eol"],"audio/vnd.dra":["dra"],"audio/vnd.dts":["dts"],"audio/vnd.dts.hd":["dtshd"],"audio/vnd.lucent.voice":["lvp"],"audio/vnd.ms-playready.media.pya":["pya"],"audio/vnd.nuera.ecelp4800":["ecelp4800"],"audio/vnd.nuera.ecelp7470":["ecelp7470"],"audio/vnd.nuera.ecelp9600":["ecelp9600"],"audio/vnd.rip":["rip"],"audio/x-aac":["*aac"],"audio/x-aiff":["aif","aiff","aifc"],"audio/x-caf":["caf"],"audio/x-flac":["flac"],"audio/x-m4a":["*m4a"],"audio/x-matroska":["mka"],"audio/x-mpegurl":["m3u"],"audio/x-ms-wax":["wax"],"audio/x-ms-wma":["wma"],"audio/x-pn-realaudio":["ram","ra"],"audio/x-pn-realaudio-plugin":["rmp"],"audio/x-realaudio":["*ra"],"audio/x-wav":["*wav"],"chemical/x-cdx":["cdx"],"chemical/x-cif":["cif"],"chemical/x-cmdf":["cmdf"],"chemical/x-cml":["cml"],"chemical/x-csml":["csml"],"chemical/x-xyz":["xyz"],"image/prs.btif":["btif","btf"],"image/prs.pti":["pti"],"image/vnd.adobe.photoshop":["psd"],"image/vnd.airzip.accelerator.azv":["azv"],"image/vnd.dece.graphic":["uvi","uvvi","uvg","uvvg"],"image/vnd.djvu":["djvu","djv"],"image/vnd.dvb.subtitle":["*sub"],"image/vnd.dwg":["dwg"],"image/vnd.dxf":["dxf"],"image/vnd.fastbidsheet":["fbs"],"image/vnd.fpx":["fpx"],"image/vnd.fst":["fst"],"image/vnd.fujixerox.edmics-mmr":["mmr"],"image/vnd.fujixerox.edmics-rlc":["rlc"],"image/vnd.microsoft.icon":["ico"],"image/vnd.ms-dds":["dds"],"image/vnd.ms-modi":["mdi"],"image/vnd.ms-photo":["wdp"],"image/vnd.net-fpx":["npx"],"image/vnd.pco.b16":["b16"],"image/vnd.tencent.tap":["tap"],"image/vnd.valve.source.texture":["vtf"],"image/vnd.wap.wbmp":["wbmp"],"image/vnd.xiff":["xif"],"image/vnd.zbrush.pcx":["pcx"],"image/x-3ds":["3ds"],"image/x-cmu-raster":["ras"],"image/x-cmx":["cmx"],"image/x-freehand":["fh","fhc","fh4","fh5","fh7"],"image/x-icon":["*ico"],"image/x-jng":["jng"],"image/x-mrsid-image":["sid"],"image/x-ms-bmp":["*bmp"],"image/x-pcx":["*pcx"],"image/x-pict":["pic","pct"],"image/x-portable-anymap":["pnm"],"image/x-portable-bitmap":["pbm"],"image/x-portable-graymap":["pgm"],"image/x-portable-pixmap":["ppm"],"image/x-rgb":["rgb"],"image/x-tga":["tga"],"image/x-xbitmap":["xbm"],"image/x-xpixmap":["xpm"],"image/x-xwindowdump":["xwd"],"message/vnd.wfa.wsc":["wsc"],"model/vnd.cld":["cld"],"model/vnd.collada+xml":["dae"],"model/vnd.dwf":["dwf"],"model/vnd.gdl":["gdl"],"model/vnd.gtw":["gtw"],"model/vnd.mts":["mts"],"model/vnd.opengex":["ogex"],"model/vnd.parasolid.transmit.binary":["x_b"],"model/vnd.parasolid.transmit.text":["x_t"],"model/vnd.pytha.pyox":["pyo","pyox"],"model/vnd.sap.vds":["vds"],"model/vnd.usda":["usda"],"model/vnd.usdz+zip":["usdz"],"model/vnd.valve.source.compiled-map":["bsp"],"model/vnd.vtu":["vtu"],"text/prs.lines.tag":["dsc"],"text/vnd.curl":["curl"],"text/vnd.curl.dcurl":["dcurl"],"text/vnd.curl.mcurl":["mcurl"],"text/vnd.curl.scurl":["scurl"],"text/vnd.dvb.subtitle":["sub"],"text/vnd.familysearch.gedcom":["ged"],"text/vnd.fly":["fly"],"text/vnd.fmi.flexstor":["flx"],"text/vnd.graphviz":["gv"],"text/vnd.in3d.3dml":["3dml"],"text/vnd.in3d.spot":["spot"],"text/vnd.sun.j2me.app-descriptor":["jad"],"text/vnd.wap.wml":["wml"],"text/vnd.wap.wmlscript":["wmls"],"text/x-asm":["s","asm"],"text/x-c":["c","cc","cxx","cpp","h","hh","dic"],"text/x-component":["htc"],"text/x-fortran":["f","for","f77","f90"],"text/x-handlebars-template":["hbs"],"text/x-java-source":["java"],"text/x-lua":["lua"],"text/x-markdown":["mkd"],"text/x-nfo":["nfo"],"text/x-opml":["opml"],"text/x-org":["*org"],"text/x-pascal":["p","pas"],"text/x-processing":["pde"],"text/x-sass":["sass"],"text/x-scss":["scss"],"text/x-setext":["etx"],"text/x-sfv":["sfv"],"text/x-suse-ymp":["ymp"],"text/x-uuencode":["uu"],"text/x-vcalendar":["vcs"],"text/x-vcard":["vcf"],"video/vnd.dece.hd":["uvh","uvvh"],"video/vnd.dece.mobile":["uvm","uvvm"],"video/vnd.dece.pd":["uvp","uvvp"],"video/vnd.dece.sd":["uvs","uvvs"],"video/vnd.dece.video":["uvv","uvvv"],"video/vnd.dvb.file":["dvb"],"video/vnd.fvt":["fvt"],"video/vnd.mpegurl":["mxu","m4u"],"video/vnd.ms-playready.media.pyv":["pyv"],"video/vnd.uvvu.mp4":["uvu","uvvu"],"video/vnd.vivo":["viv"],"video/x-f4v":["f4v"],"video/x-fli":["fli"],"video/x-flv":["flv"],"video/x-m4v":["m4v"],"video/x-matroska":["mkv","mk3d","mks"],"video/x-mng":["mng"],"video/x-ms-asf":["asf","asx"],"video/x-ms-vob":["vob"],"video/x-ms-wm":["wm"],"video/x-ms-wmv":["wmv"],"video/x-ms-wmx":["wmx"],"video/x-ms-wvx":["wvx"],"video/x-msvideo":["avi"],"video/x-sgi-movie":["movie"],"video/x-smv":["smv"],"x-conference/x-cooltalk":["ice"]};Object.freeze(No);var Bo=No;var ko={"application/andrew-inset":["ez"],"application/appinstaller":["appinstaller"],"application/applixware":["aw"],"application/appx":["appx"],"application/appxbundle":["appxbundle"],"application/atom+xml":["atom"],"application/atomcat+xml":["atomcat"],"application/atomdeleted+xml":["atomdeleted"],"application/atomsvc+xml":["atomsvc"],"application/atsc-dwd+xml":["dwd"],"application/atsc-held+xml":["held"],"application/atsc-rsat+xml":["rsat"],"application/automationml-aml+xml":["aml"],"application/automationml-amlx+zip":["amlx"],"application/bdoc":["bdoc"],"application/calendar+xml":["xcs"],"application/ccxml+xml":["ccxml"],"application/cdfx+xml":["cdfx"],"application/cdmi-capability":["cdmia"],"application/cdmi-container":["cdmic"],"application/cdmi-domain":["cdmid"],"application/cdmi-object":["cdmio"],"application/cdmi-queue":["cdmiq"],"application/cpl+xml":["cpl"],"application/cu-seeme":["cu"],"application/cwl":["cwl"],"application/dash+xml":["mpd"],"application/dash-patch+xml":["mpp"],"application/davmount+xml":["davmount"],"application/docbook+xml":["dbk"],"application/dssc+der":["dssc"],"application/dssc+xml":["xdssc"],"application/ecmascript":["ecma"],"application/emma+xml":["emma"],"application/emotionml+xml":["emotionml"],"application/epub+zip":["epub"],"application/exi":["exi"],"application/express":["exp"],"application/fdf":["fdf"],"application/fdt+xml":["fdt"],"application/font-tdpfr":["pfr"],"application/geo+json":["geojson"],"application/gml+xml":["gml"],"application/gpx+xml":["gpx"],"application/gxf":["gxf"],"application/gzip":["gz"],"application/hjson":["hjson"],"application/hyperstudio":["stk"],"application/inkml+xml":["ink","inkml"],"application/ipfix":["ipfix"],"application/its+xml":["its"],"application/java-archive":["jar","war","ear"],"application/java-serialized-object":["ser"],"application/java-vm":["class"],"application/javascript":["*js"],"application/json":["json","map"],"application/json5":["json5"],"application/jsonml+json":["jsonml"],"application/ld+json":["jsonld"],"application/lgr+xml":["lgr"],"application/lost+xml":["lostxml"],"application/mac-binhex40":["hqx"],"application/mac-compactpro":["cpt"],"application/mads+xml":["mads"],"application/manifest+json":["webmanifest"],"application/marc":["mrc"],"application/marcxml+xml":["mrcx"],"application/mathematica":["ma","nb","mb"],"application/mathml+xml":["mathml"],"application/mbox":["mbox"],"application/media-policy-dataset+xml":["mpf"],"application/mediaservercontrol+xml":["mscml"],"application/metalink+xml":["metalink"],"application/metalink4+xml":["meta4"],"application/mets+xml":["mets"],"application/mmt-aei+xml":["maei"],"application/mmt-usd+xml":["musd"],"application/mods+xml":["mods"],"application/mp21":["m21","mp21"],"application/mp4":["*mp4","*mpg4","mp4s","m4p"],"application/msix":["msix"],"application/msixbundle":["msixbundle"],"application/msword":["doc","dot"],"application/mxf":["mxf"],"application/n-quads":["nq"],"application/n-triples":["nt"],"application/node":["cjs"],"application/octet-stream":["bin","dms","lrf","mar","so","dist","distz","pkg","bpk","dump","elc","deploy","exe","dll","deb","dmg","iso","img","msi","msp","msm","buffer"],"application/oda":["oda"],"application/oebps-package+xml":["opf"],"application/ogg":["ogx"],"application/omdoc+xml":["omdoc"],"application/onenote":["onetoc","onetoc2","onetmp","onepkg"],"application/oxps":["oxps"],"application/p2p-overlay+xml":["relo"],"application/patch-ops-error+xml":["xer"],"application/pdf":["pdf"],"application/pgp-encrypted":["pgp"],"application/pgp-keys":["asc"],"application/pgp-signature":["sig","*asc"],"application/pics-rules":["prf"],"application/pkcs10":["p10"],"application/pkcs7-mime":["p7m","p7c"],"application/pkcs7-signature":["p7s"],"application/pkcs8":["p8"],"application/pkix-attr-cert":["ac"],"application/pkix-cert":["cer"],"application/pkix-crl":["crl"],"application/pkix-pkipath":["pkipath"],"application/pkixcmp":["pki"],"application/pls+xml":["pls"],"application/postscript":["ai","eps","ps"],"application/provenance+xml":["provx"],"application/pskc+xml":["pskcxml"],"application/raml+yaml":["raml"],"application/rdf+xml":["rdf","owl"],"application/reginfo+xml":["rif"],"application/relax-ng-compact-syntax":["rnc"],"application/resource-lists+xml":["rl"],"application/resource-lists-diff+xml":["rld"],"application/rls-services+xml":["rs"],"application/route-apd+xml":["rapd"],"application/route-s-tsid+xml":["sls"],"application/route-usd+xml":["rusd"],"application/rpki-ghostbusters":["gbr"],"application/rpki-manifest":["mft"],"application/rpki-roa":["roa"],"application/rsd+xml":["rsd"],"application/rss+xml":["rss"],"application/rtf":["rtf"],"application/sbml+xml":["sbml"],"application/scvp-cv-request":["scq"],"application/scvp-cv-response":["scs"],"application/scvp-vp-request":["spq"],"application/scvp-vp-response":["spp"],"application/sdp":["sdp"],"application/senml+xml":["senmlx"],"application/sensml+xml":["sensmlx"],"application/set-payment-initiation":["setpay"],"application/set-registration-initiation":["setreg"],"application/shf+xml":["shf"],"application/sieve":["siv","sieve"],"application/smil+xml":["smi","smil"],"application/sparql-query":["rq"],"application/sparql-results+xml":["srx"],"application/sql":["sql"],"application/srgs":["gram"],"application/srgs+xml":["grxml"],"application/sru+xml":["sru"],"application/ssdl+xml":["ssdl"],"application/ssml+xml":["ssml"],"application/swid+xml":["swidtag"],"application/tei+xml":["tei","teicorpus"],"application/thraud+xml":["tfi"],"application/timestamped-data":["tsd"],"application/toml":["toml"],"application/trig":["trig"],"application/ttml+xml":["ttml"],"application/ubjson":["ubj"],"application/urc-ressheet+xml":["rsheet"],"application/urc-targetdesc+xml":["td"],"application/voicexml+xml":["vxml"],"application/wasm":["wasm"],"application/watcherinfo+xml":["wif"],"application/widget":["wgt"],"application/winhlp":["hlp"],"application/wsdl+xml":["wsdl"],"application/wspolicy+xml":["wspolicy"],"application/xaml+xml":["xaml"],"application/xcap-att+xml":["xav"],"application/xcap-caps+xml":["xca"],"application/xcap-diff+xml":["xdf"],"application/xcap-el+xml":["xel"],"application/xcap-ns+xml":["xns"],"application/xenc+xml":["xenc"],"application/xfdf":["xfdf"],"application/xhtml+xml":["xhtml","xht"],"application/xliff+xml":["xlf"],"application/xml":["xml","xsl","xsd","rng"],"application/xml-dtd":["dtd"],"application/xop+xml":["xop"],"application/xproc+xml":["xpl"],"application/xslt+xml":["*xsl","xslt"],"application/xspf+xml":["xspf"],"application/xv+xml":["mxml","xhvml","xvml","xvm"],"application/yang":["yang"],"application/yin+xml":["yin"],"application/zip":["zip"],"audio/3gpp":["*3gpp"],"audio/aac":["adts","aac"],"audio/adpcm":["adp"],"audio/amr":["amr"],"audio/basic":["au","snd"],"audio/midi":["mid","midi","kar","rmi"],"audio/mobile-xmf":["mxmf"],"audio/mp3":["*mp3"],"audio/mp4":["m4a","mp4a"],"audio/mpeg":["mpga","mp2","mp2a","mp3","m2a","m3a"],"audio/ogg":["oga","ogg","spx","opus"],"audio/s3m":["s3m"],"audio/silk":["sil"],"audio/wav":["wav"],"audio/wave":["*wav"],"audio/webm":["weba"],"audio/xm":["xm"],"font/collection":["ttc"],"font/otf":["otf"],"font/ttf":["ttf"],"font/woff":["woff"],"font/woff2":["woff2"],"image/aces":["exr"],"image/apng":["apng"],"image/avci":["avci"],"image/avcs":["avcs"],"image/avif":["avif"],"image/bmp":["bmp","dib"],"image/cgm":["cgm"],"image/dicom-rle":["drle"],"image/dpx":["dpx"],"image/emf":["emf"],"image/fits":["fits"],"image/g3fax":["g3"],"image/gif":["gif"],"image/heic":["heic"],"image/heic-sequence":["heics"],"image/heif":["heif"],"image/heif-sequence":["heifs"],"image/hej2k":["hej2"],"image/hsj2":["hsj2"],"image/ief":["ief"],"image/jls":["jls"],"image/jp2":["jp2","jpg2"],"image/jpeg":["jpeg","jpg","jpe"],"image/jph":["jph"],"image/jphc":["jhc"],"image/jpm":["jpm","jpgm"],"image/jpx":["jpx","jpf"],"image/jxr":["jxr"],"image/jxra":["jxra"],"image/jxrs":["jxrs"],"image/jxs":["jxs"],"image/jxsc":["jxsc"],"image/jxsi":["jxsi"],"image/jxss":["jxss"],"image/ktx":["ktx"],"image/ktx2":["ktx2"],"image/png":["png"],"image/sgi":["sgi"],"image/svg+xml":["svg","svgz"],"image/t38":["t38"],"image/tiff":["tif","tiff"],"image/tiff-fx":["tfx"],"image/webp":["webp"],"image/wmf":["wmf"],"message/disposition-notification":["disposition-notification"],"message/global":["u8msg"],"message/global-delivery-status":["u8dsn"],"message/global-disposition-notification":["u8mdn"],"message/global-headers":["u8hdr"],"message/rfc822":["eml","mime"],"model/3mf":["3mf"],"model/gltf+json":["gltf"],"model/gltf-binary":["glb"],"model/iges":["igs","iges"],"model/jt":["jt"],"model/mesh":["msh","mesh","silo"],"model/mtl":["mtl"],"model/obj":["obj"],"model/prc":["prc"],"model/step+xml":["stpx"],"model/step+zip":["stpz"],"model/step-xml+zip":["stpxz"],"model/stl":["stl"],"model/u3d":["u3d"],"model/vrml":["wrl","vrml"],"model/x3d+binary":["*x3db","x3dbz"],"model/x3d+fastinfoset":["x3db"],"model/x3d+vrml":["*x3dv","x3dvz"],"model/x3d+xml":["x3d","x3dz"],"model/x3d-vrml":["x3dv"],"text/cache-manifest":["appcache","manifest"],"text/calendar":["ics","ifb"],"text/coffeescript":["coffee","litcoffee"],"text/css":["css"],"text/csv":["csv"],"text/html":["html","htm","shtml"],"text/jade":["jade"],"text/javascript":["js","mjs"],"text/jsx":["jsx"],"text/less":["less"],"text/markdown":["md","markdown"],"text/mathml":["mml"],"text/mdx":["mdx"],"text/n3":["n3"],"text/plain":["txt","text","conf","def","list","log","in","ini"],"text/richtext":["rtx"],"text/rtf":["*rtf"],"text/sgml":["sgml","sgm"],"text/shex":["shex"],"text/slim":["slim","slm"],"text/spdx":["spdx"],"text/stylus":["stylus","styl"],"text/tab-separated-values":["tsv"],"text/troff":["t","tr","roff","man","me","ms"],"text/turtle":["ttl"],"text/uri-list":["uri","uris","urls"],"text/vcard":["vcard"],"text/vtt":["vtt"],"text/wgsl":["wgsl"],"text/xml":["*xml"],"text/yaml":["yaml","yml"],"video/3gpp":["3gp","3gpp"],"video/3gpp2":["3g2"],"video/h261":["h261"],"video/h263":["h263"],"video/h264":["h264"],"video/iso.segment":["m4s"],"video/jpeg":["jpgv"],"video/jpm":["*jpm","*jpgm"],"video/mj2":["mj2","mjp2"],"video/mp2t":["ts"],"video/mp4":["mp4","mp4v","mpg4"],"video/mpeg":["mpeg","mpg","mpe","m1v","m2v"],"video/ogg":["ogv"],"video/quicktime":["qt","mov"],"video/webm":["webm"]};Object.freeze(ko);var Vo=ko;var we=function(e,t,i,a){if(i==="a"&&!a)throw new TypeError("Private accessor was defined without a getter");if(typeof t=="function"?e!==t||!a:!t.has(e))throw new TypeError("Cannot read private member from an object whose class did not declare it");return i==="m"?a:i==="a"?a.call(e):a?a.value:t.get(e)},yt,Wt,lt,ya=class{constructor(...t){yt.set(this,new Map),Wt.set(this,new Map),lt.set(this,new Map);for(let i of t)this.define(i)}define(t,i=!1){for(let[a,n]of Object.entries(t)){a=a.toLowerCase(),n=n.map(r=>r.toLowerCase()),we(this,lt,"f").has(a)||we(this,lt,"f").set(a,new Set);let o=we(this,lt,"f").get(a),l=!0;for(let r of n){let s=r.startsWith("*");if(r=s?r.slice(1):r,o?.add(r),l&&we(this,Wt,"f").set(a,r),l=!1,s)continue;let p=we(this,yt,"f").get(r);if(p&&p!=a&&!i)throw new Error(`"${a} -> ${r}" conflicts with "${p} -> ${r}". Pass \`force=true\` to override this definition.`);we(this,yt,"f").set(r,a)}}return this}getType(t){if(typeof t!="string")return null;let i=t.replace(/^.*[/\\]/,"").toLowerCase(),a=i.replace(/^.*\./,"").toLowerCase(),n=i.length{throw new Error("define() not allowed for built-in Mime objects. See https://github.com/broofa/mime/blob/main/README.md#custom-mime-instances")},Object.freeze(this);for(let t of we(this,lt,"f").values())Object.freeze(t);return this}_getTestState(){return{types:we(this,yt,"f"),extensions:we(this,Wt,"f")}}};yt=new WeakMap,Wt=new WeakMap,lt=new WeakMap;var _a=ya;var Go=new _a(Vo,Bo)._freeze();var Uo=({addFilter:e,utils:t})=>{let{Type:i,replaceInString:a,toNaturalFileSize:n}=t;return e("ALLOW_HOPPER_ITEM",(o,{query:l})=>{if(!l("GET_ALLOW_FILE_SIZE_VALIDATION"))return!0;let r=l("GET_MAX_FILE_SIZE");if(r!==null&&o.size>r)return!1;let s=l("GET_MIN_FILE_SIZE");return!(s!==null&&o.sizenew Promise((r,s)=>{if(!l("GET_ALLOW_FILE_SIZE_VALIDATION"))return r(o);let p=l("GET_FILE_VALIDATE_SIZE_FILTER");if(p&&!p(o))return r(o);let c=l("GET_MAX_FILE_SIZE");if(c!==null&&o.size>c){s({status:{main:l("GET_LABEL_MAX_FILE_SIZE_EXCEEDED"),sub:a(l("GET_LABEL_MAX_FILE_SIZE"),{filesize:n(c,".",l("GET_FILE_SIZE_BASE"),l("GET_FILE_SIZE_LABELS",l))})}});return}let d=l("GET_MIN_FILE_SIZE");if(d!==null&&o.sizef+h.fileSize,0)>m){s({status:{main:l("GET_LABEL_MAX_TOTAL_FILE_SIZE_EXCEEDED"),sub:a(l("GET_LABEL_MAX_TOTAL_FILE_SIZE"),{filesize:n(m,".",l("GET_FILE_SIZE_BASE"),l("GET_FILE_SIZE_LABELS",l))})}});return}r(o)})),{options:{allowFileSizeValidation:[!0,i.BOOLEAN],maxFileSize:[null,i.INT],minFileSize:[null,i.INT],maxTotalFileSize:[null,i.INT],fileValidateSizeFilter:[null,i.FUNCTION],labelMinFileSizeExceeded:["File is too small",i.STRING],labelMinFileSize:["Minimum file size is {filesize}",i.STRING],labelMaxFileSizeExceeded:["File is too large",i.STRING],labelMaxFileSize:["Maximum file size is {filesize}",i.STRING],labelMaxTotalFileSizeExceeded:["Maximum total size exceeded",i.STRING],labelMaxTotalFileSize:["Maximum total file size is {filesize}",i.STRING]}}},Xp=typeof window<"u"&&typeof window.document<"u";Xp&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:Uo}));var Wo=Uo;var Ho=({addFilter:e,utils:t})=>{let{Type:i,isString:a,replaceInString:n,guesstimateMimeType:o,getExtensionFromFilename:l,getFilenameFromURL:r}=t,s=(u,f)=>{let h=(/^[^/]+/.exec(u)||[]).pop(),g=f.slice(0,-2);return h===g},p=(u,f)=>u.some(h=>/\*$/.test(h)?s(f,h):h===f),c=u=>{let f="";if(a(u)){let h=r(u),g=l(h);g&&(f=o(g))}else f=u.type;return f},d=(u,f,h)=>{if(f.length===0)return!0;let g=c(u);return h?new Promise((I,E)=>{h(u,g).then(T=>{p(f,T)?I():E()}).catch(E)}):p(f,g)},m=u=>f=>u[f]===null?!1:u[f]||f;return e("SET_ATTRIBUTE_TO_OPTION_MAP",u=>Object.assign(u,{accept:"acceptedFileTypes"})),e("ALLOW_HOPPER_ITEM",(u,{query:f})=>f("GET_ALLOW_FILE_TYPE_VALIDATION")?d(u,f("GET_ACCEPTED_FILE_TYPES")):!0),e("LOAD_FILE",(u,{query:f})=>new Promise((h,g)=>{if(!f("GET_ALLOW_FILE_TYPE_VALIDATION")){h(u);return}let I=f("GET_ACCEPTED_FILE_TYPES"),E=f("GET_FILE_VALIDATE_TYPE_DETECT_TYPE"),T=d(u,I,E),v=()=>{let y=I.map(m(f("GET_FILE_VALIDATE_TYPE_LABEL_EXPECTED_TYPES_MAP"))).filter(w=>w!==!1),b=y.filter((w,x)=>y.indexOf(w)===x);g({status:{main:f("GET_LABEL_FILE_TYPE_NOT_ALLOWED"),sub:n(f("GET_FILE_VALIDATE_TYPE_LABEL_EXPECTED_TYPES"),{allTypes:b.join(", "),allButLastType:b.slice(0,-1).join(", "),lastType:b[b.length-1]})}})};if(typeof T=="boolean")return T?h(u):v();T.then(()=>{h(u)}).catch(v)})),{options:{allowFileTypeValidation:[!0,i.BOOLEAN],acceptedFileTypes:[[],i.ARRAY],labelFileTypeNotAllowed:["File is of invalid type",i.STRING],fileValidateTypeLabelExpectedTypes:["Expects {allButLastType} or {lastType}",i.STRING],fileValidateTypeLabelExpectedTypesMap:[{},i.OBJECT],fileValidateTypeDetectType:[null,i.FUNCTION]}}},Qp=typeof window<"u"&&typeof window.document<"u";Qp&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:Ho}));var jo=Ho;var Yo=e=>/^image/.test(e.type),qo=({addFilter:e,utils:t})=>{let{Type:i,isFile:a,getNumericAspectRatioFromString:n}=t,o=(p,c)=>!(!Yo(p.file)||!c("GET_ALLOW_IMAGE_CROP")),l=p=>typeof p=="object",r=p=>typeof p=="number",s=(p,c)=>p.setMetadata("crop",Object.assign({},p.getMetadata("crop"),c));return e("DID_CREATE_ITEM",(p,{query:c})=>{p.extend("setImageCrop",d=>{if(!(!o(p,c)||!l(center)))return p.setMetadata("crop",d),d}),p.extend("setImageCropCenter",d=>{if(!(!o(p,c)||!l(d)))return s(p,{center:d})}),p.extend("setImageCropZoom",d=>{if(!(!o(p,c)||!r(d)))return s(p,{zoom:Math.max(1,d)})}),p.extend("setImageCropRotation",d=>{if(!(!o(p,c)||!r(d)))return s(p,{rotation:d})}),p.extend("setImageCropFlip",d=>{if(!(!o(p,c)||!l(d)))return s(p,{flip:d})}),p.extend("setImageCropAspectRatio",d=>{if(!o(p,c)||typeof d>"u")return;let m=p.getMetadata("crop"),u=n(d),f={center:{x:.5,y:.5},flip:m?Object.assign({},m.flip):{horizontal:!1,vertical:!1},rotation:0,zoom:1,aspectRatio:u};return p.setMetadata("crop",f),f})}),e("DID_LOAD_ITEM",(p,{query:c})=>new Promise((d,m)=>{let u=p.file;if(!a(u)||!Yo(u)||!c("GET_ALLOW_IMAGE_CROP")||p.getMetadata("crop"))return d(p);let h=c("GET_IMAGE_CROP_ASPECT_RATIO");p.setMetadata("crop",{center:{x:.5,y:.5},flip:{horizontal:!1,vertical:!1},rotation:0,zoom:1,aspectRatio:h?n(h):null}),d(p)})),{options:{allowImageCrop:[!0,i.BOOLEAN],imageCropAspectRatio:[null,i.STRING]}}},Zp=typeof window<"u"&&typeof window.document<"u";Zp&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:qo}));var $o=qo;var Ra=e=>/^image/.test(e.type),Xo=e=>{let{addFilter:t,utils:i,views:a}=e,{Type:n,createRoute:o,createItemAPI:l=c=>c}=i,{fileActionButton:r}=a;t("SHOULD_REMOVE_ON_REVERT",(c,{item:d,query:m})=>new Promise(u=>{let{file:f}=d,h=m("GET_ALLOW_IMAGE_EDIT")&&m("GET_IMAGE_EDIT_ALLOW_EDIT")&&Ra(f);u(!h)})),t("DID_LOAD_ITEM",(c,{query:d,dispatch:m})=>new Promise((u,f)=>{if(c.origin>1){u(c);return}let{file:h}=c;if(!d("GET_ALLOW_IMAGE_EDIT")||!d("GET_IMAGE_EDIT_INSTANT_EDIT")){u(c);return}if(!Ra(h)){u(c);return}let g=(E,T,v)=>y=>{s.shift(),y?T(E):v(E),m("KICK"),I()},I=()=>{if(!s.length)return;let{item:E,resolve:T,reject:v}=s[0];m("EDIT_ITEM",{id:E.id,handleEditorResponse:g(E,T,v)})};p({item:c,resolve:u,reject:f}),s.length===1&&I()})),t("DID_CREATE_ITEM",(c,{query:d,dispatch:m})=>{c.extend("edit",()=>{m("EDIT_ITEM",{id:c.id})})});let s=[],p=c=>(s.push(c),c);return t("CREATE_VIEW",c=>{let{is:d,view:m,query:u}=c;if(!u("GET_ALLOW_IMAGE_EDIT"))return;let f=u("GET_ALLOW_IMAGE_PREVIEW");if(!(d("file-info")&&!f||d("file")&&f))return;let g=u("GET_IMAGE_EDIT_EDITOR");if(!g)return;g.filepondCallbackBridge||(g.outputData=!0,g.outputFile=!1,g.filepondCallbackBridge={onconfirm:g.onconfirm||(()=>{}),oncancel:g.oncancel||(()=>{})});let I=({root:v,props:y,action:b})=>{let{id:w}=y,{handleEditorResponse:x}=b;g.cropAspectRatio=v.query("GET_IMAGE_CROP_ASPECT_RATIO")||g.cropAspectRatio,g.outputCanvasBackgroundColor=v.query("GET_IMAGE_TRANSFORM_CANVAS_BACKGROUND_COLOR")||g.outputCanvasBackgroundColor;let _=v.query("GET_ITEM",w);if(!_)return;let P=_.file,O=_.getMetadata("crop"),M={center:{x:.5,y:.5},flip:{horizontal:!1,vertical:!1},zoom:1,rotation:0,aspectRatio:null},C=_.getMetadata("resize"),S=_.getMetadata("filter")||null,F=_.getMetadata("filters")||null,R=_.getMetadata("colors")||null,L=_.getMetadata("markup")||null,z={crop:O||M,size:C?{upscale:C.upscale,mode:C.mode,width:C.size.width,height:C.size.height}:null,filter:F?F.id||F.matrix:v.query("GET_ALLOW_IMAGE_FILTER")&&v.query("GET_IMAGE_FILTER_COLOR_MATRIX")&&!R?S:null,color:R,markup:L};g.onconfirm=({data:D})=>{let{crop:k,size:B,filter:X,color:q,colorMatrix:Q,markup:pe}=D,G={};if(k&&(G.crop=k),B){let H=(_.getMetadata("resize")||{}).size,Y={width:B.width,height:B.height};!(Y.width&&Y.height)&&H&&(Y.width=H.width,Y.height=H.height),(Y.width||Y.height)&&(G.resize={upscale:B.upscale,mode:B.mode,size:Y})}pe&&(G.markup=pe),G.colors=q,G.filters=X,G.filter=Q,_.setMetadata(G),g.filepondCallbackBridge.onconfirm(D,l(_)),x&&(g.onclose=()=>{x(!0),g.onclose=null})},g.oncancel=()=>{g.filepondCallbackBridge.oncancel(l(_)),x&&(g.onclose=()=>{x(!1),g.onclose=null})},g.open(P,z)},E=({root:v,props:y})=>{if(!u("GET_IMAGE_EDIT_ALLOW_EDIT"))return;let{id:b}=y,w=u("GET_ITEM",b);if(!w)return;let x=w.file;if(Ra(x))if(v.ref.handleEdit=_=>{_.stopPropagation(),v.dispatch("EDIT_ITEM",{id:b})},f){let _=m.createChildView(r,{label:"edit",icon:u("GET_IMAGE_EDIT_ICON_EDIT"),opacity:0});_.element.classList.add("filepond--action-edit-item"),_.element.dataset.align=u("GET_STYLE_IMAGE_EDIT_BUTTON_EDIT_ITEM_POSITION"),_.on("click",v.ref.handleEdit),v.ref.buttonEditItem=m.appendChildView(_)}else{let _=m.element.querySelector(".filepond--file-info-main"),P=document.createElement("button");P.className="filepond--action-edit-item-alt",P.innerHTML=u("GET_IMAGE_EDIT_ICON_EDIT")+"edit",P.addEventListener("click",v.ref.handleEdit),_.appendChild(P),v.ref.editButton=P}};m.registerDestroyer(({root:v})=>{v.ref.buttonEditItem&&v.ref.buttonEditItem.off("click",v.ref.handleEdit),v.ref.editButton&&v.ref.editButton.removeEventListener("click",v.ref.handleEdit)});let T={EDIT_ITEM:I,DID_LOAD_ITEM:E};if(f){let v=({root:y})=>{y.ref.buttonEditItem&&(y.ref.buttonEditItem.opacity=1)};T.DID_IMAGE_PREVIEW_SHOW=v}m.registerWriter(o(T))}),{options:{allowImageEdit:[!0,n.BOOLEAN],styleImageEditButtonEditItemPosition:["bottom center",n.STRING],imageEditInstantEdit:[!1,n.BOOLEAN],imageEditAllowEdit:[!0,n.BOOLEAN],imageEditIconEdit:['',n.STRING],imageEditEditor:[null,n.OBJECT]}}},Kp=typeof window<"u"&&typeof window.document<"u";Kp&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:Xo}));var Qo=Xo;var Jp=e=>/^image\/jpeg/.test(e.type),rt={JPEG:65496,APP1:65505,EXIF:1165519206,TIFF:18761,Orientation:274,Unknown:65280},st=(e,t,i=!1)=>e.getUint16(t,i),Zo=(e,t,i=!1)=>e.getUint32(t,i),em=e=>new Promise((t,i)=>{let a=new FileReader;a.onload=function(n){let o=new DataView(n.target.result);if(st(o,0)!==rt.JPEG){t(-1);return}let l=o.byteLength,r=2;for(;rtypeof window<"u"&&typeof window.document<"u")(),im=()=>tm,am="data:image/jpg;base64,/9j/4AAQSkZJRgABAQEASABIAAD/4QA6RXhpZgAATU0AKgAAAAgAAwESAAMAAAABAAYAAAEoAAMAAAABAAIAAAITAAMAAAABAAEAAAAAAAD/2wBDAP//////////////////////////////////////////////////////////////////////////////////////wAALCAABAAIBASIA/8QAJgABAAAAAAAAAAAAAAAAAAAAAxABAAAAAAAAAAAAAAAAAAAAAP/aAAgBAQAAPwBH/9k=",Ko,Ti=im()?new Image:{};Ti.onload=()=>Ko=Ti.naturalWidth>Ti.naturalHeight;Ti.src=am;var nm=()=>Ko,Jo=({addFilter:e,utils:t})=>{let{Type:i,isFile:a}=t;return e("DID_LOAD_ITEM",(n,{query:o})=>new Promise((l,r)=>{let s=n.file;if(!a(s)||!Jp(s)||!o("GET_ALLOW_IMAGE_EXIF_ORIENTATION")||!nm())return l(n);em(s).then(p=>{n.setMetadata("exif",{orientation:p}),l(n)})})),{options:{allowImageExifOrientation:[!0,i.BOOLEAN]}}},om=typeof window<"u"&&typeof window.document<"u";om&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:Jo}));var el=Jo;var lm=e=>/^image/.test(e.type),tl=(e,t)=>jt(e.x*t,e.y*t),il=(e,t)=>jt(e.x+t.x,e.y+t.y),rm=e=>{let t=Math.sqrt(e.x*e.x+e.y*e.y);return t===0?{x:0,y:0}:jt(e.x/t,e.y/t)},Ii=(e,t,i)=>{let a=Math.cos(t),n=Math.sin(t),o=jt(e.x-i.x,e.y-i.y);return jt(i.x+a*o.x-n*o.y,i.y+n*o.x+a*o.y)},jt=(e=0,t=0)=>({x:e,y:t}),Te=(e,t,i=1,a)=>{if(typeof e=="string")return parseFloat(e)*i;if(typeof e=="number")return e*(a?t[a]:Math.min(t.width,t.height))},sm=(e,t,i)=>{let a=e.borderStyle||e.lineStyle||"solid",n=e.backgroundColor||e.fontColor||"transparent",o=e.borderColor||e.lineColor||"transparent",l=Te(e.borderWidth||e.lineWidth,t,i),r=e.lineCap||"round",s=e.lineJoin||"round",p=typeof a=="string"?"":a.map(d=>Te(d,t,i)).join(","),c=e.opacity||1;return{"stroke-linecap":r,"stroke-linejoin":s,"stroke-width":l||0,"stroke-dasharray":p,stroke:o,fill:n,opacity:c}},Se=e=>e!=null,cm=(e,t,i=1)=>{let a=Te(e.x,t,i,"width")||Te(e.left,t,i,"width"),n=Te(e.y,t,i,"height")||Te(e.top,t,i,"height"),o=Te(e.width,t,i,"width"),l=Te(e.height,t,i,"height"),r=Te(e.right,t,i,"width"),s=Te(e.bottom,t,i,"height");return Se(n)||(Se(l)&&Se(s)?n=t.height-l-s:n=s),Se(a)||(Se(o)&&Se(r)?a=t.width-o-r:a=r),Se(o)||(Se(a)&&Se(r)?o=t.width-a-r:o=0),Se(l)||(Se(n)&&Se(s)?l=t.height-n-s:l=0),{x:a||0,y:n||0,width:o||0,height:l||0}},dm=e=>e.map((t,i)=>`${i===0?"M":"L"} ${t.x} ${t.y}`).join(" "),Ce=(e,t)=>Object.keys(t).forEach(i=>e.setAttribute(i,t[i])),pm="http://www.w3.org/2000/svg",_t=(e,t)=>{let i=document.createElementNS(pm,e);return t&&Ce(i,t),i},mm=e=>Ce(e,{...e.rect,...e.styles}),um=e=>{let t=e.rect.x+e.rect.width*.5,i=e.rect.y+e.rect.height*.5,a=e.rect.width*.5,n=e.rect.height*.5;return Ce(e,{cx:t,cy:i,rx:a,ry:n,...e.styles})},fm={contain:"xMidYMid meet",cover:"xMidYMid slice"},hm=(e,t)=>{Ce(e,{...e.rect,...e.styles,preserveAspectRatio:fm[t.fit]||"none"})},gm={left:"start",center:"middle",right:"end"},Em=(e,t,i,a)=>{let n=Te(t.fontSize,i,a),o=t.fontFamily||"sans-serif",l=t.fontWeight||"normal",r=gm[t.textAlign]||"start";Ce(e,{...e.rect,...e.styles,"stroke-width":0,"font-weight":l,"font-size":n,"font-family":o,"text-anchor":r}),e.text!==t.text&&(e.text=t.text,e.textContent=t.text.length?t.text:" ")},bm=(e,t,i,a)=>{Ce(e,{...e.rect,...e.styles,fill:"none"});let n=e.childNodes[0],o=e.childNodes[1],l=e.childNodes[2],r=e.rect,s={x:e.rect.x+e.rect.width,y:e.rect.y+e.rect.height};if(Ce(n,{x1:r.x,y1:r.y,x2:s.x,y2:s.y}),!t.lineDecoration)return;o.style.display="none",l.style.display="none";let p=rm({x:s.x-r.x,y:s.y-r.y}),c=Te(.05,i,a);if(t.lineDecoration.indexOf("arrow-begin")!==-1){let d=tl(p,c),m=il(r,d),u=Ii(r,2,m),f=Ii(r,-2,m);Ce(o,{style:"display:block;",d:`M${u.x},${u.y} L${r.x},${r.y} L${f.x},${f.y}`})}if(t.lineDecoration.indexOf("arrow-end")!==-1){let d=tl(p,-c),m=il(s,d),u=Ii(s,2,m),f=Ii(s,-2,m);Ce(l,{style:"display:block;",d:`M${u.x},${u.y} L${s.x},${s.y} L${f.x},${f.y}`})}},Tm=(e,t,i,a)=>{Ce(e,{...e.styles,fill:"none",d:dm(t.points.map(n=>({x:Te(n.x,i,a,"width"),y:Te(n.y,i,a,"height")})))})},vi=e=>t=>_t(e,{id:t.id}),Im=e=>{let t=_t("image",{id:e.id,"stroke-linecap":"round","stroke-linejoin":"round",opacity:"0"});return t.onload=()=>{t.setAttribute("opacity",e.opacity||1)},t.setAttributeNS("http://www.w3.org/1999/xlink","xlink:href",e.src),t},vm=e=>{let t=_t("g",{id:e.id,"stroke-linecap":"round","stroke-linejoin":"round"}),i=_t("line");t.appendChild(i);let a=_t("path");t.appendChild(a);let n=_t("path");return t.appendChild(n),t},xm={image:Im,rect:vi("rect"),ellipse:vi("ellipse"),text:vi("text"),path:vi("path"),line:vm},ym={rect:mm,ellipse:um,image:hm,text:Em,path:Tm,line:bm},_m=(e,t)=>xm[e](t),Rm=(e,t,i,a,n)=>{t!=="path"&&(e.rect=cm(i,a,n)),e.styles=sm(i,a,n),ym[t](e,i,a,n)},wm=["x","y","left","top","right","bottom","width","height"],Sm=e=>typeof e=="string"&&/%/.test(e)?parseFloat(e)/100:e,Lm=e=>{let[t,i]=e,a=i.points?{}:wm.reduce((n,o)=>(n[o]=Sm(i[o]),n),{});return[t,{zIndex:0,...i,...a}]},Am=(e,t)=>e[1].zIndex>t[1].zIndex?1:e[1].zIndexe.utils.createView({name:"image-preview-markup",tag:"svg",ignoreRect:!0,mixins:{apis:["width","height","crop","markup","resize","dirty"]},write:({root:t,props:i})=>{if(!i.dirty)return;let{crop:a,resize:n,markup:o}=i,l=i.width,r=i.height,s=a.width,p=a.height;if(n){let{size:u}=n,f=u&&u.width,h=u&&u.height,g=n.mode,I=n.upscale;f&&!h&&(h=f),h&&!f&&(f=h);let E=s{let[f,h]=u,g=_m(f,h);Rm(g,f,h,c,d),t.element.appendChild(g)})}}),Ht=(e,t)=>({x:e,y:t}),Om=(e,t)=>e.x*t.x+e.y*t.y,al=(e,t)=>Ht(e.x-t.x,e.y-t.y),Pm=(e,t)=>Om(al(e,t),al(e,t)),nl=(e,t)=>Math.sqrt(Pm(e,t)),ol=(e,t)=>{let i=e,a=1.5707963267948966,n=t,o=1.5707963267948966-t,l=Math.sin(a),r=Math.sin(n),s=Math.sin(o),p=Math.cos(o),c=i/l,d=c*r,m=c*s;return Ht(p*d,p*m)},Dm=(e,t)=>{let i=e.width,a=e.height,n=ol(i,t),o=ol(a,t),l=Ht(e.x+Math.abs(n.x),e.y-Math.abs(n.y)),r=Ht(e.x+e.width+Math.abs(o.y),e.y+Math.abs(o.x)),s=Ht(e.x-Math.abs(o.y),e.y+e.height-Math.abs(o.x));return{width:nl(l,r),height:nl(l,s)}},Fm=(e,t,i=1)=>{let a=e.height/e.width,n=1,o=t,l=1,r=a;r>o&&(r=o,l=r/a);let s=Math.max(n/l,o/r),p=e.width/(i*s*l),c=p*t;return{width:p,height:c}},rl=(e,t,i,a)=>{let n=a.x>.5?1-a.x:a.x,o=a.y>.5?1-a.y:a.y,l=n*2*e.width,r=o*2*e.height,s=Dm(t,i);return Math.max(s.width/l,s.height/r)},sl=(e,t)=>{let i=e.width,a=i*t;a>e.height&&(a=e.height,i=a/t);let n=(e.width-i)*.5,o=(e.height-a)*.5;return{x:n,y:o,width:i,height:a}},zm=(e,t={})=>{let{zoom:i,rotation:a,center:n,aspectRatio:o}=t;o||(o=e.height/e.width);let l=Fm(e,o,i),r={x:l.width*.5,y:l.height*.5},s={x:0,y:0,width:l.width,height:l.height,center:r},p=typeof t.scaleToFit>"u"||t.scaleToFit,c=rl(e,sl(s,o),a,p?n:{x:.5,y:.5}),d=i*c;return{widthFloat:l.width/d,heightFloat:l.height/d,width:Math.round(l.width/d),height:Math.round(l.height/d)}},ze={type:"spring",stiffness:.5,damping:.45,mass:10},Cm=e=>e.utils.createView({name:"image-bitmap",ignoreRect:!0,mixins:{styles:["scaleX","scaleY"]},create:({root:t,props:i})=>{t.appendChild(i.image)}}),Nm=e=>e.utils.createView({name:"image-canvas-wrapper",tag:"div",ignoreRect:!0,mixins:{apis:["crop","width","height"],styles:["originX","originY","translateX","translateY","scaleX","scaleY","rotateZ"],animations:{originX:ze,originY:ze,scaleX:ze,scaleY:ze,translateX:ze,translateY:ze,rotateZ:ze}},create:({root:t,props:i})=>{i.width=i.image.width,i.height=i.image.height,t.ref.bitmap=t.appendChildView(t.createChildView(Cm(e),{image:i.image}))},write:({root:t,props:i})=>{let{flip:a}=i.crop,{bitmap:n}=t.ref;n.scaleX=a.horizontal?-1:1,n.scaleY=a.vertical?-1:1}}),Bm=e=>e.utils.createView({name:"image-clip",tag:"div",ignoreRect:!0,mixins:{apis:["crop","markup","resize","width","height","dirty","background"],styles:["width","height","opacity"],animations:{opacity:{type:"tween",duration:250}}},didWriteView:function({root:t,props:i}){i.background&&(t.element.style.backgroundColor=i.background)},create:({root:t,props:i})=>{t.ref.image=t.appendChildView(t.createChildView(Nm(e),Object.assign({},i))),t.ref.createMarkup=()=>{t.ref.markup||(t.ref.markup=t.appendChildView(t.createChildView(Mm(e),Object.assign({},i))))},t.ref.destroyMarkup=()=>{t.ref.markup&&(t.removeChildView(t.ref.markup),t.ref.markup=null)};let a=t.query("GET_IMAGE_PREVIEW_TRANSPARENCY_INDICATOR");a!==null&&(a==="grid"?t.element.dataset.transparencyIndicator=a:t.element.dataset.transparencyIndicator="color")},write:({root:t,props:i,shouldOptimize:a})=>{let{crop:n,markup:o,resize:l,dirty:r,width:s,height:p}=i;t.ref.image.crop=n;let c={x:0,y:0,width:s,height:p,center:{x:s*.5,y:p*.5}},d={width:t.ref.image.width,height:t.ref.image.height},m={x:n.center.x*d.width,y:n.center.y*d.height},u={x:c.center.x-d.width*n.center.x,y:c.center.y-d.height*n.center.y},f=Math.PI*2+n.rotation%(Math.PI*2),h=n.aspectRatio||d.height/d.width,g=typeof n.scaleToFit>"u"||n.scaleToFit,I=rl(d,sl(c,h),f,g?n.center:{x:.5,y:.5}),E=n.zoom*I;o&&o.length?(t.ref.createMarkup(),t.ref.markup.width=s,t.ref.markup.height=p,t.ref.markup.resize=l,t.ref.markup.dirty=r,t.ref.markup.markup=o,t.ref.markup.crop=zm(d,n)):t.ref.markup&&t.ref.destroyMarkup();let T=t.ref.image;if(a){T.originX=null,T.originY=null,T.translateX=null,T.translateY=null,T.rotateZ=null,T.scaleX=null,T.scaleY=null;return}T.originX=m.x,T.originY=m.y,T.translateX=u.x,T.translateY=u.y,T.rotateZ=f,T.scaleX=E,T.scaleY=E}}),km=e=>e.utils.createView({name:"image-preview",tag:"div",ignoreRect:!0,mixins:{apis:["image","crop","markup","resize","dirty","background"],styles:["translateY","scaleX","scaleY","opacity"],animations:{scaleX:ze,scaleY:ze,translateY:ze,opacity:{type:"tween",duration:400}}},create:({root:t,props:i})=>{t.ref.clip=t.appendChildView(t.createChildView(Bm(e),{id:i.id,image:i.image,crop:i.crop,markup:i.markup,resize:i.resize,dirty:i.dirty,background:i.background}))},write:({root:t,props:i,shouldOptimize:a})=>{let{clip:n}=t.ref,{image:o,crop:l,markup:r,resize:s,dirty:p}=i;if(n.crop=l,n.markup=r,n.resize=s,n.dirty=p,n.opacity=a?0:1,a||t.rect.element.hidden)return;let c=o.height/o.width,d=l.aspectRatio||c,m=t.rect.inner.width,u=t.rect.inner.height,f=t.query("GET_IMAGE_PREVIEW_HEIGHT"),h=t.query("GET_IMAGE_PREVIEW_MIN_HEIGHT"),g=t.query("GET_IMAGE_PREVIEW_MAX_HEIGHT"),I=t.query("GET_PANEL_ASPECT_RATIO"),E=t.query("GET_ALLOW_MULTIPLE");I&&!E&&(f=m*I,d=I);let T=f!==null?f:Math.max(h,Math.min(m*d,g)),v=T/d;v>m&&(v=m,T=v*d),T>u&&(T=u,v=u/d),n.width=v,n.height=T}}),Vm=` + + + + + + + + + + + + + + + + + +`,ll=0,Gm=e=>e.utils.createView({name:"image-preview-overlay",tag:"div",ignoreRect:!0,create:({root:t,props:i})=>{let a=Vm;if(document.querySelector("base")){let n=new URL(window.location.href.replace(window.location.hash,"")).href;a=a.replace(/url\(\#/g,"url("+n+"#")}ll++,t.element.classList.add(`filepond--image-preview-overlay-${i.status}`),t.element.innerHTML=a.replace(/__UID__/g,ll)},mixins:{styles:["opacity"],animations:{opacity:{type:"spring",mass:25}}}}),Um=function(){self.onmessage=e=>{createImageBitmap(e.data.message.file).then(t=>{self.postMessage({id:e.data.id,message:t},[t])})}},Wm=function(){self.onmessage=e=>{let t=e.data.message.imageData,i=e.data.message.colorMatrix,a=t.data,n=a.length,o=i[0],l=i[1],r=i[2],s=i[3],p=i[4],c=i[5],d=i[6],m=i[7],u=i[8],f=i[9],h=i[10],g=i[11],I=i[12],E=i[13],T=i[14],v=i[15],y=i[16],b=i[17],w=i[18],x=i[19],_=0,P=0,O=0,M=0,C=0;for(;_{let i=new Image;i.onload=()=>{let a=i.naturalWidth,n=i.naturalHeight;i=null,t(a,n)},i.src=e},jm={1:()=>[1,0,0,1,0,0],2:e=>[-1,0,0,1,e,0],3:(e,t)=>[-1,0,0,-1,e,t],4:(e,t)=>[1,0,0,-1,0,t],5:()=>[0,1,1,0,0,0],6:(e,t)=>[0,1,-1,0,t,0],7:(e,t)=>[0,-1,-1,0,t,e],8:e=>[0,-1,1,0,0,e]},Ym=(e,t,i,a)=>{a!==-1&&e.transform.apply(e,jm[a](t,i))},qm=(e,t,i,a)=>{t=Math.round(t),i=Math.round(i);let n=document.createElement("canvas");n.width=t,n.height=i;let o=n.getContext("2d");return a>=5&&a<=8&&([t,i]=[i,t]),Ym(o,t,i,a),o.drawImage(e,0,0,t,i),n},cl=e=>/^image/.test(e.type)&&!/svg/.test(e.type),$m=10,Xm=10,Qm=e=>{let t=Math.min($m/e.width,Xm/e.height),i=document.createElement("canvas"),a=i.getContext("2d"),n=i.width=Math.ceil(e.width*t),o=i.height=Math.ceil(e.height*t);a.drawImage(e,0,0,n,o);let l=null;try{l=a.getImageData(0,0,n,o).data}catch{return null}let r=l.length,s=0,p=0,c=0,d=0;for(;dMath.floor(Math.sqrt(e/(t/4))),Zm=(e,t)=>(t=t||document.createElement("canvas"),t.width=e.width,t.height=e.height,t.getContext("2d").drawImage(e,0,0),t),Km=e=>{let t;try{t=new ImageData(e.width,e.height)}catch{t=document.createElement("canvas").getContext("2d").createImageData(e.width,e.height)}return t.data.set(new Uint8ClampedArray(e.data)),t},Jm=e=>new Promise((t,i)=>{let a=new Image;a.crossOrigin="Anonymous",a.onload=()=>{t(a)},a.onerror=n=>{i(n)},a.src=e}),eu=e=>{let t=Gm(e),i=km(e),{createWorker:a}=e.utils,n=(E,T,v)=>new Promise(y=>{E.ref.imageData||(E.ref.imageData=v.getContext("2d").getImageData(0,0,v.width,v.height));let b=Km(E.ref.imageData);if(!T||T.length!==20)return v.getContext("2d").putImageData(b,0,0),y();let w=a(Wm);w.post({imageData:b,colorMatrix:T},x=>{v.getContext("2d").putImageData(x,0,0),w.terminate(),y()},[b.data.buffer])}),o=(E,T)=>{E.removeChildView(T),T.image.width=1,T.image.height=1,T._destroy()},l=({root:E})=>{let T=E.ref.images.shift();return T.opacity=0,T.translateY=-15,E.ref.imageViewBin.push(T),T},r=({root:E,props:T,image:v})=>{let y=T.id,b=E.query("GET_ITEM",{id:y});if(!b)return;let w=b.getMetadata("crop")||{center:{x:.5,y:.5},flip:{horizontal:!1,vertical:!1},zoom:1,rotation:0,aspectRatio:null},x=E.query("GET_IMAGE_TRANSFORM_CANVAS_BACKGROUND_COLOR"),_,P,O=!1;E.query("GET_IMAGE_PREVIEW_MARKUP_SHOW")&&(_=b.getMetadata("markup")||[],P=b.getMetadata("resize"),O=!0);let M=E.appendChildView(E.createChildView(i,{id:y,image:v,crop:w,resize:P,markup:_,dirty:O,background:x,opacity:0,scaleX:1.15,scaleY:1.15,translateY:15}),E.childViews.length);E.ref.images.push(M),M.opacity=1,M.scaleX=1,M.scaleY=1,M.translateY=0,setTimeout(()=>{E.dispatch("DID_IMAGE_PREVIEW_SHOW",{id:y})},250)},s=({root:E,props:T})=>{let v=E.query("GET_ITEM",{id:T.id});if(!v)return;let y=E.ref.images[E.ref.images.length-1];y.crop=v.getMetadata("crop"),y.background=E.query("GET_IMAGE_TRANSFORM_CANVAS_BACKGROUND_COLOR"),E.query("GET_IMAGE_PREVIEW_MARKUP_SHOW")&&(y.dirty=!0,y.resize=v.getMetadata("resize"),y.markup=v.getMetadata("markup"))},p=({root:E,props:T,action:v})=>{if(!/crop|filter|markup|resize/.test(v.change.key)||!E.ref.images.length)return;let y=E.query("GET_ITEM",{id:T.id});if(y){if(/filter/.test(v.change.key)){let b=E.ref.images[E.ref.images.length-1];n(E,v.change.value,b.image);return}if(/crop|markup|resize/.test(v.change.key)){let b=y.getMetadata("crop"),w=E.ref.images[E.ref.images.length-1];if(b&&b.aspectRatio&&w.crop&&w.crop.aspectRatio&&Math.abs(b.aspectRatio-w.crop.aspectRatio)>1e-5){let x=l({root:E});r({root:E,props:T,image:Zm(x.image)})}else s({root:E,props:T})}}},c=E=>{let v=window.navigator.userAgent.match(/Firefox\/([0-9]+)\./),y=v?parseInt(v[1]):null;return y!==null&&y<=58?!1:"createImageBitmap"in window&&cl(E)},d=({root:E,props:T})=>{let{id:v}=T,y=E.query("GET_ITEM",v);if(!y)return;let b=URL.createObjectURL(y.file);Hm(b,(w,x)=>{E.dispatch("DID_IMAGE_PREVIEW_CALCULATE_SIZE",{id:v,width:w,height:x})})},m=({root:E,props:T})=>{let{id:v}=T,y=E.query("GET_ITEM",v);if(!y)return;let b=URL.createObjectURL(y.file),w=()=>{Jm(b).then(x)},x=_=>{URL.revokeObjectURL(b);let O=(y.getMetadata("exif")||{}).orientation||-1,{width:M,height:C}=_;if(!M||!C)return;O>=5&&O<=8&&([M,C]=[C,M]);let S=Math.max(1,window.devicePixelRatio*.75),R=E.query("GET_IMAGE_PREVIEW_ZOOM_FACTOR")*S,L=C/M,z=E.rect.element.width,D=E.rect.element.height,k=z,B=k*L;L>1?(k=Math.min(M,z*R),B=k*L):(B=Math.min(C,D*R),k=B/L);let X=qm(_,k,B,O),q=()=>{let pe=E.query("GET_IMAGE_PREVIEW_CALCULATE_AVERAGE_IMAGE_COLOR")?Qm(data):null;y.setMetadata("color",pe,!0),"close"in _&&_.close(),E.ref.overlayShadow.opacity=1,r({root:E,props:T,image:X})},Q=y.getMetadata("filter");Q?n(E,Q,X).then(q):q()};if(c(y.file)){let _=a(Um);_.post({file:y.file},P=>{if(_.terminate(),!P){w();return}x(P)})}else w()},u=({root:E})=>{let T=E.ref.images[E.ref.images.length-1];T.translateY=0,T.scaleX=1,T.scaleY=1,T.opacity=1},f=({root:E})=>{E.ref.overlayShadow.opacity=1,E.ref.overlayError.opacity=0,E.ref.overlaySuccess.opacity=0},h=({root:E})=>{E.ref.overlayShadow.opacity=.25,E.ref.overlayError.opacity=1},g=({root:E})=>{E.ref.overlayShadow.opacity=.25,E.ref.overlaySuccess.opacity=1},I=({root:E})=>{E.ref.images=[],E.ref.imageData=null,E.ref.imageViewBin=[],E.ref.overlayShadow=E.appendChildView(E.createChildView(t,{opacity:0,status:"idle"})),E.ref.overlaySuccess=E.appendChildView(E.createChildView(t,{opacity:0,status:"success"})),E.ref.overlayError=E.appendChildView(E.createChildView(t,{opacity:0,status:"failure"}))};return e.utils.createView({name:"image-preview-wrapper",create:I,styles:["height"],apis:["height"],destroy:({root:E})=>{E.ref.images.forEach(T=>{T.image.width=1,T.image.height=1})},didWriteView:({root:E})=>{E.ref.images.forEach(T=>{T.dirty=!1})},write:e.utils.createRoute({DID_IMAGE_PREVIEW_DRAW:u,DID_IMAGE_PREVIEW_CONTAINER_CREATE:d,DID_FINISH_CALCULATE_PREVIEWSIZE:m,DID_UPDATE_ITEM_METADATA:p,DID_THROW_ITEM_LOAD_ERROR:h,DID_THROW_ITEM_PROCESSING_ERROR:h,DID_THROW_ITEM_INVALID:h,DID_COMPLETE_ITEM_PROCESSING:g,DID_START_ITEM_PROCESSING:f,DID_REVERT_ITEM_PROCESSING:f},({root:E})=>{let T=E.ref.imageViewBin.filter(v=>v.opacity===0);E.ref.imageViewBin=E.ref.imageViewBin.filter(v=>v.opacity>0),T.forEach(v=>o(E,v)),T.length=0})})},dl=e=>{let{addFilter:t,utils:i}=e,{Type:a,createRoute:n,isFile:o}=i,l=eu(e);return t("CREATE_VIEW",r=>{let{is:s,view:p,query:c}=r;if(!s("file")||!c("GET_ALLOW_IMAGE_PREVIEW"))return;let d=({root:g,props:I})=>{let{id:E}=I,T=c("GET_ITEM",E);if(!T||!o(T.file)||T.archived)return;let v=T.file;if(!lm(v)||!c("GET_IMAGE_PREVIEW_FILTER_ITEM")(T))return;let y="createImageBitmap"in(window||{}),b=c("GET_IMAGE_PREVIEW_MAX_FILE_SIZE");if(!y&&b&&v.size>b)return;g.ref.imagePreview=p.appendChildView(p.createChildView(l,{id:E}));let w=g.query("GET_IMAGE_PREVIEW_HEIGHT");w&&g.dispatch("DID_UPDATE_PANEL_HEIGHT",{id:T.id,height:w});let x=!y&&v.size>c("GET_IMAGE_PREVIEW_MAX_INSTANT_PREVIEW_FILE_SIZE");g.dispatch("DID_IMAGE_PREVIEW_CONTAINER_CREATE",{id:E},x)},m=(g,I)=>{if(!g.ref.imagePreview)return;let{id:E}=I,T=g.query("GET_ITEM",{id:E});if(!T)return;let v=g.query("GET_PANEL_ASPECT_RATIO"),y=g.query("GET_ITEM_PANEL_ASPECT_RATIO"),b=g.query("GET_IMAGE_PREVIEW_HEIGHT");if(v||y||b)return;let{imageWidth:w,imageHeight:x}=g.ref;if(!w||!x)return;let _=g.query("GET_IMAGE_PREVIEW_MIN_HEIGHT"),P=g.query("GET_IMAGE_PREVIEW_MAX_HEIGHT"),M=(T.getMetadata("exif")||{}).orientation||-1;if(M>=5&&M<=8&&([w,x]=[x,w]),!cl(T.file)||g.query("GET_IMAGE_PREVIEW_UPSCALE")){let z=2048/w;w*=z,x*=z}let C=x/w,S=(T.getMetadata("crop")||{}).aspectRatio||C,F=Math.max(_,Math.min(x,P)),R=g.rect.element.width,L=Math.min(R*S,F);g.dispatch("DID_UPDATE_PANEL_HEIGHT",{id:T.id,height:L})},u=({root:g})=>{g.ref.shouldRescale=!0},f=({root:g,action:I})=>{I.change.key==="crop"&&(g.ref.shouldRescale=!0)},h=({root:g,action:I})=>{g.ref.imageWidth=I.width,g.ref.imageHeight=I.height,g.ref.shouldRescale=!0,g.ref.shouldDrawPreview=!0,g.dispatch("KICK")};p.registerWriter(n({DID_RESIZE_ROOT:u,DID_STOP_RESIZE:u,DID_LOAD_ITEM:d,DID_IMAGE_PREVIEW_CALCULATE_SIZE:h,DID_UPDATE_ITEM_METADATA:f},({root:g,props:I})=>{g.ref.imagePreview&&(g.rect.element.hidden||(g.ref.shouldRescale&&(m(g,I),g.ref.shouldRescale=!1),g.ref.shouldDrawPreview&&(requestAnimationFrame(()=>{requestAnimationFrame(()=>{g.dispatch("DID_FINISH_CALCULATE_PREVIEWSIZE",{id:I.id})})}),g.ref.shouldDrawPreview=!1)))}))}),{options:{allowImagePreview:[!0,a.BOOLEAN],imagePreviewFilterItem:[()=>!0,a.FUNCTION],imagePreviewHeight:[null,a.INT],imagePreviewMinHeight:[44,a.INT],imagePreviewMaxHeight:[256,a.INT],imagePreviewMaxFileSize:[null,a.INT],imagePreviewZoomFactor:[2,a.INT],imagePreviewUpscale:[!1,a.BOOLEAN],imagePreviewMaxInstantPreviewFileSize:[1e6,a.INT],imagePreviewTransparencyIndicator:[null,a.STRING],imagePreviewCalculateAverageImageColor:[!1,a.BOOLEAN],imagePreviewMarkupShow:[!0,a.BOOLEAN],imagePreviewMarkupFilter:[()=>!0,a.FUNCTION]}}},tu=typeof window<"u"&&typeof window.document<"u";tu&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:dl}));var pl=dl;var iu=e=>/^image/.test(e.type),au=(e,t)=>{let i=new Image;i.onload=()=>{let a=i.naturalWidth,n=i.naturalHeight;i=null,t({width:a,height:n})},i.onerror=()=>t(null),i.src=e},ml=({addFilter:e,utils:t})=>{let{Type:i}=t;return e("DID_LOAD_ITEM",(a,{query:n})=>new Promise((o,l)=>{let r=a.file;if(!iu(r)||!n("GET_ALLOW_IMAGE_RESIZE"))return o(a);let s=n("GET_IMAGE_RESIZE_MODE"),p=n("GET_IMAGE_RESIZE_TARGET_WIDTH"),c=n("GET_IMAGE_RESIZE_TARGET_HEIGHT"),d=n("GET_IMAGE_RESIZE_UPSCALE");if(p===null&&c===null)return o(a);let m=p===null?c:p,u=c===null?m:c,f=URL.createObjectURL(r);au(f,h=>{if(URL.revokeObjectURL(f),!h)return o(a);let{width:g,height:I}=h,E=(a.getMetadata("exif")||{}).orientation||-1;if(E>=5&&E<=8&&([g,I]=[I,g]),g===m&&I===u)return o(a);if(!d){if(s==="cover"){if(g<=m||I<=u)return o(a)}else if(g<=m&&I<=m)return o(a)}a.setMetadata("resize",{mode:s,upscale:d,size:{width:m,height:u}}),o(a)})})),{options:{allowImageResize:[!0,i.BOOLEAN],imageResizeMode:["cover",i.STRING],imageResizeUpscale:[!0,i.BOOLEAN],imageResizeTargetWidth:[null,i.INT],imageResizeTargetHeight:[null,i.INT]}}},nu=typeof window<"u"&&typeof window.document<"u";nu&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:ml}));var ul=ml;var ou=e=>/^image/.test(e.type),lu=e=>e.substr(0,e.lastIndexOf("."))||e,ru={jpeg:"jpg","svg+xml":"svg"},su=(e,t)=>{let i=lu(e),a=t.split("/")[1],n=ru[a]||a;return`${i}.${n}`},cu=e=>/jpeg|png|svg\+xml/.test(e)?e:"image/jpeg",du=e=>/^image/.test(e.type),pu={1:()=>[1,0,0,1,0,0],2:e=>[-1,0,0,1,e,0],3:(e,t)=>[-1,0,0,-1,e,t],4:(e,t)=>[1,0,0,-1,0,t],5:()=>[0,1,1,0,0,0],6:(e,t)=>[0,1,-1,0,t,0],7:(e,t)=>[0,-1,-1,0,t,e],8:e=>[0,-1,1,0,0,e]},mu=(e,t,i)=>(i===-1&&(i=1),pu[i](e,t)),Yt=(e,t)=>({x:e,y:t}),uu=(e,t)=>e.x*t.x+e.y*t.y,fl=(e,t)=>Yt(e.x-t.x,e.y-t.y),fu=(e,t)=>uu(fl(e,t),fl(e,t)),hl=(e,t)=>Math.sqrt(fu(e,t)),gl=(e,t)=>{let i=e,a=1.5707963267948966,n=t,o=1.5707963267948966-t,l=Math.sin(a),r=Math.sin(n),s=Math.sin(o),p=Math.cos(o),c=i/l,d=c*r,m=c*s;return Yt(p*d,p*m)},hu=(e,t)=>{let i=e.width,a=e.height,n=gl(i,t),o=gl(a,t),l=Yt(e.x+Math.abs(n.x),e.y-Math.abs(n.y)),r=Yt(e.x+e.width+Math.abs(o.y),e.y+Math.abs(o.x)),s=Yt(e.x-Math.abs(o.y),e.y+e.height-Math.abs(o.x));return{width:hl(l,r),height:hl(l,s)}},Tl=(e,t,i=0,a={x:.5,y:.5})=>{let n=a.x>.5?1-a.x:a.x,o=a.y>.5?1-a.y:a.y,l=n*2*e.width,r=o*2*e.height,s=hu(t,i);return Math.max(s.width/l,s.height/r)},Il=(e,t)=>{let i=e.width,a=i*t;a>e.height&&(a=e.height,i=a/t);let n=(e.width-i)*.5,o=(e.height-a)*.5;return{x:n,y:o,width:i,height:a}},El=(e,t,i=1)=>{let a=e.height/e.width,n=1,o=t,l=1,r=a;r>o&&(r=o,l=r/a);let s=Math.max(n/l,o/r),p=e.width/(i*s*l),c=p*t;return{width:p,height:c}},vl=e=>{e.width=1,e.height=1,e.getContext("2d").clearRect(0,0,1,1)},bl=e=>e&&(e.horizontal||e.vertical),gu=(e,t,i)=>{if(t<=1&&!bl(i))return e.width=e.naturalWidth,e.height=e.naturalHeight,e;let a=document.createElement("canvas"),n=e.naturalWidth,o=e.naturalHeight,l=t>=5&&t<=8;l?(a.width=o,a.height=n):(a.width=n,a.height=o);let r=a.getContext("2d");if(t&&r.transform.apply(r,mu(n,o,t)),bl(i)){let s=[1,0,0,1,0,0];(!l&&i.horizontal||l&i.vertical)&&(s[0]=-1,s[4]=n),(!l&&i.vertical||l&&i.horizontal)&&(s[3]=-1,s[5]=o),r.transform(...s)}return r.drawImage(e,0,0,n,o),a},Eu=(e,t,i={},a={})=>{let{canvasMemoryLimit:n,background:o=null}=a,l=i.zoom||1,r=gu(e,t,i.flip),s={width:r.width,height:r.height},p=i.aspectRatio||s.height/s.width,c=El(s,p,l);if(n){let T=c.width*c.height;if(T>n){let v=Math.sqrt(n)/Math.sqrt(T);s.width=Math.floor(s.width*v),s.height=Math.floor(s.height*v),c=El(s,p,l)}}let d=document.createElement("canvas"),m={x:c.width*.5,y:c.height*.5},u={x:0,y:0,width:c.width,height:c.height,center:m},f=typeof i.scaleToFit>"u"||i.scaleToFit,h=l*Tl(s,Il(u,p),i.rotation,f?i.center:{x:.5,y:.5});d.width=Math.round(c.width/h),d.height=Math.round(c.height/h),m.x/=h,m.y/=h;let g={x:m.x-s.width*(i.center?i.center.x:.5),y:m.y-s.height*(i.center?i.center.y:.5)},I=d.getContext("2d");o&&(I.fillStyle=o,I.fillRect(0,0,d.width,d.height)),I.translate(m.x,m.y),I.rotate(i.rotation||0),I.drawImage(r,g.x-m.x,g.y-m.y,s.width,s.height);let E=I.getImageData(0,0,d.width,d.height);return vl(d),E},bu=(()=>typeof window<"u"&&typeof window.document<"u")();bu&&(HTMLCanvasElement.prototype.toBlob||Object.defineProperty(HTMLCanvasElement.prototype,"toBlob",{value:function(e,t,i){var a=this.toDataURL(t,i).split(",")[1];setTimeout(function(){for(var n=atob(a),o=n.length,l=new Uint8Array(o),r=0;rnew Promise(a=>{let n=i?i(e):e;Promise.resolve(n).then(o=>{o.toBlob(a,t.type,t.quality)})}),yi=(e,t)=>qt(e.x*t,e.y*t),_i=(e,t)=>qt(e.x+t.x,e.y+t.y),xl=e=>{let t=Math.sqrt(e.x*e.x+e.y*e.y);return t===0?{x:0,y:0}:qt(e.x/t,e.y/t)},qe=(e,t,i)=>{let a=Math.cos(t),n=Math.sin(t),o=qt(e.x-i.x,e.y-i.y);return qt(i.x+a*o.x-n*o.y,i.y+n*o.x+a*o.y)},qt=(e=0,t=0)=>({x:e,y:t}),me=(e,t,i=1,a)=>{if(typeof e=="string")return parseFloat(e)*i;if(typeof e=="number")return e*(a?t[a]:Math.min(t.width,t.height))},ct=(e,t,i)=>{let a=e.borderStyle||e.lineStyle||"solid",n=e.backgroundColor||e.fontColor||"transparent",o=e.borderColor||e.lineColor||"transparent",l=me(e.borderWidth||e.lineWidth,t,i),r=e.lineCap||"round",s=e.lineJoin||"round",p=typeof a=="string"?"":a.map(d=>me(d,t,i)).join(","),c=e.opacity||1;return{"stroke-linecap":r,"stroke-linejoin":s,"stroke-width":l||0,"stroke-dasharray":p,stroke:o,fill:n,opacity:c}},Le=e=>e!=null,wt=(e,t,i=1)=>{let a=me(e.x,t,i,"width")||me(e.left,t,i,"width"),n=me(e.y,t,i,"height")||me(e.top,t,i,"height"),o=me(e.width,t,i,"width"),l=me(e.height,t,i,"height"),r=me(e.right,t,i,"width"),s=me(e.bottom,t,i,"height");return Le(n)||(Le(l)&&Le(s)?n=t.height-l-s:n=s),Le(a)||(Le(o)&&Le(r)?a=t.width-o-r:a=r),Le(o)||(Le(a)&&Le(r)?o=t.width-a-r:o=0),Le(l)||(Le(n)&&Le(s)?l=t.height-n-s:l=0),{x:a||0,y:n||0,width:o||0,height:l||0}},Iu=e=>e.map((t,i)=>`${i===0?"M":"L"} ${t.x} ${t.y}`).join(" "),Ne=(e,t)=>Object.keys(t).forEach(i=>e.setAttribute(i,t[i])),vu="http://www.w3.org/2000/svg",Rt=(e,t)=>{let i=document.createElementNS(vu,e);return t&&Ne(i,t),i},xu=e=>Ne(e,{...e.rect,...e.styles}),yu=e=>{let t=e.rect.x+e.rect.width*.5,i=e.rect.y+e.rect.height*.5,a=e.rect.width*.5,n=e.rect.height*.5;return Ne(e,{cx:t,cy:i,rx:a,ry:n,...e.styles})},_u={contain:"xMidYMid meet",cover:"xMidYMid slice"},Ru=(e,t)=>{Ne(e,{...e.rect,...e.styles,preserveAspectRatio:_u[t.fit]||"none"})},wu={left:"start",center:"middle",right:"end"},Su=(e,t,i,a)=>{let n=me(t.fontSize,i,a),o=t.fontFamily||"sans-serif",l=t.fontWeight||"normal",r=wu[t.textAlign]||"start";Ne(e,{...e.rect,...e.styles,"stroke-width":0,"font-weight":l,"font-size":n,"font-family":o,"text-anchor":r}),e.text!==t.text&&(e.text=t.text,e.textContent=t.text.length?t.text:" ")},Lu=(e,t,i,a)=>{Ne(e,{...e.rect,...e.styles,fill:"none"});let n=e.childNodes[0],o=e.childNodes[1],l=e.childNodes[2],r=e.rect,s={x:e.rect.x+e.rect.width,y:e.rect.y+e.rect.height};if(Ne(n,{x1:r.x,y1:r.y,x2:s.x,y2:s.y}),!t.lineDecoration)return;o.style.display="none",l.style.display="none";let p=xl({x:s.x-r.x,y:s.y-r.y}),c=me(.05,i,a);if(t.lineDecoration.indexOf("arrow-begin")!==-1){let d=yi(p,c),m=_i(r,d),u=qe(r,2,m),f=qe(r,-2,m);Ne(o,{style:"display:block;",d:`M${u.x},${u.y} L${r.x},${r.y} L${f.x},${f.y}`})}if(t.lineDecoration.indexOf("arrow-end")!==-1){let d=yi(p,-c),m=_i(s,d),u=qe(s,2,m),f=qe(s,-2,m);Ne(l,{style:"display:block;",d:`M${u.x},${u.y} L${s.x},${s.y} L${f.x},${f.y}`})}},Au=(e,t,i,a)=>{Ne(e,{...e.styles,fill:"none",d:Iu(t.points.map(n=>({x:me(n.x,i,a,"width"),y:me(n.y,i,a,"height")})))})},xi=e=>t=>Rt(e,{id:t.id}),Mu=e=>{let t=Rt("image",{id:e.id,"stroke-linecap":"round","stroke-linejoin":"round",opacity:"0"});return t.onload=()=>{t.setAttribute("opacity",e.opacity||1)},t.setAttributeNS("http://www.w3.org/1999/xlink","xlink:href",e.src),t},Ou=e=>{let t=Rt("g",{id:e.id,"stroke-linecap":"round","stroke-linejoin":"round"}),i=Rt("line");t.appendChild(i);let a=Rt("path");t.appendChild(a);let n=Rt("path");return t.appendChild(n),t},Pu={image:Mu,rect:xi("rect"),ellipse:xi("ellipse"),text:xi("text"),path:xi("path"),line:Ou},Du={rect:xu,ellipse:yu,image:Ru,text:Su,path:Au,line:Lu},Fu=(e,t)=>Pu[e](t),zu=(e,t,i,a,n)=>{t!=="path"&&(e.rect=wt(i,a,n)),e.styles=ct(i,a,n),Du[t](e,i,a,n)},yl=(e,t)=>e[1].zIndex>t[1].zIndex?1:e[1].zIndexnew Promise(n=>{let{background:o=null}=a,l=new FileReader;l.onloadend=()=>{let r=l.result,s=document.createElement("div");s.style.cssText="position:absolute;pointer-events:none;width:0;height:0;visibility:hidden;",s.innerHTML=r;let p=s.querySelector("svg");document.body.appendChild(s);let c=p.getBBox();s.parentNode.removeChild(s);let d=s.querySelector("title"),m=p.getAttribute("viewBox")||"",u=p.getAttribute("width")||"",f=p.getAttribute("height")||"",h=parseFloat(u)||null,g=parseFloat(f)||null,I=(u.match(/[a-z]+/)||[])[0]||"",E=(f.match(/[a-z]+/)||[])[0]||"",T=m.split(" ").map(parseFloat),v=T.length?{x:T[0],y:T[1],width:T[2],height:T[3]}:c,y=h??v.width,b=g??v.height;p.style.overflow="visible",p.setAttribute("width",y),p.setAttribute("height",b);let w="";if(i&&i.length){let Q={width:y,height:b};w=i.sort(yl).reduce((pe,G)=>{let H=Fu(G[0],G[1]);return zu(H,G[0],G[1],Q),H.removeAttribute("id"),H.getAttribute("opacity")===1&&H.removeAttribute("opacity"),pe+` +`+H.outerHTML+` +`},""),w=` + +${w.replace(/ /g," ")} + +`}let x=t.aspectRatio||b/y,_=y,P=_*x,O=typeof t.scaleToFit>"u"||t.scaleToFit,M=t.center?t.center.x:.5,C=t.center?t.center.y:.5,S=Tl({width:y,height:b},Il({width:_,height:P},x),t.rotation,O?{x:M,y:C}:{x:.5,y:.5}),F=t.zoom*S,R=t.rotation*(180/Math.PI),L={x:_*.5,y:P*.5},z={x:L.x-y*M,y:L.y-b*C},D=[`rotate(${R} ${L.x} ${L.y})`,`translate(${L.x} ${L.y})`,`scale(${F})`,`translate(${-L.x} ${-L.y})`,`translate(${z.x} ${z.y})`],k=t.flip&&t.flip.horizontal,B=t.flip&&t.flip.vertical,X=[`scale(${k?-1:1} ${B?-1:1})`,`translate(${k?-y:0} ${B?-b:0})`],q=` + + +${d?d.textContent:""} + + +${p.outerHTML}${w} + + +`;n(q)},l.readAsText(e)}),Nu=e=>{let t;try{t=new ImageData(e.width,e.height)}catch{t=document.createElement("canvas").getContext("2d").createImageData(e.width,e.height)}return t.data.set(e.data),t},Bu=()=>{let e={resize:c,filter:p},t=(d,m)=>(d.forEach(u=>{m=e[u.type](m,u.data)}),m),i=(d,m)=>{let u=d.transforms,f=null;if(u.forEach(h=>{h.type==="filter"&&(f=h)}),f){let h=null;u.forEach(g=>{g.type==="resize"&&(h=g)}),h&&(h.data.matrix=f.data,u=u.filter(g=>g.type!=="filter"))}m(t(u,d.imageData))};self.onmessage=d=>{i(d.data.message,m=>{self.postMessage({id:d.data.id,message:m},[m.data.buffer])})};let a=1,n=1,o=1;function l(d,m,u){let f=m[d]/255,h=m[d+1]/255,g=m[d+2]/255,I=m[d+3]/255,E=f*u[0]+h*u[1]+g*u[2]+I*u[3]+u[4],T=f*u[5]+h*u[6]+g*u[7]+I*u[8]+u[9],v=f*u[10]+h*u[11]+g*u[12]+I*u[13]+u[14],y=f*u[15]+h*u[16]+g*u[17]+I*u[18]+u[19],b=Math.max(0,E*y)+a*(1-y),w=Math.max(0,T*y)+n*(1-y),x=Math.max(0,v*y)+o*(1-y);m[d]=Math.max(0,Math.min(1,b))*255,m[d+1]=Math.max(0,Math.min(1,w))*255,m[d+2]=Math.max(0,Math.min(1,x))*255}let r=self.JSON.stringify([1,0,0,0,0,0,1,0,0,0,0,0,1,0,0,0,0,0,1,0]);function s(d){return self.JSON.stringify(d||[])===r}function p(d,m){if(!m||s(m))return d;let u=d.data,f=u.length,h=m[0],g=m[1],I=m[2],E=m[3],T=m[4],v=m[5],y=m[6],b=m[7],w=m[8],x=m[9],_=m[10],P=m[11],O=m[12],M=m[13],C=m[14],S=m[15],F=m[16],R=m[17],L=m[18],z=m[19],D=0,k=0,B=0,X=0,q=0,Q=0,pe=0,G=0,H=0,Y=0,le=0,ee=0;for(;D1&&f===!1)return p(d,I);h=d.width*S,g=d.height*S}let E=d.width,T=d.height,v=Math.round(h),y=Math.round(g),b=d.data,w=new Uint8ClampedArray(v*y*4),x=E/v,_=T/y,P=Math.ceil(x*.5),O=Math.ceil(_*.5);for(let M=0;M=-1&&le<=1&&(F=2*le*le*le-3*le*le+1,F>0)){Y=4*(H+q*E);let ee=b[Y+3];B+=F*ee,L+=F,ee<255&&(F=F*ee/250),z+=F*b[Y],D+=F*b[Y+1],k+=F*b[Y+2],R+=F}}}w[S]=z/R,w[S+1]=D/R,w[S+2]=k/R,w[S+3]=B/L,I&&l(S,w,I)}return{data:w,width:v,height:y}}},ku=(e,t)=>{if(e.getUint32(t+4,!1)!==1165519206)return;t+=4;let i=e.getUint16(t+=6,!1)===18761;t+=e.getUint32(t+4,i);let a=e.getUint16(t,i);t+=2;for(let n=0;n{let t=new DataView(e);if(t.getUint16(0)!==65496)return null;let i=2,a,n,o=!1;for(;i=65504&&a<=65519||a===65534)||(o||(o=ku(t,i,n)),i+n>t.byteLength)));)i+=n;return e.slice(0,i)},Gu=e=>new Promise(t=>{let i=new FileReader;i.onload=()=>t(Vu(i.result)||null),i.readAsArrayBuffer(e.slice(0,256*1024))}),Uu=()=>window.BlobBuilder=window.BlobBuilder||window.WebKitBlobBuilder||window.MozBlobBuilder||window.MSBlobBuilder,Wu=(e,t)=>{let i=Uu();if(i){let a=new i;return a.append(e),a.getBlob(t)}return new Blob([e],{type:t})},Hu=()=>Math.random().toString(36).substr(2,9),ju=e=>{let t=new Blob(["(",e.toString(),")()"],{type:"application/javascript"}),i=URL.createObjectURL(t),a=new Worker(i),n=[];return{transfer:()=>{},post:(o,l,r)=>{let s=Hu();n[s]=l,a.onmessage=p=>{let c=n[p.data.id];c&&(c(p.data.message),delete n[p.data.id])},a.postMessage({id:s,message:o},r)},terminate:()=>{a.terminate(),URL.revokeObjectURL(i)}}},Yu=e=>new Promise((t,i)=>{let a=new Image;a.onload=()=>{t(a)},a.onerror=n=>{i(n)},a.src=e}),qu=e=>e.reduce((t,i)=>t.then(a=>i().then(Array.prototype.concat.bind(a))),Promise.resolve([])),$u=(e,t)=>new Promise(i=>{let a={width:e.width,height:e.height},n=e.getContext("2d"),o=t.sort(yl).map(l=>()=>new Promise(r=>{tf[l[0]](n,a,l[1],r)&&r()}));qu(o).then(()=>i(e))}),St=(e,t)=>{e.beginPath(),e.lineCap=t["stroke-linecap"],e.lineJoin=t["stroke-linejoin"],e.lineWidth=t["stroke-width"],t["stroke-dasharray"].length&&e.setLineDash(t["stroke-dasharray"].split(",")),e.fillStyle=t.fill,e.strokeStyle=t.stroke,e.globalAlpha=t.opacity||1},Lt=e=>{e.fill(),e.stroke(),e.globalAlpha=1},Xu=(e,t,i)=>{let a=wt(i,t),n=ct(i,t);return St(e,n),e.rect(a.x,a.y,a.width,a.height),Lt(e,n),!0},Qu=(e,t,i)=>{let a=wt(i,t),n=ct(i,t);St(e,n);let o=a.x,l=a.y,r=a.width,s=a.height,p=.5522848,c=r/2*p,d=s/2*p,m=o+r,u=l+s,f=o+r/2,h=l+s/2;return e.moveTo(o,h),e.bezierCurveTo(o,h-d,f-c,l,f,l),e.bezierCurveTo(f+c,l,m,h-d,m,h),e.bezierCurveTo(m,h+d,f+c,u,f,u),e.bezierCurveTo(f-c,u,o,h+d,o,h),Lt(e,n),!0},Zu=(e,t,i,a)=>{let n=wt(i,t),o=ct(i,t);St(e,o);let l=new Image;new URL(i.src,window.location.href).origin!==window.location.origin&&(l.crossOrigin=""),l.onload=()=>{if(i.fit==="cover"){let s=n.width/n.height,p=s>1?l.width:l.height*s,c=s>1?l.width/s:l.height,d=l.width*.5-p*.5,m=l.height*.5-c*.5;e.drawImage(l,d,m,p,c,n.x,n.y,n.width,n.height)}else if(i.fit==="contain"){let s=Math.min(n.width/l.width,n.height/l.height),p=s*l.width,c=s*l.height,d=n.x+n.width*.5-p*.5,m=n.y+n.height*.5-c*.5;e.drawImage(l,0,0,l.width,l.height,d,m,p,c)}else e.drawImage(l,0,0,l.width,l.height,n.x,n.y,n.width,n.height);Lt(e,o),a()},l.src=i.src},Ku=(e,t,i)=>{let a=wt(i,t),n=ct(i,t);St(e,n);let o=me(i.fontSize,t),l=i.fontFamily||"sans-serif",r=i.fontWeight||"normal",s=i.textAlign||"left";return e.font=`${r} ${o}px ${l}`,e.textAlign=s,e.fillText(i.text,a.x,a.y),Lt(e,n),!0},Ju=(e,t,i)=>{let a=ct(i,t);St(e,a),e.beginPath();let n=i.points.map(l=>({x:me(l.x,t,1,"width"),y:me(l.y,t,1,"height")}));e.moveTo(n[0].x,n[0].y);let o=n.length;for(let l=1;l{let a=wt(i,t),n=ct(i,t);St(e,n),e.beginPath();let o={x:a.x,y:a.y},l={x:a.x+a.width,y:a.y+a.height};e.moveTo(o.x,o.y),e.lineTo(l.x,l.y);let r=xl({x:l.x-o.x,y:l.y-o.y}),s=.04*Math.min(t.width,t.height);if(i.lineDecoration.indexOf("arrow-begin")!==-1){let p=yi(r,s),c=_i(o,p),d=qe(o,2,c),m=qe(o,-2,c);e.moveTo(d.x,d.y),e.lineTo(o.x,o.y),e.lineTo(m.x,m.y)}if(i.lineDecoration.indexOf("arrow-end")!==-1){let p=yi(r,-s),c=_i(l,p),d=qe(l,2,c),m=qe(l,-2,c);e.moveTo(d.x,d.y),e.lineTo(l.x,l.y),e.lineTo(m.x,m.y)}return Lt(e,n),!0},tf={rect:Xu,ellipse:Qu,image:Zu,text:Ku,line:ef,path:Ju},af=e=>{let t=document.createElement("canvas");return t.width=e.width,t.height=e.height,t.getContext("2d").putImageData(e,0,0),t},nf=(e,t,i={})=>new Promise((a,n)=>{if(!e||!du(e))return n({status:"not an image file",file:e});let{stripImageHead:o,beforeCreateBlob:l,afterCreateBlob:r,canvasMemoryLimit:s}=i,{crop:p,size:c,filter:d,markup:m,output:u}=t,f=t.image&&t.image.orientation?Math.max(1,Math.min(8,t.image.orientation)):null,h=u&&u.quality,g=h===null?null:h/100,I=u&&u.type||null,E=u&&u.background||null,T=[];c&&(typeof c.width=="number"||typeof c.height=="number")&&T.push({type:"resize",data:c}),d&&d.length===20&&T.push({type:"filter",data:d});let v=w=>{let x=r?r(w):w;Promise.resolve(x).then(a)},y=(w,x)=>{let _=af(w),P=m.length?$u(_,m):_;Promise.resolve(P).then(O=>{Tu(O,x,l).then(M=>{if(vl(O),o)return v(M);Gu(e).then(C=>{C!==null&&(M=new Blob([C,M.slice(20)],{type:M.type})),v(M)})}).catch(n)})};if(/svg/.test(e.type)&&I===null)return Cu(e,p,m,{background:E}).then(w=>{a(Wu(w,"image/svg+xml"))});let b=URL.createObjectURL(e);Yu(b).then(w=>{URL.revokeObjectURL(b);let x=Eu(w,f,p,{canvasMemoryLimit:s,background:E}),_={quality:g,type:I||e.type};if(!T.length)return y(x,_);let P=ju(Bu);P.post({transforms:T,imageData:x},O=>{y(Nu(O),_),P.terminate()},[x.data.buffer])}).catch(n)}),of=["x","y","left","top","right","bottom","width","height"],lf=e=>typeof e=="string"&&/%/.test(e)?parseFloat(e)/100:e,rf=e=>{let[t,i]=e,a=i.points?{}:of.reduce((n,o)=>(n[o]=lf(i[o]),n),{});return[t,{zIndex:0,...i,...a}]},sf=e=>new Promise((t,i)=>{let a=new Image;a.src=URL.createObjectURL(e);let n=()=>{let l=a.naturalWidth,r=a.naturalHeight;l&&r&&(URL.revokeObjectURL(a.src),clearInterval(o),t({width:l,height:r}))};a.onerror=l=>{URL.revokeObjectURL(a.src),clearInterval(o),i(l)};let o=setInterval(n,1);n()});typeof window<"u"&&typeof window.document<"u"&&(HTMLCanvasElement.prototype.toBlob||Object.defineProperty(HTMLCanvasElement.prototype,"toBlob",{value:function(e,t,i){let a=this;setTimeout(()=>{let n=a.toDataURL(t,i).split(",")[1],o=atob(n),l=o.length,r=new Uint8Array(l);for(;l--;)r[l]=o.charCodeAt(l);e(new Blob([r],{type:t||"image/png"}))})}}));var Sa=typeof window<"u"&&typeof window.document<"u",cf=Sa&&/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream,_l=({addFilter:e,utils:t})=>{let{Type:i,forin:a,getFileFromBlob:n,isFile:o}=t,l=["crop","resize","filter","markup","output"],r=c=>(d,m,u)=>d(m,c?c(u):u),s=c=>c.aspectRatio===null&&c.rotation===0&&c.zoom===1&&c.center&&c.center.x===.5&&c.center.y===.5&&c.flip&&c.flip.horizontal===!1&&c.flip.vertical===!1;e("SHOULD_PREPARE_OUTPUT",(c,{query:d})=>new Promise(m=>{m(!d("IS_ASYNC"))}));let p=(c,d,m)=>new Promise(u=>{if(!c("GET_ALLOW_IMAGE_TRANSFORM")||m.archived||!o(d)||!ou(d))return u(!1);sf(d).then(()=>{let f=c("GET_IMAGE_TRANSFORM_IMAGE_FILTER");if(f){let h=f(d);if(h==null)return handleRevert(!0);if(typeof h=="boolean")return u(h);if(typeof h.then=="function")return h.then(u)}u(!0)}).catch(f=>{u(!1)})});return e("DID_CREATE_ITEM",(c,{query:d,dispatch:m})=>{d("GET_ALLOW_IMAGE_TRANSFORM")&&c.extend("requestPrepare",()=>new Promise((u,f)=>{m("REQUEST_PREPARE_OUTPUT",{query:c.id,item:c,success:u,failure:f},!0)}))}),e("PREPARE_OUTPUT",(c,{query:d,item:m})=>new Promise(u=>{p(d,c,m).then(f=>{if(!f)return u(c);let h=[];d("GET_IMAGE_TRANSFORM_VARIANTS_INCLUDE_ORIGINAL")&&h.push(()=>new Promise(x=>{x({name:d("GET_IMAGE_TRANSFORM_VARIANTS_ORIGINAL_NAME"),file:c})})),d("GET_IMAGE_TRANSFORM_VARIANTS_INCLUDE_DEFAULT")&&h.push((x,_,P)=>new Promise(O=>{x(_,P).then(M=>O({name:d("GET_IMAGE_TRANSFORM_VARIANTS_DEFAULT_NAME"),file:M}))}));let g=d("GET_IMAGE_TRANSFORM_VARIANTS")||{};a(g,(x,_)=>{let P=r(_);h.push((O,M,C)=>new Promise(S=>{P(O,M,C).then(F=>S({name:x,file:F}))}))});let I=d("GET_IMAGE_TRANSFORM_OUTPUT_QUALITY"),E=d("GET_IMAGE_TRANSFORM_OUTPUT_QUALITY_MODE"),T=I===null?null:I/100,v=d("GET_IMAGE_TRANSFORM_OUTPUT_MIME_TYPE"),y=d("GET_IMAGE_TRANSFORM_CLIENT_TRANSFORMS")||l;m.setMetadata("output",{type:v,quality:T,client:y},!0);let b=(x,_)=>new Promise((P,O)=>{let M={..._};Object.keys(M).filter(B=>B!=="exif").forEach(B=>{y.indexOf(B)===-1&&delete M[B]});let{resize:C,exif:S,output:F,crop:R,filter:L,markup:z}=M,D={image:{orientation:S?S.orientation:null},output:F&&(F.type||typeof F.quality=="number"||F.background)?{type:F.type,quality:typeof F.quality=="number"?F.quality*100:null,background:F.background||d("GET_IMAGE_TRANSFORM_CANVAS_BACKGROUND_COLOR")||null}:void 0,size:C&&(C.size.width||C.size.height)?{mode:C.mode,upscale:C.upscale,...C.size}:void 0,crop:R&&!s(R)?{...R}:void 0,markup:z&&z.length?z.map(rf):[],filter:L};if(D.output){let B=F.type?F.type!==x.type:!1,X=/\/jpe?g$/.test(x.type),q=F.quality!==null?X&&E==="always":!1;if(!!!(D.size||D.crop||D.filter||B||q))return P(x)}let k={beforeCreateBlob:d("GET_IMAGE_TRANSFORM_BEFORE_CREATE_BLOB"),afterCreateBlob:d("GET_IMAGE_TRANSFORM_AFTER_CREATE_BLOB"),canvasMemoryLimit:d("GET_IMAGE_TRANSFORM_CANVAS_MEMORY_LIMIT"),stripImageHead:d("GET_IMAGE_TRANSFORM_OUTPUT_STRIP_IMAGE_HEAD")};nf(x,D,k).then(B=>{let X=n(B,su(x.name,cu(B.type)));P(X)}).catch(O)}),w=h.map(x=>x(b,c,m.getMetadata()));Promise.all(w).then(x=>{u(x.length===1&&x[0].name===null?x[0].file:x)})})})),{options:{allowImageTransform:[!0,i.BOOLEAN],imageTransformImageFilter:[null,i.FUNCTION],imageTransformOutputMimeType:[null,i.STRING],imageTransformOutputQuality:[null,i.INT],imageTransformOutputStripImageHead:[!0,i.BOOLEAN],imageTransformClientTransforms:[null,i.ARRAY],imageTransformOutputQualityMode:["always",i.STRING],imageTransformVariants:[null,i.OBJECT],imageTransformVariantsIncludeDefault:[!0,i.BOOLEAN],imageTransformVariantsDefaultName:[null,i.STRING],imageTransformVariantsIncludeOriginal:[!1,i.BOOLEAN],imageTransformVariantsOriginalName:["original_",i.STRING],imageTransformBeforeCreateBlob:[null,i.FUNCTION],imageTransformAfterCreateBlob:[null,i.FUNCTION],imageTransformCanvasMemoryLimit:[Sa&&cf?4096*4096:null,i.INT],imageTransformCanvasBackgroundColor:[null,i.STRING]}}};Sa&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:_l}));var Rl=_l;var La=e=>/^video/.test(e.type),$t=e=>/^audio/.test(e.type),Aa=class{constructor(t,i){this.mediaEl=t,this.audioElems=i,this.onplayhead=!1,this.duration=0,this.timelineWidth=this.audioElems.timeline.offsetWidth-this.audioElems.playhead.offsetWidth,this.moveplayheadFn=this.moveplayhead.bind(this),this.registerListeners()}registerListeners(){this.mediaEl.addEventListener("timeupdate",this.timeUpdate.bind(this),!1),this.mediaEl.addEventListener("canplaythrough",()=>this.duration=this.mediaEl.duration,!1),this.audioElems.timeline.addEventListener("click",this.timelineClicked.bind(this),!1),this.audioElems.button.addEventListener("click",this.play.bind(this)),this.audioElems.playhead.addEventListener("mousedown",this.mouseDown.bind(this),!1),window.addEventListener("mouseup",this.mouseUp.bind(this),!1)}play(){this.mediaEl.paused?this.mediaEl.play():this.mediaEl.pause(),this.audioElems.button.classList.toggle("play"),this.audioElems.button.classList.toggle("pause")}timeUpdate(){let t=this.mediaEl.currentTime/this.duration*100;this.audioElems.playhead.style.marginLeft=t+"%",this.mediaEl.currentTime===this.duration&&(this.audioElems.button.classList.toggle("play"),this.audioElems.button.classList.toggle("pause"))}moveplayhead(t){let i=t.clientX-this.getPosition(this.audioElems.timeline);i>=0&&i<=this.timelineWidth&&(this.audioElems.playhead.style.marginLeft=i+"px"),i<0&&(this.audioElems.playhead.style.marginLeft="0px"),i>this.timelineWidth&&(this.audioElems.playhead.style.marginLeft=this.timelineWidth-4+"px")}timelineClicked(t){this.moveplayhead(t),this.mediaEl.currentTime=this.duration*this.clickPercent(t)}mouseDown(){this.onplayhead=!0,window.addEventListener("mousemove",this.moveplayheadFn,!0),this.mediaEl.removeEventListener("timeupdate",this.timeUpdate.bind(this),!1)}mouseUp(t){window.removeEventListener("mousemove",this.moveplayheadFn,!0),this.onplayhead==!0&&(this.moveplayhead(t),this.mediaEl.currentTime=this.duration*this.clickPercent(t),this.mediaEl.addEventListener("timeupdate",this.timeUpdate.bind(this),!1)),this.onplayhead=!1}clickPercent(t){return(t.clientX-this.getPosition(this.audioElems.timeline))/this.timelineWidth}getPosition(t){return t.getBoundingClientRect().left}},df=e=>e.utils.createView({name:"media-preview",tag:"div",ignoreRect:!0,create:({root:t,props:i})=>{let{id:a}=i,n=t.query("GET_ITEM",{id:i.id}),o=$t(n.file)?"audio":"video";if(t.ref.media=document.createElement(o),t.ref.media.setAttribute("controls",!0),t.element.appendChild(t.ref.media),$t(n.file)){let l=document.createDocumentFragment();t.ref.audio=[],t.ref.audio.container=document.createElement("div"),t.ref.audio.button=document.createElement("span"),t.ref.audio.timeline=document.createElement("div"),t.ref.audio.playhead=document.createElement("div"),t.ref.audio.container.className="audioplayer",t.ref.audio.button.className="playpausebtn play",t.ref.audio.timeline.className="timeline",t.ref.audio.playhead.className="playhead",t.ref.audio.timeline.appendChild(t.ref.audio.playhead),t.ref.audio.container.appendChild(t.ref.audio.button),t.ref.audio.container.appendChild(t.ref.audio.timeline),l.appendChild(t.ref.audio.container),t.element.appendChild(l)}},write:e.utils.createRoute({DID_MEDIA_PREVIEW_LOAD:({root:t,props:i})=>{let{id:a}=i,n=t.query("GET_ITEM",{id:i.id});if(!n)return;let o=window.URL||window.webkitURL,l=new Blob([n.file],{type:n.file.type});t.ref.media.type=n.file.type,t.ref.media.src=n.file.mock&&n.file.url||o.createObjectURL(l),$t(n.file)&&new Aa(t.ref.media,t.ref.audio),t.ref.media.addEventListener("loadeddata",()=>{let r=75;if(La(n.file)){let s=t.ref.media.offsetWidth,p=t.ref.media.videoWidth/s;r=t.ref.media.videoHeight/p}t.dispatch("DID_UPDATE_PANEL_HEIGHT",{id:i.id,height:r})},!1)}})}),pf=e=>{let t=({root:a,props:n})=>{let{id:o}=n;a.query("GET_ITEM",o)&&a.dispatch("DID_MEDIA_PREVIEW_LOAD",{id:o})},i=({root:a,props:n})=>{let o=df(e);a.ref.media=a.appendChildView(a.createChildView(o,{id:n.id}))};return e.utils.createView({name:"media-preview-wrapper",create:i,write:e.utils.createRoute({DID_MEDIA_PREVIEW_CONTAINER_CREATE:t})})},Ma=e=>{let{addFilter:t,utils:i}=e,{Type:a,createRoute:n}=i,o=pf(e);return t("CREATE_VIEW",l=>{let{is:r,view:s,query:p}=l;if(!r("file"))return;let c=({root:d,props:m})=>{let{id:u}=m,f=p("GET_ITEM",u),h=p("GET_ALLOW_VIDEO_PREVIEW"),g=p("GET_ALLOW_AUDIO_PREVIEW");!f||f.archived||(!La(f.file)||!h)&&(!$t(f.file)||!g)||(d.ref.mediaPreview=s.appendChildView(s.createChildView(o,{id:u})),d.dispatch("DID_MEDIA_PREVIEW_CONTAINER_CREATE",{id:u}))};s.registerWriter(n({DID_LOAD_ITEM:c},({root:d,props:m})=>{let{id:u}=m,f=p("GET_ITEM",u),h=d.query("GET_ALLOW_VIDEO_PREVIEW"),g=d.query("GET_ALLOW_AUDIO_PREVIEW");!f||(!La(f.file)||!h)&&(!$t(f.file)||!g)||d.rect.element.hidden}))}),{options:{allowVideoPreview:[!0,a.BOOLEAN],allowAudioPreview:[!0,a.BOOLEAN]}}},mf=typeof window<"u"&&typeof window.document<"u";mf&&document.dispatchEvent(new CustomEvent("FilePond:pluginloaded",{detail:Ma}));var wl={labelIdle:'\u0627\u0633\u062D\u0628 \u0648 \u0627\u062F\u0631\u062C \u0645\u0644\u0641\u0627\u062A\u0643 \u0623\u0648 \u062A\u0635\u0641\u062D ',labelInvalidField:"\u0627\u0644\u062D\u0642\u0644 \u064A\u062D\u062A\u0648\u064A \u0639\u0644\u0649 \u0645\u0644\u0641\u0627\u062A \u063A\u064A\u0631 \u0635\u0627\u0644\u062D\u0629",labelFileWaitingForSize:"\u0628\u0627\u0646\u062A\u0638\u0627\u0631 \u0627\u0644\u062D\u062C\u0645",labelFileSizeNotAvailable:"\u0627\u0644\u062D\u062C\u0645 \u063A\u064A\u0631 \u0645\u062A\u0627\u062D",labelFileLoading:"\u0628\u0627\u0644\u0625\u0646\u062A\u0638\u0627\u0631",labelFileLoadError:"\u062D\u062F\u062B \u062E\u0637\u0623 \u0623\u062B\u0646\u0627\u0621 \u0627\u0644\u062A\u062D\u0645\u064A\u0644",labelFileProcessing:"\u064A\u062A\u0645 \u0627\u0644\u0631\u0641\u0639",labelFileProcessingComplete:"\u062A\u0645 \u0627\u0644\u0631\u0641\u0639",labelFileProcessingAborted:"\u062A\u0645 \u0625\u0644\u063A\u0627\u0621 \u0627\u0644\u0631\u0641\u0639",labelFileProcessingError:"\u062D\u062F\u062B \u062E\u0637\u0623 \u0623\u062B\u0646\u0627\u0621 \u0627\u0644\u0631\u0641\u0639",labelFileProcessingRevertError:"\u062D\u062F\u062B \u062E\u0637\u0623 \u0623\u062B\u0646\u0627\u0621 \u0627\u0644\u062A\u0631\u0627\u062C\u0639",labelFileRemoveError:"\u062D\u062F\u062B \u062E\u0637\u0623 \u0623\u062B\u0646\u0627\u0621 \u0627\u0644\u062D\u0630\u0641",labelTapToCancel:"\u0627\u0646\u0642\u0631 \u0644\u0644\u0625\u0644\u063A\u0627\u0621",labelTapToRetry:"\u0627\u0646\u0642\u0631 \u0644\u0625\u0639\u0627\u062F\u0629 \u0627\u0644\u0645\u062D\u0627\u0648\u0644\u0629",labelTapToUndo:"\u0627\u0646\u0642\u0631 \u0644\u0644\u062A\u0631\u0627\u062C\u0639",labelButtonRemoveItem:"\u0645\u0633\u062D",labelButtonAbortItemLoad:"\u0625\u0644\u063A\u0627\u0621",labelButtonRetryItemLoad:"\u0625\u0639\u0627\u062F\u0629",labelButtonAbortItemProcessing:"\u0625\u0644\u063A\u0627\u0621",labelButtonUndoItemProcessing:"\u062A\u0631\u0627\u062C\u0639",labelButtonRetryItemProcessing:"\u0625\u0639\u0627\u062F\u0629",labelButtonProcessItem:"\u0631\u0641\u0639",labelMaxFileSizeExceeded:"\u0627\u0644\u0645\u0644\u0641 \u0643\u0628\u064A\u0631 \u062C\u062F\u0627",labelMaxFileSize:"\u062D\u062C\u0645 \u0627\u0644\u0645\u0644\u0641 \u0627\u0644\u0623\u0642\u0635\u0649: {filesize}",labelMaxTotalFileSizeExceeded:"\u062A\u0645 \u062A\u062C\u0627\u0648\u0632 \u0627\u0644\u062D\u062F \u0627\u0644\u0623\u0642\u0635\u0649 \u0644\u0644\u062D\u062C\u0645 \u0627\u0644\u0625\u062C\u0645\u0627\u0644\u064A",labelMaxTotalFileSize:"\u0627\u0644\u062D\u062F \u0627\u0644\u0623\u0642\u0635\u0649 \u0644\u062D\u062C\u0645 \u0627\u0644\u0645\u0644\u0641: {filesize}",labelFileTypeNotAllowed:"\u0645\u0644\u0641 \u0645\u0646 \u0646\u0648\u0639 \u063A\u064A\u0631 \u0635\u0627\u0644\u062D",fileValidateTypeLabelExpectedTypes:"\u062A\u062A\u0648\u0642\u0639 {allButLastType} \u0645\u0646 {lastType}",imageValidateSizeLabelFormatError:"\u0646\u0648\u0639 \u0627\u0644\u0635\u0648\u0631\u0629 \u063A\u064A\u0631 \u0645\u062F\u0639\u0648\u0645",imageValidateSizeLabelImageSizeTooSmall:"\u0627\u0644\u0635\u0648\u0631\u0629 \u0635\u063A\u064A\u0631 \u062C\u062F\u0627",imageValidateSizeLabelImageSizeTooBig:"\u0627\u0644\u0635\u0648\u0631\u0629 \u0643\u0628\u064A\u0631\u0629 \u062C\u062F\u0627",imageValidateSizeLabelExpectedMinSize:"\u0627\u0644\u062D\u062F \u0627\u0644\u0623\u062F\u0646\u0649 \u0644\u0644\u0623\u0628\u0639\u0627\u062F \u0647\u0648: {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"\u0627\u0644\u062D\u062F \u0627\u0644\u0623\u0642\u0635\u0649 \u0644\u0644\u0623\u0628\u0639\u0627\u062F \u0647\u0648: {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u0627\u0644\u062F\u0642\u0629 \u0636\u0639\u064A\u0641\u0629 \u062C\u062F\u0627",imageValidateSizeLabelImageResolutionTooHigh:"\u0627\u0644\u062F\u0642\u0629 \u0645\u0631\u062A\u0641\u0639\u0629 \u062C\u062F\u0627",imageValidateSizeLabelExpectedMinResolution:"\u0623\u0642\u0644 \u062F\u0642\u0629: {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u0623\u0642\u0635\u0649 \u062F\u0642\u0629: {maxResolution}"};var Sl={labelIdle:'Arrossega i deixa anar els teus fitxers o Navega ',labelInvalidField:"El camp cont\xE9 fitxers inv\xE0lids",labelFileWaitingForSize:"Esperant mida",labelFileSizeNotAvailable:"Mida no disponible",labelFileLoading:"Carregant",labelFileLoadError:"Error durant la c\xE0rrega",labelFileProcessing:"Pujant",labelFileProcessingComplete:"Pujada completada",labelFileProcessingAborted:"Pujada cancel\xB7lada",labelFileProcessingError:"Error durant la pujada",labelFileProcessingRevertError:"Error durant la reversi\xF3",labelFileRemoveError:"Error durant l'eliminaci\xF3",labelTapToCancel:"toca per cancel\xB7lar",labelTapToRetry:"toca per reintentar",labelTapToUndo:"toca per desfer",labelButtonRemoveItem:"Eliminar",labelButtonAbortItemLoad:"Cancel\xB7lar",labelButtonRetryItemLoad:"Reintentar",labelButtonAbortItemProcessing:"Cancel\xB7lar",labelButtonUndoItemProcessing:"Desfer",labelButtonRetryItemProcessing:"Reintentar",labelButtonProcessItem:"Pujar",labelMaxFileSizeExceeded:"El fitxer \xE9s massa gran",labelMaxFileSize:"La mida m\xE0xima del fitxer \xE9s {filesize}",labelMaxTotalFileSizeExceeded:"Mida m\xE0xima total excedida",labelMaxTotalFileSize:"La mida m\xE0xima total del fitxer \xE9s {filesize}",labelFileTypeNotAllowed:"Fitxer de tipus inv\xE0lid",fileValidateTypeLabelExpectedTypes:"Espera {allButLastType} o {lastType}",imageValidateSizeLabelFormatError:"Tipus d'imatge no suportada",imageValidateSizeLabelImageSizeTooSmall:"La imatge \xE9s massa petita",imageValidateSizeLabelImageSizeTooBig:"La imatge \xE9s massa gran",imageValidateSizeLabelExpectedMinSize:"La mida m\xEDnima \xE9s {minWidth} x {minHeight}",imageValidateSizeLabelExpectedMaxSize:"La mida m\xE0xima \xE9s {maxWidth} x {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"La resoluci\xF3 \xE9s massa baixa",imageValidateSizeLabelImageResolutionTooHigh:"La resoluci\xF3 \xE9s massa alta",imageValidateSizeLabelExpectedMinResolution:"La resoluci\xF3 m\xEDnima \xE9s {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"La resoluci\xF3 m\xE0xima \xE9s {maxResolution}"};var Ll={labelIdle:'\u067E\u06D5\u0695\u06AF\u06D5\u06A9\u0627\u0646 \u0641\u0695\u06CE \u0628\u062F\u06D5 \u0626\u06CE\u0631\u06D5 \u0628\u06C6 \u0628\u0627\u0631\u06A9\u0631\u062F\u0646 \u06CC\u0627\u0646 \u0647\u06D5\u06B5\u0628\u0698\u06CE\u0631\u06D5 ',labelInvalidField:"\u067E\u06D5\u0695\u06AF\u06D5\u06CC \u0646\u0627\u062F\u0631\u0648\u0633\u062A\u06CC \u062A\u06CE\u062F\u0627\u06CC\u06D5",labelFileWaitingForSize:"\u0686\u0627\u0648\u06D5\u0695\u0648\u0627\u0646\u06CC\u06CC \u0642\u06D5\u0628\u0627\u0631\u06D5",labelFileSizeNotAvailable:"\u0642\u06D5\u0628\u0627\u0631\u06D5 \u0628\u06D5\u0631\u062F\u06D5\u0633\u062A \u0646\u06CC\u06D5",labelFileLoading:"\u0628\u0627\u0631\u06A9\u0631\u062F\u0646",labelFileLoadError:"\u0647\u06D5\u06B5\u06D5 \u0644\u06D5\u0645\u0627\u0648\u06D5\u06CC \u0628\u0627\u0631\u06A9\u0631\u062F\u0646",labelFileProcessing:"\u0628\u0627\u0631\u06A9\u0631\u062F\u0646",labelFileProcessingComplete:"\u0628\u0627\u0631\u06A9\u0631\u062F\u0646 \u062A\u06D5\u0648\u0627\u0648 \u0628\u0648\u0648",labelFileProcessingAborted:"\u0628\u0627\u0631\u06A9\u0631\u062F\u0646 \u0647\u06D5\u06B5\u0648\u06D5\u0634\u0627\u06CC\u06D5\u0648\u06D5",labelFileProcessingError:"\u0647\u06D5\u06B5\u06D5 \u0644\u06D5\u06A9\u0627\u062A\u06CC \u0628\u0627\u0631\u06A9\u0631\u062F\u0646\u062F\u0627",labelFileProcessingRevertError:"\u0647\u06D5\u06B5\u06D5 \u0644\u06D5 \u06A9\u0627\u062A\u06CC \u06AF\u06D5\u0695\u0627\u0646\u06D5\u0648\u06D5",labelFileRemoveError:"\u0647\u06D5\u06B5\u06D5 \u0644\u06D5 \u06A9\u0627\u062A\u06CC \u0633\u0695\u06CC\u0646\u06D5\u0648\u06D5",labelTapToCancel:"\u0628\u06C6 \u0647\u06D5\u06B5\u0648\u06D5\u0634\u0627\u0646\u062F\u0646\u06D5\u0648\u06D5 Tab \u062F\u0627\u0628\u06AF\u0631\u06D5",labelTapToRetry:"tap \u062F\u0627\u0628\u06AF\u0631\u06D5 \u0628\u06C6 \u062F\u0648\u0648\u0628\u0627\u0631\u06D5\u06A9\u0631\u062F\u0646\u06D5\u0648\u06D5",labelTapToUndo:"tap \u062F\u0627\u0628\u06AF\u0631\u06D5 \u0628\u06C6 \u06AF\u06D5\u0695\u0627\u0646\u062F\u0646\u06D5\u0648\u06D5",labelButtonRemoveItem:"\u0633\u0695\u06CC\u0646\u06D5\u0648\u06D5",labelButtonAbortItemLoad:"\u0647\u06D5\u06B5\u0648\u06D5\u0634\u0627\u0646\u062F\u0646\u06D5\u0648\u06D5",labelButtonRetryItemLoad:"\u0647\u06D5\u0648\u06B5\u062F\u0627\u0646\u06D5\u0648\u06D5",labelButtonAbortItemProcessing:"\u067E\u06D5\u0634\u06CC\u0645\u0627\u0646\u0628\u0648\u0648\u0646\u06D5\u0648\u06D5",labelButtonUndoItemProcessing:"\u06AF\u06D5\u0695\u0627\u0646\u062F\u0646\u06D5\u0648\u06D5",labelButtonRetryItemProcessing:"\u0647\u06D5\u0648\u06B5\u062F\u0627\u0646\u06D5\u0648\u06D5",labelButtonProcessItem:"\u0628\u0627\u0631\u06A9\u0631\u062F\u0646",labelMaxFileSizeExceeded:"\u067E\u06D5\u0695\u06AF\u06D5 \u0632\u06C6\u0631 \u06AF\u06D5\u0648\u0631\u06D5\u06CC\u06D5",labelMaxFileSize:"\u0632\u06C6\u0631\u062A\u0631\u06CC\u0646 \u0642\u06D5\u0628\u0627\u0631\u06D5 {filesize}",labelMaxTotalFileSizeExceeded:"\u0632\u06C6\u0631\u062A\u0631\u06CC\u0646 \u0642\u06D5\u0628\u0627\u0631\u06D5\u06CC \u06A9\u06C6\u06CC \u06AF\u0634\u062A\u06CC \u062A\u06CE\u067E\u06D5\u0695\u06CE\u0646\u062F\u0631\u0627",labelMaxTotalFileSize:"\u0632\u06C6\u0631\u062A\u0631\u06CC\u0646 \u0642\u06D5\u0628\u0627\u0631\u06D5\u06CC \u06A9\u06C6\u06CC \u067E\u06D5\u0695\u06AF\u06D5 {filesize}",labelFileTypeNotAllowed:"\u062C\u06C6\u0631\u06CC \u067E\u06D5\u0695\u06AF\u06D5\u06A9\u06D5 \u0646\u0627\u062F\u0631\u0648\u0633\u062A\u06D5",fileValidateTypeLabelExpectedTypes:"\u062C\u06AF\u06D5 \u0644\u06D5 {allButLastType} \u06CC\u0627\u0646 {lastType}",imageValidateSizeLabelFormatError:"\u062C\u06C6\u0631\u06CC \u0648\u06CE\u0646\u06D5 \u067E\u0627\u06B5\u067E\u0634\u062A\u06CC\u06CC \u0646\u06D5\u06A9\u0631\u0627\u0648\u06D5",imageValidateSizeLabelImageSizeTooSmall:"\u0648\u06CE\u0646\u06D5\u06A9\u06D5 \u0632\u06C6\u0631 \u0628\u0686\u0648\u0648\u06A9\u06D5",imageValidateSizeLabelImageSizeTooBig:"\u0648\u06CE\u0646\u06D5\u06A9\u06D5 \u0632\u06C6\u0631 \u06AF\u06D5\u0648\u0631\u06D5\u06CC\u06D5",imageValidateSizeLabelExpectedMinSize:"\u06A9\u06D5\u0645\u062A\u0631\u06CC\u0646 \u0642\u06D5\u0628\u0627\u0631\u06D5 {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"\u0632\u06C6\u0631\u062A\u0631\u06CC\u0646 \u0642\u06D5\u0628\u0627\u0631\u06D5 {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u0648\u0631\u062F\u0628\u06CC\u0646\u06CC\u06CC\u06D5\u06A9\u06D5\u06CC \u0632\u06C6\u0631 \u06A9\u06D5\u0645\u06D5",imageValidateSizeLabelImageResolutionTooHigh:"\u0648\u0631\u062F\u0628\u06CC\u0646\u06CC\u06CC\u06D5\u06A9\u06D5\u06CC \u0632\u06C6\u0631 \u0628\u06D5\u0631\u0632\u06D5",imageValidateSizeLabelExpectedMinResolution:"\u06A9\u06D5\u0645\u062A\u0631\u06CC\u0646 \u0648\u0631\u062F\u0628\u06CC\u0646\u06CC\u06CC {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u0632\u06C6\u0631\u062A\u0631\u06CC\u0646 \u0648\u0631\u062F\u0628\u06CC\u0646\u06CC {maxResolution}"};var Al={labelIdle:'P\u0159et\xE1hn\u011Bte soubor sem (drag&drop) nebo Vyhledat ',labelInvalidField:"Pole obsahuje chybn\xE9 soubory",labelFileWaitingForSize:"Zji\u0161\u0165uje se velikost",labelFileSizeNotAvailable:"Velikost nen\xED zn\xE1m\xE1",labelFileLoading:"P\u0159en\xE1\u0161\xED se",labelFileLoadError:"Chyba p\u0159i p\u0159enosu",labelFileProcessing:"Prob\xEDh\xE1 upload",labelFileProcessingComplete:"Upload dokon\u010Den",labelFileProcessingAborted:"Upload stornov\xE1n",labelFileProcessingError:"Chyba p\u0159i uploadu",labelFileProcessingRevertError:"Chyba p\u0159i obnov\u011B",labelFileRemoveError:"Chyba p\u0159i odstran\u011Bn\xED",labelTapToCancel:"klepn\u011Bte pro storno",labelTapToRetry:"klepn\u011Bte pro opakov\xE1n\xED",labelTapToUndo:"klepn\u011Bte pro vr\xE1cen\xED",labelButtonRemoveItem:"Odstranit",labelButtonAbortItemLoad:"Storno",labelButtonRetryItemLoad:"Opakovat",labelButtonAbortItemProcessing:"Zp\u011Bt",labelButtonUndoItemProcessing:"Vr\xE1tit",labelButtonRetryItemProcessing:"Opakovat",labelButtonProcessItem:"Upload",labelMaxFileSizeExceeded:"Soubor je p\u0159\xEDli\u0161 velk\xFD",labelMaxFileSize:"Nejv\u011Bt\u0161\xED velikost souboru je {filesize}",labelMaxTotalFileSizeExceeded:"P\u0159ekro\u010Dena maxim\xE1ln\xED celkov\xE1 velikost souboru",labelMaxTotalFileSize:"Maxim\xE1ln\xED celkov\xE1 velikost souboru je {filesize}",labelFileTypeNotAllowed:"Soubor je nespr\xE1vn\xE9ho typu",fileValidateTypeLabelExpectedTypes:"O\u010Dek\xE1v\xE1 se {allButLastType} nebo {lastType}",imageValidateSizeLabelFormatError:"Obr\xE1zek tohoto typu nen\xED podporov\xE1n",imageValidateSizeLabelImageSizeTooSmall:"Obr\xE1zek je p\u0159\xEDli\u0161 mal\xFD",imageValidateSizeLabelImageSizeTooBig:"Obr\xE1zek je p\u0159\xEDli\u0161 velk\xFD",imageValidateSizeLabelExpectedMinSize:"Minim\xE1ln\xED rozm\u011Br je {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maxim\xE1ln\xED rozm\u011Br je {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Rozli\u0161en\xED je p\u0159\xEDli\u0161 mal\xE9",imageValidateSizeLabelImageResolutionTooHigh:"Rozli\u0161en\xED je p\u0159\xEDli\u0161 velk\xE9",imageValidateSizeLabelExpectedMinResolution:"Minim\xE1ln\xED rozli\u0161en\xED je {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maxim\xE1ln\xED rozli\u0161en\xED je {maxResolution}"};var Ml={labelIdle:'Tr\xE6k & slip filer eller Gennemse ',labelInvalidField:"Felt indeholder ugyldige filer",labelFileWaitingForSize:"Venter p\xE5 st\xF8rrelse",labelFileSizeNotAvailable:"St\xF8rrelse ikke tilg\xE6ngelig",labelFileLoading:"Loader",labelFileLoadError:"Load fejlede",labelFileProcessing:"Uploader",labelFileProcessingComplete:"Upload f\xE6rdig",labelFileProcessingAborted:"Upload annulleret",labelFileProcessingError:"Upload fejlede",labelFileProcessingRevertError:"Fortryd fejlede",labelFileRemoveError:"Fjern fejlede",labelTapToCancel:"tryk for at annullere",labelTapToRetry:"tryk for at pr\xF8ve igen",labelTapToUndo:"tryk for at fortryde",labelButtonRemoveItem:"Fjern",labelButtonAbortItemLoad:"Annuller",labelButtonRetryItemLoad:"Fors\xF8g igen",labelButtonAbortItemProcessing:"Annuller",labelButtonUndoItemProcessing:"Fortryd",labelButtonRetryItemProcessing:"Pr\xF8v igen",labelButtonProcessItem:"Upload",labelMaxFileSizeExceeded:"Filen er for stor",labelMaxFileSize:"Maksimal filst\xF8rrelse er {filesize}",labelMaxTotalFileSizeExceeded:"Maksimal totalst\xF8rrelse overskredet",labelMaxTotalFileSize:"Maksimal total filst\xF8rrelse er {filesize}",labelFileTypeNotAllowed:"Ugyldig filtype",fileValidateTypeLabelExpectedTypes:"Forventer {allButLastType} eller {lastType}",imageValidateSizeLabelFormatError:"Ugyldigt format",imageValidateSizeLabelImageSizeTooSmall:"Billedet er for lille",imageValidateSizeLabelImageSizeTooBig:"Billedet er for stort",imageValidateSizeLabelExpectedMinSize:"Minimum st\xF8rrelse er {minBredde} \xD7 {minH\xF8jde}",imageValidateSizeLabelExpectedMaxSize:"Maksimal st\xF8rrelse er {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"For lav opl\xF8sning",imageValidateSizeLabelImageResolutionTooHigh:"For h\xF8j opl\xF8sning",imageValidateSizeLabelExpectedMinResolution:"Minimum opl\xF8sning er {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maksimal opl\xF8sning er {maxResolution}"};var Ol={labelIdle:'Dateien ablegen oder ausw\xE4hlen ',labelInvalidField:"Feld beinhaltet ung\xFCltige Dateien",labelFileWaitingForSize:"Dateigr\xF6\xDFe berechnen",labelFileSizeNotAvailable:"Dateigr\xF6\xDFe nicht verf\xFCgbar",labelFileLoading:"Laden",labelFileLoadError:"Fehler beim Laden",labelFileProcessing:"Upload l\xE4uft",labelFileProcessingComplete:"Upload abgeschlossen",labelFileProcessingAborted:"Upload abgebrochen",labelFileProcessingError:"Fehler beim Upload",labelFileProcessingRevertError:"Fehler beim Wiederherstellen",labelFileRemoveError:"Fehler beim L\xF6schen",labelTapToCancel:"abbrechen",labelTapToRetry:"erneut versuchen",labelTapToUndo:"r\xFCckg\xE4ngig",labelButtonRemoveItem:"Entfernen",labelButtonAbortItemLoad:"Verwerfen",labelButtonRetryItemLoad:"Erneut versuchen",labelButtonAbortItemProcessing:"Abbrechen",labelButtonUndoItemProcessing:"R\xFCckg\xE4ngig",labelButtonRetryItemProcessing:"Erneut versuchen",labelButtonProcessItem:"Upload",labelMaxFileSizeExceeded:"Datei ist zu gro\xDF",labelMaxFileSize:"Maximale Dateigr\xF6\xDFe: {filesize}",labelMaxTotalFileSizeExceeded:"Maximale gesamte Dateigr\xF6\xDFe \xFCberschritten",labelMaxTotalFileSize:"Maximale gesamte Dateigr\xF6\xDFe: {filesize}",labelFileTypeNotAllowed:"Dateityp ung\xFCltig",fileValidateTypeLabelExpectedTypes:"Erwartet {allButLastType} oder {lastType}",imageValidateSizeLabelFormatError:"Bildtyp nicht unterst\xFCtzt",imageValidateSizeLabelImageSizeTooSmall:"Bild ist zu klein",imageValidateSizeLabelImageSizeTooBig:"Bild ist zu gro\xDF",imageValidateSizeLabelExpectedMinSize:"Mindestgr\xF6\xDFe: {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maximale Gr\xF6\xDFe: {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Aufl\xF6sung ist zu niedrig",imageValidateSizeLabelImageResolutionTooHigh:"Aufl\xF6sung ist zu hoch",imageValidateSizeLabelExpectedMinResolution:"Mindestaufl\xF6sung: {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maximale Aufl\xF6sung: {maxResolution}"};var Pl={labelIdle:'Drag & Drop your files or Browse ',labelInvalidField:"Field contains invalid files",labelFileWaitingForSize:"Waiting for size",labelFileSizeNotAvailable:"Size not available",labelFileLoading:"Loading",labelFileLoadError:"Error during load",labelFileProcessing:"Uploading",labelFileProcessingComplete:"Upload complete",labelFileProcessingAborted:"Upload cancelled",labelFileProcessingError:"Error during upload",labelFileProcessingRevertError:"Error during revert",labelFileRemoveError:"Error during remove",labelTapToCancel:"tap to cancel",labelTapToRetry:"tap to retry",labelTapToUndo:"tap to undo",labelButtonRemoveItem:"Remove",labelButtonAbortItemLoad:"Abort",labelButtonRetryItemLoad:"Retry",labelButtonAbortItemProcessing:"Cancel",labelButtonUndoItemProcessing:"Undo",labelButtonRetryItemProcessing:"Retry",labelButtonProcessItem:"Upload",labelMaxFileSizeExceeded:"File is too large",labelMaxFileSize:"Maximum file size is {filesize}",labelMaxTotalFileSizeExceeded:"Maximum total size exceeded",labelMaxTotalFileSize:"Maximum total file size is {filesize}",labelFileTypeNotAllowed:"File of invalid type",fileValidateTypeLabelExpectedTypes:"Expects {allButLastType} or {lastType}",imageValidateSizeLabelFormatError:"Image type not supported",imageValidateSizeLabelImageSizeTooSmall:"Image is too small",imageValidateSizeLabelImageSizeTooBig:"Image is too big",imageValidateSizeLabelExpectedMinSize:"Minimum size is {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maximum size is {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Resolution is too low",imageValidateSizeLabelImageResolutionTooHigh:"Resolution is too high",imageValidateSizeLabelExpectedMinResolution:"Minimum resolution is {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maximum resolution is {maxResolution}"};var Dl={labelIdle:'Arrastra y suelta tus archivos o Examina ',labelInvalidField:"El campo contiene archivos inv\xE1lidos",labelFileWaitingForSize:"Esperando tama\xF1o",labelFileSizeNotAvailable:"Tama\xF1o no disponible",labelFileLoading:"Cargando",labelFileLoadError:"Error durante la carga",labelFileProcessing:"Subiendo",labelFileProcessingComplete:"Subida completa",labelFileProcessingAborted:"Subida cancelada",labelFileProcessingError:"Error durante la subida",labelFileProcessingRevertError:"Error durante la reversi\xF3n",labelFileRemoveError:"Error durante la eliminaci\xF3n",labelTapToCancel:"toca para cancelar",labelTapToRetry:"tocar para reintentar",labelTapToUndo:"tocar para deshacer",labelButtonRemoveItem:"Eliminar",labelButtonAbortItemLoad:"Cancelar",labelButtonRetryItemLoad:"Reintentar",labelButtonAbortItemProcessing:"Cancelar",labelButtonUndoItemProcessing:"Deshacer",labelButtonRetryItemProcessing:"Reintentar",labelButtonProcessItem:"Subir",labelMaxFileSizeExceeded:"El archivo es demasiado grande",labelMaxFileSize:"El tama\xF1o m\xE1ximo del archivo es {filesize}",labelMaxTotalFileSizeExceeded:"Tama\xF1o total m\xE1ximo excedido",labelMaxTotalFileSize:"El tama\xF1o total m\xE1ximo del archivo es {filesize}",labelFileTypeNotAllowed:"Archivo de tipo inv\xE1lido",fileValidateTypeLabelExpectedTypes:"Espera {allButLastType} o {lastType}",imageValidateSizeLabelFormatError:"Tipo de imagen no soportada",imageValidateSizeLabelImageSizeTooSmall:"La imagen es demasiado peque\xF1a",imageValidateSizeLabelImageSizeTooBig:"La imagen es demasiado grande",imageValidateSizeLabelExpectedMinSize:"El tama\xF1o m\xEDnimo es {minWidth} x {minHeight}",imageValidateSizeLabelExpectedMaxSize:"El tama\xF1o m\xE1ximo es {maxWidth} x {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"La resoluci\xF3n es demasiado baja",imageValidateSizeLabelImageResolutionTooHigh:"La resoluci\xF3n es demasiado alta",imageValidateSizeLabelExpectedMinResolution:"La resoluci\xF3n m\xEDnima es {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"La resoluci\xF3n m\xE1xima es {maxResolution}"};var Fl={labelIdle:'\u0641\u0627\u06CC\u0644 \u0631\u0627 \u0627\u06CC\u0646\u062C\u0627 \u0628\u06A9\u0634\u06CC\u062F \u0648 \u0631\u0647\u0627 \u06A9\u0646\u06CC\u062F\u060C \u06CC\u0627 \u062C\u0633\u062A\u062C\u0648 \u06A9\u0646\u06CC\u062F ',labelInvalidField:"\u0641\u06CC\u0644\u062F \u062F\u0627\u0631\u0627\u06CC \u0641\u0627\u06CC\u0644 \u0647\u0627\u06CC \u0646\u0627\u0645\u0639\u062A\u0628\u0631 \u0627\u0633\u062A",labelFileWaitingForSize:"Waiting for size",labelFileSizeNotAvailable:"\u062D\u062C\u0645 \u0641\u0627\u06CC\u0644 \u0645\u062C\u0627\u0632 \u0646\u06CC\u0633\u062A",labelFileLoading:"\u062F\u0631\u062D\u0627\u0644 \u0628\u0627\u0631\u06AF\u0630\u0627\u0631\u06CC",labelFileLoadError:"\u062E\u0637\u0627 \u062F\u0631 \u0632\u0645\u0627\u0646 \u0627\u062C\u0631\u0627",labelFileProcessing:"\u062F\u0631\u062D\u0627\u0644 \u0628\u0627\u0631\u06AF\u0630\u0627\u0631\u06CC",labelFileProcessingComplete:"\u0628\u0627\u0631\u06AF\u0630\u0627\u0631\u06CC \u06A9\u0627\u0645\u0644 \u0634\u062F",labelFileProcessingAborted:"\u0628\u0627\u0631\u06AF\u0630\u0627\u0631\u06CC \u0644\u063A\u0648 \u0634\u062F",labelFileProcessingError:"\u062E\u0637\u0627 \u062F\u0631 \u0632\u0645\u0627\u0646 \u0628\u0627\u0631\u06AF\u0630\u0627\u0631\u06CC",labelFileProcessingRevertError:"\u062E\u0637\u0627 \u062F\u0631 \u0632\u0645\u0627\u0646 \u062D\u0630\u0641",labelFileRemoveError:"\u062E\u0637\u0627 \u062F\u0631 \u0632\u0645\u0627\u0646 \u062D\u0630\u0641",labelTapToCancel:"\u0628\u0631\u0627\u06CC \u0644\u063A\u0648 \u0636\u0631\u0628\u0647 \u0628\u0632\u0646\u06CC\u062F",labelTapToRetry:"\u0628\u0631\u0627\u06CC \u062A\u06A9\u0631\u0627\u0631 \u06A9\u0644\u06CC\u06A9 \u06A9\u0646\u06CC\u062F",labelTapToUndo:"\u0628\u0631\u0627\u06CC \u0628\u0631\u06AF\u0634\u062A \u06A9\u0644\u06CC\u06A9 \u06A9\u0646\u06CC\u062F",labelButtonRemoveItem:"\u062D\u0630\u0641",labelButtonAbortItemLoad:"\u0644\u063A\u0648",labelButtonRetryItemLoad:"\u062A\u06A9\u0631\u0627\u0631",labelButtonAbortItemProcessing:"\u0644\u063A\u0648",labelButtonUndoItemProcessing:"\u0628\u0631\u06AF\u0634\u062A",labelButtonRetryItemProcessing:"\u062A\u06A9\u0631\u0627\u0631",labelButtonProcessItem:"\u0628\u0627\u0631\u06AF\u0630\u0627\u0631\u06CC",labelMaxFileSizeExceeded:"\u0641\u0627\u06CC\u0644 \u0628\u0633\u06CC\u0627\u0631 \u062D\u062C\u06CC\u0645 \u0627\u0633\u062A",labelMaxFileSize:"\u062D\u062F\u0627\u06A9\u062B\u0631 \u0645\u062C\u0627\u0632 \u0641\u0627\u06CC\u0644 {filesize} \u0627\u0633\u062A",labelMaxTotalFileSizeExceeded:"\u0627\u0632 \u062D\u062F\u0627\u06A9\u062B\u0631 \u062D\u062C\u0645 \u0641\u0627\u06CC\u0644 \u0628\u06CC\u0634\u062A\u0631 \u0634\u062F",labelMaxTotalFileSize:"\u062D\u062F\u0627\u06A9\u062B\u0631 \u062D\u062C\u0645 \u0641\u0627\u06CC\u0644 {filesize} \u0627\u0633\u062A",labelFileTypeNotAllowed:"\u0646\u0648\u0639 \u0641\u0627\u06CC\u0644 \u0646\u0627\u0645\u0639\u062A\u0628\u0631 \u0627\u0633\u062A",fileValidateTypeLabelExpectedTypes:"\u062F\u0631 \u0627\u0646\u062A\u0638\u0627\u0631 {allButLastType} \u06CC\u0627 {lastType}",imageValidateSizeLabelFormatError:"\u0641\u0631\u0645\u062A \u062A\u0635\u0648\u06CC\u0631 \u067E\u0634\u062A\u06CC\u0628\u0627\u0646\u06CC \u0646\u0645\u06CC \u0634\u0648\u062F",imageValidateSizeLabelImageSizeTooSmall:"\u062A\u0635\u0648\u06CC\u0631 \u0628\u0633\u06CC\u0627\u0631 \u06A9\u0648\u0686\u06A9 \u0627\u0633\u062A",imageValidateSizeLabelImageSizeTooBig:"\u062A\u0635\u0648\u06CC\u0631 \u0628\u0633\u06CC\u0627\u0631 \u0628\u0632\u0631\u06AF \u0627\u0633\u062A",imageValidateSizeLabelExpectedMinSize:"\u062D\u062F\u0627\u0642\u0644 \u0627\u0646\u062F\u0627\u0632\u0647 {minWidth} \xD7 {minHeight} \u0627\u0633\u062A",imageValidateSizeLabelExpectedMaxSize:"\u062D\u062F\u0627\u06A9\u062B\u0631 \u0627\u0646\u062F\u0627\u0632\u0647 {maxWidth} \xD7 {maxHeight} \u0627\u0633\u062A",imageValidateSizeLabelImageResolutionTooLow:"\u0648\u0636\u0648\u062D \u062A\u0635\u0648\u06CC\u0631 \u0628\u0633\u06CC\u0627\u0631 \u06A9\u0645 \u0627\u0633\u062A",imageValidateSizeLabelImageResolutionTooHigh:"\u0648\u0636\u0648\u0639 \u062A\u0635\u0648\u06CC\u0631 \u0628\u0633\u06CC\u0627\u0631 \u0632\u06CC\u0627\u062F \u0627\u0633\u062A",imageValidateSizeLabelExpectedMinResolution:"\u062D\u062F\u0627\u0642\u0644 \u0648\u0636\u0648\u062D \u062A\u0635\u0648\u06CC\u0631 {minResolution} \u0627\u0633\u062A",imageValidateSizeLabelExpectedMaxResolution:"\u062D\u062F\u0627\u06A9\u062B\u0631 \u0648\u0636\u0648\u062D \u062A\u0635\u0648\u06CC\u0631 {maxResolution} \u0627\u0633\u062A"};var zl={labelIdle:'Ved\xE4 ja pudota tiedostoja tai Selaa ',labelInvalidField:"Kent\xE4ss\xE4 on virheellisi\xE4 tiedostoja",labelFileWaitingForSize:"Odotetaan kokoa",labelFileSizeNotAvailable:"Kokoa ei saatavilla",labelFileLoading:"Ladataan",labelFileLoadError:"Virhe latauksessa",labelFileProcessing:"L\xE4hetet\xE4\xE4n",labelFileProcessingComplete:"L\xE4hetys valmis",labelFileProcessingAborted:"L\xE4hetys peruttu",labelFileProcessingError:"Virhe l\xE4hetyksess\xE4",labelFileProcessingRevertError:"Virhe palautuksessa",labelFileRemoveError:"Virhe poistamisessa",labelTapToCancel:"peruuta napauttamalla",labelTapToRetry:"yrit\xE4 uudelleen napauttamalla",labelTapToUndo:"kumoa napauttamalla",labelButtonRemoveItem:"Poista",labelButtonAbortItemLoad:"Keskeyt\xE4",labelButtonRetryItemLoad:"Yrit\xE4 uudelleen",labelButtonAbortItemProcessing:"Peruuta",labelButtonUndoItemProcessing:"Kumoa",labelButtonRetryItemProcessing:"Yrit\xE4 uudelleen",labelButtonProcessItem:"L\xE4het\xE4",labelMaxFileSizeExceeded:"Tiedoston koko on liian suuri",labelMaxFileSize:"Tiedoston maksimikoko on {filesize}",labelMaxTotalFileSizeExceeded:"Tiedostojen yhdistetty maksimikoko ylitetty",labelMaxTotalFileSize:"Tiedostojen yhdistetty maksimikoko on {filesize}",labelFileTypeNotAllowed:"Tiedostotyyppi\xE4 ei sallita",fileValidateTypeLabelExpectedTypes:"Sallitaan {allButLastType} tai {lastType}",imageValidateSizeLabelFormatError:"Kuvatyyppi\xE4 ei tueta",imageValidateSizeLabelImageSizeTooSmall:"Kuva on liian pieni",imageValidateSizeLabelImageSizeTooBig:"Kuva on liian suuri",imageValidateSizeLabelExpectedMinSize:"Minimikoko on {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maksimikoko on {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Resoluutio on liian pieni",imageValidateSizeLabelImageResolutionTooHigh:"Resoluutio on liian suuri",imageValidateSizeLabelExpectedMinResolution:"Minimiresoluutio on {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maksimiresoluutio on {maxResolution}"};var Cl={labelIdle:'Faites glisser vos fichiers ou Parcourir ',labelInvalidField:"Le champ contient des fichiers invalides",labelFileWaitingForSize:"En attente de taille",labelFileSizeNotAvailable:"Taille non disponible",labelFileLoading:"Chargement",labelFileLoadError:"Erreur durant le chargement",labelFileProcessing:"Traitement",labelFileProcessingComplete:"Traitement effectu\xE9",labelFileProcessingAborted:"Traitement interrompu",labelFileProcessingError:"Erreur durant le traitement",labelFileProcessingRevertError:"Erreur durant la restauration",labelFileRemoveError:"Erreur durant la suppression",labelTapToCancel:"appuyer pour annuler",labelTapToRetry:"appuyer pour r\xE9essayer",labelTapToUndo:"appuyer pour revenir en arri\xE8re",labelButtonRemoveItem:"Retirer",labelButtonAbortItemLoad:"Annuler",labelButtonRetryItemLoad:"Recommencer",labelButtonAbortItemProcessing:"Annuler",labelButtonUndoItemProcessing:"Revenir en arri\xE8re",labelButtonRetryItemProcessing:"Recommencer",labelButtonProcessItem:"Transf\xE9rer",labelMaxFileSizeExceeded:"Le fichier est trop volumineux",labelMaxFileSize:"La taille maximale de fichier est {filesize}",labelMaxTotalFileSizeExceeded:"Taille totale maximale d\xE9pass\xE9e",labelMaxTotalFileSize:"La taille totale maximale des fichiers est {filesize}",labelFileTypeNotAllowed:"Fichier non valide",fileValidateTypeLabelExpectedTypes:"Attendu {allButLastType} ou {lastType}",imageValidateSizeLabelFormatError:"Type d'image non pris en charge",imageValidateSizeLabelImageSizeTooSmall:"L'image est trop petite",imageValidateSizeLabelImageSizeTooBig:"L'image est trop grande",imageValidateSizeLabelExpectedMinSize:"La taille minimale est {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"La taille maximale est {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"La r\xE9solution est trop faible",imageValidateSizeLabelImageResolutionTooHigh:"La r\xE9solution est trop \xE9lev\xE9e",imageValidateSizeLabelExpectedMinResolution:"La r\xE9solution minimale est {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"La r\xE9solution maximale est {maxResolution}"};var Nl={labelIdle:'Mozgasd ide a f\xE1jlt a felt\xF6lt\xE9shez, vagy tall\xF3z\xE1s ',labelInvalidField:"A mez\u0151 \xE9rv\xE9nytelen f\xE1jlokat tartalmaz",labelFileWaitingForSize:"F\xE1ljm\xE9ret kisz\xE1mol\xE1sa",labelFileSizeNotAvailable:"A f\xE1jlm\xE9ret nem el\xE9rhet\u0151",labelFileLoading:"T\xF6lt\xE9s",labelFileLoadError:"Hiba a bet\xF6lt\xE9s sor\xE1n",labelFileProcessing:"Felt\xF6lt\xE9s",labelFileProcessingComplete:"Sikeres felt\xF6lt\xE9s",labelFileProcessingAborted:"A felt\xF6lt\xE9s megszak\xEDtva",labelFileProcessingError:"Hiba t\xF6rt\xE9nt a felt\xF6lt\xE9s sor\xE1n",labelFileProcessingRevertError:"Hiba a vissza\xE1ll\xEDt\xE1s sor\xE1n",labelFileRemoveError:"Hiba t\xF6rt\xE9nt az elt\xE1vol\xEDt\xE1s sor\xE1n",labelTapToCancel:"koppints a t\xF6rl\xE9shez",labelTapToRetry:"koppints az \xFAjrakezd\xE9shez",labelTapToUndo:"koppints a visszavon\xE1shoz",labelButtonRemoveItem:"Elt\xE1vol\xEDt\xE1s",labelButtonAbortItemLoad:"Megszak\xEDt\xE1s",labelButtonRetryItemLoad:"\xDAjrapr\xF3b\xE1lkoz\xE1s",labelButtonAbortItemProcessing:"Megszak\xEDt\xE1s",labelButtonUndoItemProcessing:"Visszavon\xE1s",labelButtonRetryItemProcessing:"\xDAjrapr\xF3b\xE1lkoz\xE1s",labelButtonProcessItem:"Felt\xF6lt\xE9s",labelMaxFileSizeExceeded:"A f\xE1jl t\xFAll\xE9pte a maxim\xE1lis m\xE9retet",labelMaxFileSize:"Maxim\xE1lis f\xE1jlm\xE9ret: {filesize}",labelMaxTotalFileSizeExceeded:"T\xFAll\xE9pte a maxim\xE1lis teljes m\xE9retet",labelMaxTotalFileSize:"A maxim\xE1is teljes f\xE1jlm\xE9ret: {filesize}",labelFileTypeNotAllowed:"\xC9rv\xE9nytelen t\xEDpus\xFA f\xE1jl",fileValidateTypeLabelExpectedTypes:"Enged\xE9lyezett t\xEDpusok {allButLastType} vagy {lastType}",imageValidateSizeLabelFormatError:"A k\xE9pt\xEDpus nem t\xE1mogatott",imageValidateSizeLabelImageSizeTooSmall:"A k\xE9p t\xFAl kicsi",imageValidateSizeLabelImageSizeTooBig:"A k\xE9p t\xFAl nagy",imageValidateSizeLabelExpectedMinSize:"Minimum m\xE9ret: {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maximum m\xE9ret: {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"A felbont\xE1s t\xFAl alacsony",imageValidateSizeLabelImageResolutionTooHigh:"A felbont\xE1s t\xFAl magas",imageValidateSizeLabelExpectedMinResolution:"Minim\xE1is felbont\xE1s: {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maxim\xE1lis felbont\xE1s: {maxResolution}"};var Bl={labelIdle:'Seret & Jatuhkan berkas Anda atau Jelajahi',labelInvalidField:"Isian berisi berkas yang tidak valid",labelFileWaitingForSize:"Menunggu ukuran berkas",labelFileSizeNotAvailable:"Ukuran berkas tidak tersedia",labelFileLoading:"Memuat",labelFileLoadError:"Kesalahan saat memuat",labelFileProcessing:"Mengunggah",labelFileProcessingComplete:"Pengunggahan selesai",labelFileProcessingAborted:"Pengunggahan dibatalkan",labelFileProcessingError:"Kesalahan saat pengunggahan",labelFileProcessingRevertError:"Kesalahan saat pemulihan",labelFileRemoveError:"Kesalahan saat penghapusan",labelTapToCancel:"ketuk untuk membatalkan",labelTapToRetry:"ketuk untuk mencoba lagi",labelTapToUndo:"ketuk untuk mengurungkan",labelButtonRemoveItem:"Hapus",labelButtonAbortItemLoad:"Batalkan",labelButtonRetryItemLoad:"Coba Kembali",labelButtonAbortItemProcessing:"Batalkan",labelButtonUndoItemProcessing:"Urungkan",labelButtonRetryItemProcessing:"Coba Kembali",labelButtonProcessItem:"Unggah",labelMaxFileSizeExceeded:"Berkas terlalu besar",labelMaxFileSize:"Ukuran berkas maksimum adalah {filesize}",labelMaxTotalFileSizeExceeded:"Jumlah berkas maksimum terlampaui",labelMaxTotalFileSize:"Jumlah berkas maksimum adalah {filesize}",labelFileTypeNotAllowed:"Jenis berkas tidak valid",fileValidateTypeLabelExpectedTypes:"Mengharapkan {allButLastType} atau {lastType}",imageValidateSizeLabelFormatError:"Jenis citra tidak didukung",imageValidateSizeLabelImageSizeTooSmall:"Citra terlalu kecil",imageValidateSizeLabelImageSizeTooBig:"Citra terlalu besar",imageValidateSizeLabelExpectedMinSize:"Ukuran minimum adalah {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Ukuran maksimum adalah {minWidth} \xD7 {minHeight}",imageValidateSizeLabelImageResolutionTooLow:"Resolusi terlalu rendah",imageValidateSizeLabelImageResolutionTooHigh:"Resolusi terlalu tinggi",imageValidateSizeLabelExpectedMinResolution:"Resolusi minimum adalah {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Resolusi maksimum adalah {maxResolution}"};var kl={labelIdle:'Trascina e rilascia i tuoi file oppure Carica ',labelInvalidField:"Il campo contiene dei file non validi",labelFileWaitingForSize:"Aspettando le dimensioni",labelFileSizeNotAvailable:"Dimensioni non disponibili",labelFileLoading:"Caricamento",labelFileLoadError:"Errore durante il caricamento",labelFileProcessing:"Caricamento",labelFileProcessingComplete:"Caricamento completato",labelFileProcessingAborted:"Caricamento cancellato",labelFileProcessingError:"Errore durante il caricamento",labelFileProcessingRevertError:"Errore durante il ripristino",labelFileRemoveError:"Errore durante l'eliminazione",labelTapToCancel:"tocca per cancellare",labelTapToRetry:"tocca per riprovare",labelTapToUndo:"tocca per ripristinare",labelButtonRemoveItem:"Elimina",labelButtonAbortItemLoad:"Cancella",labelButtonRetryItemLoad:"Ritenta",labelButtonAbortItemProcessing:"Camcella",labelButtonUndoItemProcessing:"Indietro",labelButtonRetryItemProcessing:"Ritenta",labelButtonProcessItem:"Carica",labelMaxFileSizeExceeded:"Il peso del file \xE8 eccessivo",labelMaxFileSize:"Il peso massimo del file \xE8 {filesize}",labelMaxTotalFileSizeExceeded:"Dimensione totale massima superata",labelMaxTotalFileSize:"La dimensione massima totale del file \xE8 {filesize}",labelFileTypeNotAllowed:"File non supportato",fileValidateTypeLabelExpectedTypes:"Aspetta {allButLastType} o {lastType}",imageValidateSizeLabelFormatError:"Tipo di immagine non compatibile",imageValidateSizeLabelImageSizeTooSmall:"L'immagine \xE8 troppo piccola",imageValidateSizeLabelImageSizeTooBig:"L'immagine \xE8 troppo grande",imageValidateSizeLabelExpectedMinSize:"La dimensione minima \xE8 {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"La dimensione massima \xE8 {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"La risoluzione \xE8 troppo bassa",imageValidateSizeLabelImageResolutionTooHigh:"La risoluzione \xE8 troppo alta",imageValidateSizeLabelExpectedMinResolution:"La risoluzione minima \xE8 {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"La risoluzione massima \xE8 {maxResolution}"};var Vl={labelIdle:'\u1791\u17B6\u1789&\u178A\u17B6\u1780\u17CB\u17A0\u17D2\u179C\u17B6\u179B\u17CB\u17AF\u1780\u179F\u17B6\u179A\u179A\u1794\u179F\u17CB\u17A2\u17D2\u1793\u1780 \u17AC \u179F\u17D2\u179C\u17C2\u1784\u179A\u1780 ',labelInvalidField:"\u1785\u1793\u17D2\u179B\u17C4\u17C7\u1798\u17B6\u1793\u17AF\u1780\u179F\u17B6\u179A\u1798\u17B7\u1793\u178F\u17D2\u179A\u17B9\u1798\u178F\u17D2\u179A\u17BC\u179C",labelFileWaitingForSize:"\u1780\u17C6\u1796\u17BB\u1784\u179A\u1784\u17CB\u1785\u17B6\u17C6\u1791\u17C6\u17A0\u17C6",labelFileSizeNotAvailable:"\u1791\u17C6\u17A0\u17C6\u1798\u17B7\u1793\u17A2\u17B6\u1785\u1794\u17D2\u179A\u17BE\u1794\u17B6\u1793",labelFileLoading:"\u1780\u17C6\u1796\u17BB\u1784\u178A\u17C6\u178E\u17BE\u179A\u1780\u17B6\u179A",labelFileLoadError:"\u1798\u17B6\u1793\u1794\u1789\u17D2\u17A0\u17B6\u1780\u17C6\u17A1\u17BB\u1784\u1796\u17C1\u179B\u178A\u17C6\u178E\u17BE\u179A\u1780\u17B6\u179A",labelFileProcessing:"\u1780\u17C6\u1796\u17BB\u1784\u1795\u17D2\u1791\u17BB\u1780\u17A1\u17BE\u1784",labelFileProcessingComplete:"\u1780\u17B6\u179A\u1795\u17D2\u1791\u17BB\u1780\u17A1\u17BE\u1784\u1796\u17C1\u1789\u179B\u17C1\u1789",labelFileProcessingAborted:"\u1780\u17B6\u179A\u1794\u1784\u17D2\u17A0\u17C4\u17C7\u178F\u17D2\u179A\u17BC\u179C\u1794\u17B6\u1793\u1794\u17C4\u17C7\u1794\u1784\u17CB",labelFileProcessingError:"\u1798\u17B6\u1793\u1794\u1789\u17D2\u17A0\u17B6\u1780\u17C6\u17A1\u17BB\u1784\u1796\u17C1\u179B\u1780\u17C6\u1796\u17BB\u1784\u1795\u17D2\u1791\u17BB\u1780\u17A1\u17BE\u1784",labelFileProcessingRevertError:"\u1798\u17B6\u1793\u1794\u1789\u17D2\u17A0\u17B6\u1780\u17C6\u17A1\u17BB\u1784\u1796\u17C1\u179B\u178F\u17D2\u179A\u17A1\u1794\u17CB",labelFileRemoveError:"\u1798\u17B6\u1793\u1794\u1789\u17D2\u17A0\u17B6\u1780\u17C6\u17A1\u17BB\u1784\u1796\u17C1\u179B\u178A\u1780\u1785\u17C1\u1789",labelTapToCancel:"\u1785\u17BB\u1785\u178A\u17BE\u1798\u17D2\u1794\u17B8\u1794\u17C4\u17C7\u1794\u1784\u17CB",labelTapToRetry:"\u1785\u17BB\u1785\u178A\u17BE\u1798\u17D2\u1794\u17B8\u1796\u17D2\u1799\u17B6\u1799\u17B6\u1798\u1798\u17D2\u178F\u1784\u1791\u17C0\u178F",labelTapToUndo:"\u1785\u17BB\u1785\u178A\u17BE\u1798\u17D2\u1794\u17B8\u1798\u17B7\u1793\u1792\u17D2\u179C\u17BE\u179C\u17B7\u1789",labelButtonRemoveItem:"\u1799\u1780\u1785\u17C1\u1789",labelButtonAbortItemLoad:"\u1794\u17C4\u17C7\u1794\u1784\u17CB",labelButtonRetryItemLoad:"\u1796\u17D2\u1799\u17B6\u1799\u17B6\u1798\u1798\u17D2\u178F\u1784\u1791\u17C0\u178F",labelButtonAbortItemProcessing:"\u1794\u17C4\u17C7\u1794\u1784\u17CB",labelButtonUndoItemProcessing:"\u1798\u17B7\u1793\u1792\u17D2\u179C\u17BE\u179C\u17B7\u1789",labelButtonRetryItemProcessing:"\u1796\u17D2\u1799\u17B6\u1799\u17B6\u1798\u1798\u17D2\u178F\u1784\u1791\u17C0\u178F",labelButtonProcessItem:"\u1795\u17D2\u1791\u17BB\u1780\u17A1\u17BE\u1784",labelMaxFileSizeExceeded:"\u17AF\u1780\u179F\u17B6\u179A\u1792\u17C6\u1796\u17C1\u1780",labelMaxFileSize:"\u1791\u17C6\u17A0\u17C6\u17AF\u1780\u179F\u17B6\u179A\u17A2\u178F\u17B7\u1794\u179A\u1798\u17B6\u1782\u17BA {filesize}",labelMaxTotalFileSizeExceeded:"\u179B\u17BE\u179F\u1791\u17C6\u17A0\u17C6\u179F\u179A\u17BB\u1794\u17A2\u178F\u17B7\u1794\u179A\u1798\u17B6",labelMaxTotalFileSize:"\u1791\u17C6\u17A0\u17C6\u17AF\u1780\u179F\u17B6\u179A\u179F\u179A\u17BB\u1794\u17A2\u178F\u17B7\u1794\u179A\u1798\u17B6\u1782\u17BA {filesize}",labelFileTypeNotAllowed:"\u1794\u17D2\u179A\u1797\u17C1\u1791\u17AF\u1780\u179F\u17B6\u179A\u1798\u17B7\u1793\u178F\u17D2\u179A\u17B9\u1798\u178F\u17D2\u179A\u17BC\u179C",fileValidateTypeLabelExpectedTypes:"\u179A\u17C6\u1796\u17B9\u1784\u1790\u17B6 {allButLastType} \u17AC {lastType}",imageValidateSizeLabelFormatError:"\u1794\u17D2\u179A\u1797\u17C1\u1791\u179A\u17BC\u1794\u1797\u17B6\u1796\u1798\u17B7\u1793\u178F\u17D2\u179A\u17B9\u1798\u178F\u17D2\u179A\u17BC\u179C",imageValidateSizeLabelImageSizeTooSmall:"\u179A\u17BC\u1794\u1797\u17B6\u1796\u178F\u17BC\u1785\u1796\u17C1\u1780",imageValidateSizeLabelImageSizeTooBig:"\u179A\u17BC\u1794\u1797\u17B6\u1796\u1792\u17C6\u1796\u17C1\u1780",imageValidateSizeLabelExpectedMinSize:"\u1791\u17C6\u17A0\u17C6\u17A2\u1794\u17D2\u1794\u1794\u179A\u1798\u17B6\u1782\u17BA {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"\u1791\u17C6\u17A0\u17C6\u17A2\u178F\u17B7\u1794\u179A\u1798\u17B6\u1782\u17BA {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u1782\u17BB\u178E\u1797\u17B6\u1796\u1794\u1784\u17D2\u17A0\u17B6\u1789\u1791\u17B6\u1794\u1796\u17C1\u1780",imageValidateSizeLabelImageResolutionTooHigh:"\u1782\u17BB\u178E\u1797\u17B6\u1796\u1794\u1784\u17D2\u17A0\u17B6\u1789\u1781\u17D2\u1796\u179F\u17CB\u1796\u17C1\u1780",imageValidateSizeLabelExpectedMinResolution:"\u1782\u17BB\u178E\u1797\u17B6\u1796\u1794\u1784\u17D2\u17A0\u17B6\u1789\u17A2\u1794\u17D2\u1794\u1794\u179A\u1798\u17B6\u1782\u17BA {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u1782\u17BB\u178E\u1797\u17B6\u1796\u1794\u1784\u17D2\u17A0\u17B6\u1789\u17A2\u178F\u17B7\u1794\u179A\u1798\u17B6\u1782\u17BA {maxResolution}"};var Gl={labelIdle:'Drag & Drop je bestanden of Bladeren ',labelInvalidField:"Veld bevat ongeldige bestanden",labelFileWaitingForSize:"Wachten op grootte",labelFileSizeNotAvailable:"Grootte niet beschikbaar",labelFileLoading:"Laden",labelFileLoadError:"Fout tijdens laden",labelFileProcessing:"Uploaden",labelFileProcessingComplete:"Upload afgerond",labelFileProcessingAborted:"Upload geannuleerd",labelFileProcessingError:"Fout tijdens upload",labelFileProcessingRevertError:"Fout bij herstellen",labelFileRemoveError:"Fout bij verwijderen",labelTapToCancel:"tik om te annuleren",labelTapToRetry:"tik om opnieuw te proberen",labelTapToUndo:"tik om ongedaan te maken",labelButtonRemoveItem:"Verwijderen",labelButtonAbortItemLoad:"Afbreken",labelButtonRetryItemLoad:"Opnieuw proberen",labelButtonAbortItemProcessing:"Annuleren",labelButtonUndoItemProcessing:"Ongedaan maken",labelButtonRetryItemProcessing:"Opnieuw proberen",labelButtonProcessItem:"Upload",labelMaxFileSizeExceeded:"Bestand is te groot",labelMaxFileSize:"Maximale bestandsgrootte is {filesize}",labelMaxTotalFileSizeExceeded:"Maximale totale grootte overschreden",labelMaxTotalFileSize:"Maximale totale bestandsgrootte is {filesize}",labelFileTypeNotAllowed:"Ongeldig bestandstype",fileValidateTypeLabelExpectedTypes:"Verwacht {allButLastType} of {lastType}",imageValidateSizeLabelFormatError:"Afbeeldingstype niet ondersteund",imageValidateSizeLabelImageSizeTooSmall:"Afbeelding is te klein",imageValidateSizeLabelImageSizeTooBig:"Afbeelding is te groot",imageValidateSizeLabelExpectedMinSize:"Minimale afmeting is {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maximale afmeting is {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Resolutie is te laag",imageValidateSizeLabelImageResolutionTooHigh:"Resolution is too high",imageValidateSizeLabelExpectedMinResolution:"Minimale resolutie is {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maximale resolutie is {maxResolution}"};var Ul={labelIdle:'Dra og slipp filene dine, eller Bla gjennom... ',labelInvalidField:"Feltet inneholder ugyldige filer",labelFileWaitingForSize:"Venter p\xE5 st\xF8rrelse",labelFileSizeNotAvailable:"St\xF8rrelse ikke tilgjengelig",labelFileLoading:"Laster",labelFileLoadError:"Feil under lasting",labelFileProcessing:"Laster opp",labelFileProcessingComplete:"Opplasting ferdig",labelFileProcessingAborted:"Opplasting avbrutt",labelFileProcessingError:"Feil under opplasting",labelFileProcessingRevertError:"Feil under reversering",labelFileRemoveError:"Feil under flytting",labelTapToCancel:"klikk for \xE5 avbryte",labelTapToRetry:"klikk for \xE5 pr\xF8ve p\xE5 nytt",labelTapToUndo:"klikk for \xE5 angre",labelButtonRemoveItem:"Fjern",labelButtonAbortItemLoad:"Avbryt",labelButtonRetryItemLoad:"Pr\xF8v p\xE5 nytt",labelButtonAbortItemProcessing:"Avbryt",labelButtonUndoItemProcessing:"Angre",labelButtonRetryItemProcessing:"Pr\xF8v p\xE5 nytt",labelButtonProcessItem:"Last opp",labelMaxFileSizeExceeded:"Filen er for stor",labelMaxFileSize:"Maksimal filst\xF8rrelse er {filesize}",labelMaxTotalFileSizeExceeded:"Maksimal total st\xF8rrelse oversteget",labelMaxTotalFileSize:"Maksimal total st\xF8rrelse er {filesize}",labelFileTypeNotAllowed:"Ugyldig filtype",fileValidateTypeLabelExpectedTypes:"Forventer {allButLastType} eller {lastType}",imageValidateSizeLabelFormatError:"Bildeformat ikke st\xF8ttet",imageValidateSizeLabelImageSizeTooSmall:"Bildet er for lite",imageValidateSizeLabelImageSizeTooBig:"Bildet er for stort",imageValidateSizeLabelExpectedMinSize:"Minimumsst\xF8rrelse er {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maksimumsst\xF8rrelse er {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Oppl\xF8sningen er for lav",imageValidateSizeLabelImageResolutionTooHigh:"Oppl\xF8sningen er for h\xF8y",imageValidateSizeLabelExpectedMinResolution:"Minimum oppl\xF8sning er {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maksimal oppl\xF8sning er {maxResolution}"};var Wl={labelIdle:'Przeci\u0105gnij i upu\u015B\u0107 lub wybierz pliki',labelInvalidField:"Nieprawid\u0142owe pliki",labelFileWaitingForSize:"Pobieranie rozmiaru",labelFileSizeNotAvailable:"Nieznany rozmiar",labelFileLoading:"Wczytywanie",labelFileLoadError:"B\u0142\u0105d wczytywania",labelFileProcessing:"Przesy\u0142anie",labelFileProcessingComplete:"Przes\u0142ano",labelFileProcessingAborted:"Przerwano",labelFileProcessingError:"Przesy\u0142anie nie powiod\u0142o si\u0119",labelFileProcessingRevertError:"Co\u015B posz\u0142o nie tak",labelFileRemoveError:"Nieudane usuni\u0119cie",labelTapToCancel:"Anuluj",labelTapToRetry:"Pon\xF3w",labelTapToUndo:"Cofnij",labelButtonRemoveItem:"Usu\u0144",labelButtonAbortItemLoad:"Przerwij",labelButtonRetryItemLoad:"Pon\xF3w",labelButtonAbortItemProcessing:"Anuluj",labelButtonUndoItemProcessing:"Cofnij",labelButtonRetryItemProcessing:"Pon\xF3w",labelButtonProcessItem:"Prze\u015Blij",labelMaxFileSizeExceeded:"Plik jest zbyt du\u017Cy",labelMaxFileSize:"Dopuszczalna wielko\u015B\u0107 pliku to {filesize}",labelMaxTotalFileSizeExceeded:"Przekroczono \u0142\u0105czny rozmiar plik\xF3w",labelMaxTotalFileSize:"\u0141\u0105czny rozmiar plik\xF3w nie mo\u017Ce przekroczy\u0107 {filesize}",labelFileTypeNotAllowed:"Niedozwolony rodzaj pliku",fileValidateTypeLabelExpectedTypes:"Oczekiwano {allButLastType} lub {lastType}",imageValidateSizeLabelFormatError:"Nieobs\u0142ugiwany format obrazu",imageValidateSizeLabelImageSizeTooSmall:"Obraz jest zbyt ma\u0142y",imageValidateSizeLabelImageSizeTooBig:"Obraz jest zbyt du\u017Cy",imageValidateSizeLabelExpectedMinSize:"Minimalne wymiary obrazu to {minWidth}\xD7{minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maksymalna wymiary obrazu to {maxWidth}\xD7{maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Rozdzielczo\u015B\u0107 jest zbyt niska",imageValidateSizeLabelImageResolutionTooHigh:"Rozdzielczo\u015B\u0107 jest zbyt wysoka",imageValidateSizeLabelExpectedMinResolution:"Minimalna rozdzielczo\u015B\u0107 to {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maksymalna rozdzielczo\u015B\u0107 to {maxResolution}"};var Ri={labelIdle:'Arraste e solte os arquivos ou Clique aqui ',labelInvalidField:"Arquivos inv\xE1lidos",labelFileWaitingForSize:"Calculando o tamanho do arquivo",labelFileSizeNotAvailable:"Tamanho do arquivo indispon\xEDvel",labelFileLoading:"Carregando",labelFileLoadError:"Erro durante o carregamento",labelFileProcessing:"Enviando",labelFileProcessingComplete:"Envio finalizado",labelFileProcessingAborted:"Envio cancelado",labelFileProcessingError:"Erro durante o envio",labelFileProcessingRevertError:"Erro ao reverter o envio",labelFileRemoveError:"Erro ao remover o arquivo",labelTapToCancel:"clique para cancelar",labelTapToRetry:"clique para reenviar",labelTapToUndo:"clique para desfazer",labelButtonRemoveItem:"Remover",labelButtonAbortItemLoad:"Abortar",labelButtonRetryItemLoad:"Reenviar",labelButtonAbortItemProcessing:"Cancelar",labelButtonUndoItemProcessing:"Desfazer",labelButtonRetryItemProcessing:"Reenviar",labelButtonProcessItem:"Enviar",labelMaxFileSizeExceeded:"Arquivo \xE9 muito grande",labelMaxFileSize:"O tamanho m\xE1ximo permitido: {filesize}",labelMaxTotalFileSizeExceeded:"Tamanho total dos arquivos excedido",labelMaxTotalFileSize:"Tamanho total permitido: {filesize}",labelFileTypeNotAllowed:"Tipo de arquivo inv\xE1lido",fileValidateTypeLabelExpectedTypes:"Tipos de arquivo suportados s\xE3o {allButLastType} ou {lastType}",imageValidateSizeLabelFormatError:"Tipo de imagem inv\xE1lida",imageValidateSizeLabelImageSizeTooSmall:"Imagem muito pequena",imageValidateSizeLabelImageSizeTooBig:"Imagem muito grande",imageValidateSizeLabelExpectedMinSize:"Tamanho m\xEDnimo permitida: {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Tamanho m\xE1ximo permitido: {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Resolu\xE7\xE3o muito baixa",imageValidateSizeLabelImageResolutionTooHigh:"Resolu\xE7\xE3o muito alta",imageValidateSizeLabelExpectedMinResolution:"Resolu\xE7\xE3o m\xEDnima permitida: {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Resolu\xE7\xE3o m\xE1xima permitida: {maxResolution}"};var Hl={labelIdle:'Trage \u0219i plaseaz\u0103 fi\u0219iere sau Caut\u0103-le ',labelInvalidField:"C\xE2mpul con\u021Bine fi\u0219iere care nu sunt valide",labelFileWaitingForSize:"\xCEn a\u0219teptarea dimensiunii",labelFileSizeNotAvailable:"Dimensiunea nu este diponibil\u0103",labelFileLoading:"Se \xEEncarc\u0103",labelFileLoadError:"Eroare la \xEEnc\u0103rcare",labelFileProcessing:"Se \xEEncarc\u0103",labelFileProcessingComplete:"\xCEnc\u0103rcare finalizat\u0103",labelFileProcessingAborted:"\xCEnc\u0103rcare anulat\u0103",labelFileProcessingError:"Eroare la \xEEnc\u0103rcare",labelFileProcessingRevertError:"Eroare la anulare",labelFileRemoveError:"Eroare la \u015Ftergere",labelTapToCancel:"apas\u0103 pentru a anula",labelTapToRetry:"apas\u0103 pentru a re\xEEncerca",labelTapToUndo:"apas\u0103 pentru a anula",labelButtonRemoveItem:"\u015Eterge",labelButtonAbortItemLoad:"Anuleaz\u0103",labelButtonRetryItemLoad:"Re\xEEncearc\u0103",labelButtonAbortItemProcessing:"Anuleaz\u0103",labelButtonUndoItemProcessing:"Anuleaz\u0103",labelButtonRetryItemProcessing:"Re\xEEncearc\u0103",labelButtonProcessItem:"\xCEncarc\u0103",labelMaxFileSizeExceeded:"Fi\u0219ierul este prea mare",labelMaxFileSize:"Dimensiunea maxim\u0103 a unui fi\u0219ier este de {filesize}",labelMaxTotalFileSizeExceeded:"Dimensiunea total\u0103 maxim\u0103 a fost dep\u0103\u0219it\u0103",labelMaxTotalFileSize:"Dimensiunea total\u0103 maxim\u0103 a fi\u0219ierelor este de {filesize}",labelFileTypeNotAllowed:"Tipul fi\u0219ierului nu este valid",fileValidateTypeLabelExpectedTypes:"Se a\u0219teapt\u0103 {allButLastType} sau {lastType}",imageValidateSizeLabelFormatError:"Formatul imaginii nu este acceptat",imageValidateSizeLabelImageSizeTooSmall:"Imaginea este prea mic\u0103",imageValidateSizeLabelImageSizeTooBig:"Imaginea este prea mare",imageValidateSizeLabelExpectedMinSize:"M\u0103rimea minim\u0103 este de {maxWidth} x {maxHeight}",imageValidateSizeLabelExpectedMaxSize:"M\u0103rimea maxim\u0103 este de {maxWidth} x {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Rezolu\u021Bia este prea mic\u0103",imageValidateSizeLabelImageResolutionTooHigh:"Rezolu\u021Bia este prea mare",imageValidateSizeLabelExpectedMinResolution:"Rezolu\u021Bia minim\u0103 este de {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Rezolu\u021Bia maxim\u0103 este de {maxResolution}"};var jl={labelIdle:'\u041F\u0435\u0440\u0435\u0442\u0430\u0449\u0438\u0442\u0435 \u0444\u0430\u0439\u043B\u044B \u0438\u043B\u0438 \u0432\u044B\u0431\u0435\u0440\u0438\u0442\u0435 ',labelInvalidField:"\u041F\u043E\u043B\u0435 \u0441\u043E\u0434\u0435\u0440\u0436\u0438\u0442 \u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u044B\u0435 \u0444\u0430\u0439\u043B\u044B",labelFileWaitingForSize:"\u0423\u043A\u0430\u0436\u0438\u0442\u0435 \u0440\u0430\u0437\u043C\u0435\u0440",labelFileSizeNotAvailable:"\u0420\u0430\u0437\u043C\u0435\u0440 \u043D\u0435 \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442\u0441\u044F",labelFileLoading:"\u041E\u0436\u0438\u0434\u0430\u043D\u0438\u0435",labelFileLoadError:"\u041E\u0448\u0438\u0431\u043A\u0430 \u043F\u0440\u0438 \u043E\u0436\u0438\u0434\u0430\u043D\u0438\u0438",labelFileProcessing:"\u0417\u0430\u0433\u0440\u0443\u0437\u043A\u0430",labelFileProcessingComplete:"\u0417\u0430\u0433\u0440\u0443\u0437\u043A\u0430 \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u0430",labelFileProcessingAborted:"\u0417\u0430\u0433\u0440\u0443\u0437\u043A\u0430 \u043E\u0442\u043C\u0435\u043D\u0435\u043D\u0430",labelFileProcessingError:"\u041E\u0448\u0438\u0431\u043A\u0430 \u043F\u0440\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u043A\u0435",labelFileProcessingRevertError:"\u041E\u0448\u0438\u0431\u043A\u0430 \u043F\u0440\u0438 \u0432\u043E\u0437\u0432\u0440\u0430\u0442\u0435",labelFileRemoveError:"\u041E\u0448\u0438\u0431\u043A\u0430 \u043F\u0440\u0438 \u0443\u0434\u0430\u043B\u0435\u043D\u0438\u0438",labelTapToCancel:"\u043D\u0430\u0436\u043C\u0438\u0442\u0435 \u0434\u043B\u044F \u043E\u0442\u043C\u0435\u043D\u044B",labelTapToRetry:"\u043D\u0430\u0436\u043C\u0438\u0442\u0435, \u0447\u0442\u043E\u0431\u044B \u043F\u043E\u0432\u0442\u043E\u0440\u0438\u0442\u044C \u043F\u043E\u043F\u044B\u0442\u043A\u0443",labelTapToUndo:"\u043D\u0430\u0436\u043C\u0438\u0442\u0435 \u0434\u043B\u044F \u043E\u0442\u043C\u0435\u043D\u044B \u043F\u043E\u0441\u043B\u0435\u0434\u043D\u0435\u0433\u043E \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044F",labelButtonRemoveItem:"\u0423\u0434\u0430\u043B\u0438\u0442\u044C",labelButtonAbortItemLoad:"\u041F\u0440\u0435\u043A\u0440\u0430\u0449\u0435\u043D\u043E",labelButtonRetryItemLoad:"\u041F\u043E\u0432\u0442\u043E\u0440\u0438\u0442\u0435 \u043F\u043E\u043F\u044B\u0442\u043A\u0443",labelButtonAbortItemProcessing:"\u041E\u0442\u043C\u0435\u043D\u0430",labelButtonUndoItemProcessing:"\u041E\u0442\u043C\u0435\u043D\u0430 \u043F\u043E\u0441\u043B\u0435\u0434\u043D\u0435\u0433\u043E \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u044F",labelButtonRetryItemProcessing:"\u041F\u043E\u0432\u0442\u043E\u0440\u0438\u0442\u0435 \u043F\u043E\u043F\u044B\u0442\u043A\u0443",labelButtonProcessItem:"\u0417\u0430\u0433\u0440\u0443\u0437\u043A\u0430",labelMaxFileSizeExceeded:"\u0424\u0430\u0439\u043B \u0441\u043B\u0438\u0448\u043A\u043E\u043C \u0431\u043E\u043B\u044C\u0448\u043E\u0439",labelMaxFileSize:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u044B\u0439 \u0440\u0430\u0437\u043C\u0435\u0440 \u0444\u0430\u0439\u043B\u0430: {filesize}",labelMaxTotalFileSizeExceeded:"\u041F\u0440\u0435\u0432\u044B\u0448\u0435\u043D \u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u044B\u0439 \u0440\u0430\u0437\u043C\u0435\u0440",labelMaxTotalFileSize:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u044B\u0439 \u0440\u0430\u0437\u043C\u0435\u0440 \u0444\u0430\u0439\u043B\u0430: {filesize}",labelFileTypeNotAllowed:"\u0424\u0430\u0439\u043B \u043D\u0435\u0432\u0435\u0440\u043D\u043E\u0433\u043E \u0442\u0438\u043F\u0430",fileValidateTypeLabelExpectedTypes:"\u041E\u0436\u0438\u0434\u0430\u0435\u0442\u0441\u044F {allButLastType} \u0438\u043B\u0438 {lastType}",imageValidateSizeLabelFormatError:"\u0422\u0438\u043F \u0438\u0437\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u044F \u043D\u0435 \u043F\u043E\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442\u0441\u044F",imageValidateSizeLabelImageSizeTooSmall:"\u0418\u0437\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435 \u0441\u043B\u0438\u0448\u043A\u043E\u043C \u043C\u0430\u043B\u0435\u043D\u044C\u043A\u043E\u0435",imageValidateSizeLabelImageSizeTooBig:"\u0418\u0437\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u0438\u0435 \u0441\u043B\u0438\u0448\u043A\u043E\u043C \u0431\u043E\u043B\u044C\u0448\u043E\u0435",imageValidateSizeLabelExpectedMinSize:"\u041C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u044B\u0439 \u0440\u0430\u0437\u043C\u0435\u0440: {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u044B\u0439 \u0440\u0430\u0437\u043C\u0435\u0440: {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u0420\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435 \u0441\u043B\u0438\u0448\u043A\u043E\u043C \u043D\u0438\u0437\u043A\u043E\u0435",imageValidateSizeLabelImageResolutionTooHigh:"\u0420\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435 \u0441\u043B\u0438\u0448\u043A\u043E\u043C \u0432\u044B\u0441\u043E\u043A\u043E\u0435",imageValidateSizeLabelExpectedMinResolution:"\u041C\u0438\u043D\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435: {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u043E\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043D\u0438\u0435: {maxResolution}"};var Yl={labelIdle:'Drag och sl\xE4pp dina filer eller Bl\xE4ddra ',labelInvalidField:"F\xE4ltet inneh\xE5ller felaktiga filer",labelFileWaitingForSize:"V\xE4ntar p\xE5 storlek",labelFileSizeNotAvailable:"Storleken finns inte tillg\xE4nglig",labelFileLoading:"Laddar",labelFileLoadError:"Fel under laddning",labelFileProcessing:"Laddar upp",labelFileProcessingComplete:"Uppladdning klar",labelFileProcessingAborted:"Uppladdning avbruten",labelFileProcessingError:"Fel under uppladdning",labelFileProcessingRevertError:"Fel under \xE5terst\xE4llning",labelFileRemoveError:"Fel under borttagning",labelTapToCancel:"tryck f\xF6r att avbryta",labelTapToRetry:"tryck f\xF6r att f\xF6rs\xF6ka igen",labelTapToUndo:"tryck f\xF6r att \xE5ngra",labelButtonRemoveItem:"Tabort",labelButtonAbortItemLoad:"Avbryt",labelButtonRetryItemLoad:"F\xF6rs\xF6k igen",labelButtonAbortItemProcessing:"Avbryt",labelButtonUndoItemProcessing:"\xC5ngra",labelButtonRetryItemProcessing:"F\xF6rs\xF6k igen",labelButtonProcessItem:"Ladda upp",labelMaxFileSizeExceeded:"Filen \xE4r f\xF6r stor",labelMaxFileSize:"St\xF6rsta till\xE5tna filstorlek \xE4r {filesize}",labelMaxTotalFileSizeExceeded:"Maximal uppladdningsstorlek uppn\xE5d",labelMaxTotalFileSize:"Maximal uppladdningsstorlek \xE4r {filesize}",labelFileTypeNotAllowed:"Felaktig filtyp",fileValidateTypeLabelExpectedTypes:"Godk\xE4nda filtyper {allButLastType} eller {lastType}",imageValidateSizeLabelFormatError:"Bildtypen saknar st\xF6d",imageValidateSizeLabelImageSizeTooSmall:"Bilden \xE4r f\xF6r liten",imageValidateSizeLabelImageSizeTooBig:"Bilden \xE4r f\xF6r stor",imageValidateSizeLabelExpectedMinSize:"Minimal storlek \xE4r {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maximal storlek \xE4r {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"Uppl\xF6sningen \xE4r f\xF6r l\xE5g",imageValidateSizeLabelImageResolutionTooHigh:"Uppl\xF6sningen \xE4r f\xF6r h\xF6g",imageValidateSizeLabelExpectedMinResolution:"Minsta till\xE5tna uppl\xF6sning \xE4r {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"H\xF6gsta till\xE5tna uppl\xF6sning \xE4r {maxResolution}"};var ql={labelIdle:'Dosyan\u0131z\u0131 S\xFCr\xFCkleyin & B\u0131rak\u0131n ya da Se\xE7in ',labelInvalidField:"Alan ge\xE7ersiz dosyalar i\xE7eriyor",labelFileWaitingForSize:"Boyut hesaplan\u0131yor",labelFileSizeNotAvailable:"Boyut mevcut de\u011Fil",labelFileLoading:"Y\xFCkleniyor",labelFileLoadError:"Y\xFCkleme s\u0131ras\u0131nda hata olu\u015Ftu",labelFileProcessing:"Y\xFCkleniyor",labelFileProcessingComplete:"Y\xFCkleme tamamland\u0131",labelFileProcessingAborted:"Y\xFCkleme iptal edildi",labelFileProcessingError:"Y\xFCklerken hata olu\u015Ftu",labelFileProcessingRevertError:"Geri \xE7ekerken hata olu\u015Ftu",labelFileRemoveError:"Kald\u0131r\u0131rken hata olu\u015Ftu",labelTapToCancel:"\u0130ptal etmek i\xE7in t\u0131klay\u0131n",labelTapToRetry:"Tekrar denemek i\xE7in t\u0131klay\u0131n",labelTapToUndo:"Geri almak i\xE7in t\u0131klay\u0131n",labelButtonRemoveItem:"Kald\u0131r",labelButtonAbortItemLoad:"\u0130ptal Et",labelButtonRetryItemLoad:"Tekrar dene",labelButtonAbortItemProcessing:"\u0130ptal et",labelButtonUndoItemProcessing:"Geri Al",labelButtonRetryItemProcessing:"Tekrar dene",labelButtonProcessItem:"Y\xFCkle",labelMaxFileSizeExceeded:"Dosya \xE7ok b\xFCy\xFCk",labelMaxFileSize:"En fazla dosya boyutu: {filesize}",labelMaxTotalFileSizeExceeded:"Maximum boyut a\u015F\u0131ld\u0131",labelMaxTotalFileSize:"Maximum dosya boyutu :{filesize}",labelFileTypeNotAllowed:"Ge\xE7ersiz dosya tipi",fileValidateTypeLabelExpectedTypes:"\u015Eu {allButLastType} ya da \u015Fu dosya olmas\u0131 gerekir: {lastType}",imageValidateSizeLabelFormatError:"Resim tipi desteklenmiyor",imageValidateSizeLabelImageSizeTooSmall:"Resim \xE7ok k\xFC\xE7\xFCk",imageValidateSizeLabelImageSizeTooBig:"Resim \xE7ok b\xFCy\xFCk",imageValidateSizeLabelExpectedMinSize:"Minimum boyut {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"Maximum boyut {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\xC7\xF6z\xFCn\xFCrl\xFCk \xE7ok d\xFC\u015F\xFCk",imageValidateSizeLabelImageResolutionTooHigh:"\xC7\xF6z\xFCn\xFCrl\xFCk \xE7ok y\xFCksek",imageValidateSizeLabelExpectedMinResolution:"Minimum \xE7\xF6z\xFCn\xFCrl\xFCk {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"Maximum \xE7\xF6z\xFCn\xFCrl\xFCk {maxResolution}"};var $l={labelIdle:'\u041F\u0435\u0440\u0435\u0442\u044F\u0433\u043D\u0456\u0442\u044C \u0444\u0430\u0439\u043B\u0438 \u0430\u0431\u043E \u0432\u0438\u0431\u0435\u0440\u0456\u0442\u044C ',labelInvalidField:"\u041F\u043E\u043B\u0435 \u043C\u0456\u0441\u0442\u0438\u0442\u044C \u043D\u0435\u0434\u043E\u043F\u0443\u0441\u0442\u0438\u043C\u0456 \u0444\u0430\u0439\u043B\u0438",labelFileWaitingForSize:"\u0412\u043A\u0430\u0436\u0456\u0442\u044C \u0440\u043E\u0437\u043C\u0456\u0440",labelFileSizeNotAvailable:"\u0420\u043E\u0437\u043C\u0456\u0440 \u043D\u0435 \u0434\u043E\u0441\u0442\u0443\u043F\u043D\u0438\u0439",labelFileLoading:"\u041E\u0447\u0456\u043A\u0443\u0432\u0430\u043D\u043D\u044F",labelFileLoadError:"\u041F\u043E\u043C\u0438\u043B\u043A\u0430 \u043F\u0440\u0438 \u043E\u0447\u0456\u043A\u0443\u0432\u0430\u043D\u043D\u0456",labelFileProcessing:"\u0417\u0430\u0432\u0430\u043D\u0442\u0430\u0436\u0435\u043D\u043D\u044F",labelFileProcessingComplete:"\u0417\u0430\u0432\u0430\u043D\u0442\u0430\u0436\u0435\u043D\u043D\u044F \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043D\u043E",labelFileProcessingAborted:"\u0417\u0430\u0432\u0430\u043D\u0442\u0430\u0436\u0435\u043D\u043D\u044F \u0441\u043A\u0430\u0441\u043E\u0432\u0430\u043D\u043E",labelFileProcessingError:"\u041F\u043E\u043C\u0438\u043B\u043A\u0430 \u043F\u0440\u0438 \u0437\u0430\u0432\u0430\u043D\u0442\u0430\u0436\u0435\u043D\u043D\u0456",labelFileProcessingRevertError:"\u041F\u043E\u043C\u0438\u043B\u043A\u0430 \u043F\u0440\u0438 \u0432\u0456\u0434\u043D\u043E\u0432\u043B\u0435\u043D\u043D\u0456",labelFileRemoveError:"\u041F\u043E\u043C\u0438\u043B\u043A\u0430 \u043F\u0440\u0438 \u0432\u0438\u0434\u0430\u043B\u0435\u043D\u043D\u0456",labelTapToCancel:"\u0412\u0456\u0434\u043C\u0456\u043D\u0438\u0442\u0438",labelTapToRetry:"\u041D\u0430\u0442\u0438\u0441\u043D\u0456\u0442\u044C, \u0449\u043E\u0431 \u043F\u043E\u0432\u0442\u043E\u0440\u0438\u0442\u0438 \u0441\u043F\u0440\u043E\u0431\u0443",labelTapToUndo:"\u041D\u0430\u0442\u0438\u0441\u043D\u0456\u0442\u044C, \u0449\u043E\u0431 \u0432\u0456\u0434\u043C\u0456\u043D\u0438\u0442\u0438 \u043E\u0441\u0442\u0430\u043D\u043D\u044E \u0434\u0456\u044E",labelButtonRemoveItem:"\u0412\u0438\u0434\u0430\u043B\u0438\u0442\u0438",labelButtonAbortItemLoad:"\u0412\u0456\u0434\u043C\u0456\u043D\u0438\u0442\u0438",labelButtonRetryItemLoad:"\u041F\u043E\u0432\u0442\u043E\u0440\u0438\u0442\u0438 \u0441\u043F\u0440\u043E\u0431\u0443",labelButtonAbortItemProcessing:"\u0412\u0456\u0434\u043C\u0456\u043D\u0438\u0442\u0438",labelButtonUndoItemProcessing:"\u0412\u0456\u0434\u043C\u0456\u043D\u0438\u0442\u0438 \u043E\u0441\u0442\u0430\u043D\u043D\u044E \u0434\u0456\u044E",labelButtonRetryItemProcessing:"\u041F\u043E\u0432\u0442\u043E\u0440\u0438\u0442\u0438 \u0441\u043F\u0440\u043E\u0431\u0443",labelButtonProcessItem:"\u0417\u0430\u0432\u0430\u043D\u0442\u0430\u0436\u0435\u043D\u043D\u044F",labelMaxFileSizeExceeded:"\u0424\u0430\u0439\u043B \u0437\u0430\u043D\u0430\u0434\u0442\u043E \u0432\u0435\u043B\u0438\u043A\u0438\u0439",labelMaxFileSize:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u0438\u0439 \u0440\u043E\u0437\u043C\u0456\u0440 \u0444\u0430\u0439\u043B\u0443: {filesize}",labelMaxTotalFileSizeExceeded:"\u041F\u0435\u0440\u0435\u0432\u0438\u0449\u0435\u043D\u043E \u043C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u0438\u0439 \u0437\u0430\u0433\u0430\u043B\u044C\u043D\u0438\u0439 \u0440\u043E\u0437\u043C\u0456\u0440",labelMaxTotalFileSize:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u0438\u0439 \u0437\u0430\u0433\u0430\u043B\u044C\u043D\u0438\u0439 \u0440\u043E\u0437\u043C\u0456\u0440: {filesize}",labelFileTypeNotAllowed:"\u0424\u043E\u0440\u043C\u0430\u0442 \u0444\u0430\u0439\u043B\u0443 \u043D\u0435 \u043F\u0456\u0434\u0442\u0440\u0438\u043C\u0443\u0454\u0442\u044C\u0441\u044F",fileValidateTypeLabelExpectedTypes:"\u041E\u0447\u0456\u043A\u0443\u0454\u0442\u044C\u0441\u044F {allButLastType} \u0430\u0431\u043E {lastType}",imageValidateSizeLabelFormatError:"\u0424\u043E\u0440\u043C\u0430\u0442 \u0437\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u043D\u044F \u043D\u0435 \u043F\u0456\u0434\u0442\u0440\u0438\u043C\u0443\u0454\u0442\u044C\u0441\u044F",imageValidateSizeLabelImageSizeTooSmall:"\u0417\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u043D\u044F \u0437\u0430\u043D\u0430\u0434\u0442\u043E \u043C\u0430\u043B\u0435\u043D\u044C\u043A\u0435",imageValidateSizeLabelImageSizeTooBig:"\u0417\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u043D\u044F \u0437\u0430\u043D\u0430\u0434\u0442\u043E \u0432\u0435\u043B\u0438\u043A\u0435",imageValidateSizeLabelExpectedMinSize:"\u041C\u0456\u043D\u0456\u043C\u0430\u043B\u044C\u043D\u0438\u0439 \u0440\u043E\u0437\u043C\u0456\u0440: {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u0438\u0439 \u0440\u043E\u0437\u043C\u0456\u0440: {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u0420\u043E\u0437\u043C\u0456\u0440\u0438 \u0437\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u043D\u044F \u0437\u0430\u043D\u0430\u0434\u0442\u043E \u043C\u0430\u043B\u0435\u043D\u044C\u043A\u0456",imageValidateSizeLabelImageResolutionTooHigh:"\u0420\u043E\u0437\u043C\u0456\u0440\u0438 \u0437\u043E\u0431\u0440\u0430\u0436\u0435\u043D\u043D\u044F \u0437\u0430\u043D\u0430\u0434\u0442\u043E \u0432\u0435\u043B\u0438\u043A\u0456",imageValidateSizeLabelExpectedMinResolution:"\u041C\u0456\u043D\u0456\u043C\u0430\u043B\u044C\u043D\u0456 \u0440\u043E\u0437\u043C\u0456\u0440\u0438: {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u041C\u0430\u043A\u0441\u0438\u043C\u0430\u043B\u044C\u043D\u0456 \u0440\u043E\u0437\u043C\u0456\u0440\u0438: {maxResolution}"};var Xl={labelIdle:'K\xE9o th\u1EA3 t\u1EC7p c\u1EE7a b\u1EA1n ho\u1EB7c T\xECm ki\u1EBFm ',labelInvalidField:"Tr\u01B0\u1EDDng ch\u1EE9a c\xE1c t\u1EC7p kh\xF4ng h\u1EE3p l\u1EC7",labelFileWaitingForSize:"\u0110ang ch\u1EDD k\xEDch th\u01B0\u1EDBc",labelFileSizeNotAvailable:"K\xEDch th\u01B0\u1EDBc kh\xF4ng c\xF3 s\u1EB5n",labelFileLoading:"\u0110ang t\u1EA3i",labelFileLoadError:"L\u1ED7i khi t\u1EA3i",labelFileProcessing:"\u0110ang t\u1EA3i l\xEAn",labelFileProcessingComplete:"T\u1EA3i l\xEAn th\xE0nh c\xF4ng",labelFileProcessingAborted:"\u0110\xE3 hu\u1EF7 t\u1EA3i l\xEAn",labelFileProcessingError:"L\u1ED7i khi t\u1EA3i l\xEAn",labelFileProcessingRevertError:"L\u1ED7i khi ho\xE0n nguy\xEAn",labelFileRemoveError:"L\u1ED7i khi x\xF3a",labelTapToCancel:"nh\u1EA5n \u0111\u1EC3 h\u1EE7y",labelTapToRetry:"nh\u1EA5n \u0111\u1EC3 th\u1EED l\u1EA1i",labelTapToUndo:"nh\u1EA5n \u0111\u1EC3 ho\xE0n t\xE1c",labelButtonRemoveItem:"Xo\xE1",labelButtonAbortItemLoad:"Hu\u1EF7 b\u1ECF",labelButtonRetryItemLoad:"Th\u1EED l\u1EA1i",labelButtonAbortItemProcessing:"H\u1EE7y b\u1ECF",labelButtonUndoItemProcessing:"Ho\xE0n t\xE1c",labelButtonRetryItemProcessing:"Th\u1EED l\u1EA1i",labelButtonProcessItem:"T\u1EA3i l\xEAn",labelMaxFileSizeExceeded:"T\u1EADp tin qu\xE1 l\u1EDBn",labelMaxFileSize:"K\xEDch th\u01B0\u1EDBc t\u1EC7p t\u1ED1i \u0111a l\xE0 {filesize}",labelMaxTotalFileSizeExceeded:"\u0110\xE3 v\u01B0\u1EE3t qu\xE1 t\u1ED5ng k\xEDch th\u01B0\u1EDBc t\u1ED1i \u0111a",labelMaxTotalFileSize:"T\u1ED5ng k\xEDch th\u01B0\u1EDBc t\u1EC7p t\u1ED1i \u0111a l\xE0 {filesize}",labelFileTypeNotAllowed:"T\u1EC7p thu\u1ED9c lo\u1EA1i kh\xF4ng h\u1EE3p l\u1EC7",fileValidateTypeLabelExpectedTypes:"Ki\u1EC3u t\u1EC7p h\u1EE3p l\u1EC7 l\xE0 {allButLastType} ho\u1EB7c {lastType}",imageValidateSizeLabelFormatError:"Lo\u1EA1i h\xECnh \u1EA3nh kh\xF4ng \u0111\u01B0\u1EE3c h\u1ED7 tr\u1EE3",imageValidateSizeLabelImageSizeTooSmall:"H\xECnh \u1EA3nh qu\xE1 nh\u1ECF",imageValidateSizeLabelImageSizeTooBig:"H\xECnh \u1EA3nh qu\xE1 l\u1EDBn",imageValidateSizeLabelExpectedMinSize:"K\xEDch th\u01B0\u1EDBc t\u1ED1i thi\u1EC3u l\xE0 {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"K\xEDch th\u01B0\u1EDBc t\u1ED1i \u0111a l\xE0 {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u0110\u1ED9 ph\xE2n gi\u1EA3i qu\xE1 th\u1EA5p",imageValidateSizeLabelImageResolutionTooHigh:"\u0110\u1ED9 ph\xE2n gi\u1EA3i qu\xE1 cao",imageValidateSizeLabelExpectedMinResolution:"\u0110\u1ED9 ph\xE2n gi\u1EA3i t\u1ED1i thi\u1EC3u l\xE0 {minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u0110\u1ED9 ph\xE2n gi\u1EA3i t\u1ED1i \u0111a l\xE0 {maxResolution}"};var Ql={labelIdle:'\u62D6\u653E\u6587\u4EF6\uFF0C\u6216\u8005 \u6D4F\u89C8 ',labelInvalidField:"\u5B57\u6BB5\u5305\u542B\u65E0\u6548\u6587\u4EF6",labelFileWaitingForSize:"\u8BA1\u7B97\u6587\u4EF6\u5927\u5C0F",labelFileSizeNotAvailable:"\u6587\u4EF6\u5927\u5C0F\u4E0D\u53EF\u7528",labelFileLoading:"\u52A0\u8F7D",labelFileLoadError:"\u52A0\u8F7D\u9519\u8BEF",labelFileProcessing:"\u4E0A\u4F20",labelFileProcessingComplete:"\u5DF2\u4E0A\u4F20",labelFileProcessingAborted:"\u4E0A\u4F20\u5DF2\u53D6\u6D88",labelFileProcessingError:"\u4E0A\u4F20\u51FA\u9519",labelFileProcessingRevertError:"\u8FD8\u539F\u51FA\u9519",labelFileRemoveError:"\u5220\u9664\u51FA\u9519",labelTapToCancel:"\u70B9\u51FB\u53D6\u6D88",labelTapToRetry:"\u70B9\u51FB\u91CD\u8BD5",labelTapToUndo:"\u70B9\u51FB\u64A4\u6D88",labelButtonRemoveItem:"\u5220\u9664",labelButtonAbortItemLoad:"\u4E2D\u6B62",labelButtonRetryItemLoad:"\u91CD\u8BD5",labelButtonAbortItemProcessing:"\u53D6\u6D88",labelButtonUndoItemProcessing:"\u64A4\u6D88",labelButtonRetryItemProcessing:"\u91CD\u8BD5",labelButtonProcessItem:"\u4E0A\u4F20",labelMaxFileSizeExceeded:"\u6587\u4EF6\u592A\u5927",labelMaxFileSize:"\u6700\u5927\u503C: {filesize}",labelMaxTotalFileSizeExceeded:"\u8D85\u8FC7\u6700\u5927\u6587\u4EF6\u5927\u5C0F",labelMaxTotalFileSize:"\u6700\u5927\u6587\u4EF6\u5927\u5C0F\uFF1A{filesize}",labelFileTypeNotAllowed:"\u6587\u4EF6\u7C7B\u578B\u65E0\u6548",fileValidateTypeLabelExpectedTypes:"\u5E94\u4E3A {allButLastType} \u6216 {lastType}",imageValidateSizeLabelFormatError:"\u4E0D\u652F\u6301\u56FE\u50CF\u7C7B\u578B",imageValidateSizeLabelImageSizeTooSmall:"\u56FE\u50CF\u592A\u5C0F",imageValidateSizeLabelImageSizeTooBig:"\u56FE\u50CF\u592A\u5927",imageValidateSizeLabelExpectedMinSize:"\u6700\u5C0F\u503C: {minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"\u6700\u5927\u503C: {maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u5206\u8FA8\u7387\u592A\u4F4E",imageValidateSizeLabelImageResolutionTooHigh:"\u5206\u8FA8\u7387\u592A\u9AD8",imageValidateSizeLabelExpectedMinResolution:"\u6700\u5C0F\u5206\u8FA8\u7387\uFF1A{minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u6700\u5927\u5206\u8FA8\u7387\uFF1A{maxResolution}"};var Zl={labelIdle:'\u62D6\u653E\u6A94\u6848\uFF0C\u6216\u8005 \u700F\u89BD ',labelInvalidField:"\u4E0D\u652F\u63F4\u6B64\u6A94\u6848",labelFileWaitingForSize:"\u6B63\u5728\u8A08\u7B97\u6A94\u6848\u5927\u5C0F",labelFileSizeNotAvailable:"\u6A94\u6848\u5927\u5C0F\u4E0D\u7B26",labelFileLoading:"\u8B80\u53D6\u4E2D",labelFileLoadError:"\u8B80\u53D6\u932F\u8AA4",labelFileProcessing:"\u4E0A\u50B3",labelFileProcessingComplete:"\u5DF2\u4E0A\u50B3",labelFileProcessingAborted:"\u4E0A\u50B3\u5DF2\u53D6\u6D88",labelFileProcessingError:"\u4E0A\u50B3\u767C\u751F\u932F\u8AA4",labelFileProcessingRevertError:"\u9084\u539F\u932F\u8AA4",labelFileRemoveError:"\u522A\u9664\u932F\u8AA4",labelTapToCancel:"\u9EDE\u64CA\u53D6\u6D88",labelTapToRetry:"\u9EDE\u64CA\u91CD\u8A66",labelTapToUndo:"\u9EDE\u64CA\u9084\u539F",labelButtonRemoveItem:"\u522A\u9664",labelButtonAbortItemLoad:"\u505C\u6B62",labelButtonRetryItemLoad:"\u91CD\u8A66",labelButtonAbortItemProcessing:"\u53D6\u6D88",labelButtonUndoItemProcessing:"\u53D6\u6D88",labelButtonRetryItemProcessing:"\u91CD\u8A66",labelButtonProcessItem:"\u4E0A\u50B3",labelMaxFileSizeExceeded:"\u6A94\u6848\u904E\u5927",labelMaxFileSize:"\u6700\u5927\u503C\uFF1A{filesize}",labelMaxTotalFileSizeExceeded:"\u8D85\u904E\u6700\u5927\u53EF\u4E0A\u50B3\u5927\u5C0F",labelMaxTotalFileSize:"\u6700\u5927\u53EF\u4E0A\u50B3\u5927\u5C0F\uFF1A{filesize}",labelFileTypeNotAllowed:"\u4E0D\u652F\u63F4\u6B64\u985E\u578B\u6A94\u6848",fileValidateTypeLabelExpectedTypes:"\u61C9\u70BA {allButLastType} \u6216 {lastType}",imageValidateSizeLabelFormatError:"\u4E0D\u652F\u6301\u6B64\u985E\u5716\u7247\u985E\u578B",imageValidateSizeLabelImageSizeTooSmall:"\u5716\u7247\u904E\u5C0F",imageValidateSizeLabelImageSizeTooBig:"\u5716\u7247\u904E\u5927",imageValidateSizeLabelExpectedMinSize:"\u6700\u5C0F\u5C3A\u5BF8\uFF1A{minWidth} \xD7 {minHeight}",imageValidateSizeLabelExpectedMaxSize:"\u6700\u5927\u5C3A\u5BF8\uFF1A{maxWidth} \xD7 {maxHeight}",imageValidateSizeLabelImageResolutionTooLow:"\u89E3\u6790\u5EA6\u904E\u4F4E",imageValidateSizeLabelImageResolutionTooHigh:"\u89E3\u6790\u5EA6\u904E\u9AD8",imageValidateSizeLabelExpectedMinResolution:"\u6700\u4F4E\u89E3\u6790\u5EA6\uFF1A{minResolution}",imageValidateSizeLabelExpectedMaxResolution:"\u6700\u9AD8\u89E3\u6790\u5EA6\uFF1A{maxResolution}"};ve(Wo);ve(jo);ve($o);ve(Qo);ve(el);ve(pl);ve(ul);ve(Rl);ve(Ma);window.FilePond=na;function uf({acceptedFileTypes:e,imageEditorEmptyFillColor:t,imageEditorMode:i,imageEditorViewportHeight:a,imageEditorViewportWidth:n,deleteUploadedFileUsing:o,isDeletable:l,isDisabled:r,getUploadedFilesUsing:s,imageCropAspectRatio:p,imagePreviewHeight:c,imageResizeMode:d,imageResizeTargetHeight:m,imageResizeTargetWidth:u,imageResizeUpscale:f,isAvatar:h,hasImageEditor:g,hasCircleCropper:I,canEditSvgs:E,isSvgEditingConfirmed:T,confirmSvgEditingMessage:v,disabledSvgEditingMessage:y,isDownloadable:b,isMultiple:w,isOpenable:x,isPreviewable:_,isReorderable:P,itemPanelAspectRatio:O,loadingIndicatorPosition:M,locale:C,maxFiles:S,maxSize:F,minSize:R,panelAspectRatio:L,panelLayout:z,placeholder:D,removeUploadedFileButtonPosition:k,removeUploadedFileUsing:B,reorderUploadedFilesUsing:X,shouldAppendFiles:q,shouldOrientImageFromExif:Q,shouldTransformImage:pe,state:G,uploadButtonPosition:H,uploadingMessage:Y,uploadProgressIndicatorPosition:le,uploadUsing:ee}){return{fileKeyIndex:{},pond:null,shouldUpdateState:!0,state:G,lastState:null,error:null,uploadedFileIndex:{},isEditorOpen:!1,editingFile:{},currentRatio:"",editor:{},init:async function(){Dt(Kl[C]??Kl.en),this.pond=ut(this.$refs.input,{acceptedFileTypes:e,allowImageExifOrientation:Q,allowPaste:!1,allowRemove:l,allowReorder:P,allowImagePreview:_,allowVideoPreview:_,allowAudioPreview:_,allowImageTransform:pe,credits:!1,files:await this.getFiles(),imageCropAspectRatio:p,imagePreviewHeight:c,imageResizeTargetHeight:m,imageResizeTargetWidth:u,imageResizeMode:d,imageResizeUpscale:f,imageTransformOutputStripImageHead:!1,itemInsertLocation:q?"after":"before",...D&&{labelIdle:D},maxFiles:S,maxFileSize:F,minFileSize:R,styleButtonProcessItemPosition:H,styleButtonRemoveItemPosition:k,styleItemPanelAspectRatio:O,styleLoadIndicatorPosition:M,stylePanelAspectRatio:L,stylePanelLayout:z,styleProgressIndicatorPosition:le,server:{load:async(N,U)=>{let Z=await(await fetch(N,{cache:"no-store"})).blob();U(Z)},process:(N,U,$,Z,Ve,Ge)=>{this.shouldUpdateState=!1;let Xt=([1e7]+-1e3+-4e3+-8e3+-1e11).replace(/[018]/g,Qt=>(Qt^crypto.getRandomValues(new Uint8Array(1))[0]&15>>Qt/4).toString(16));ee(Xt,U,Qt=>{this.shouldUpdateState=!0,Z(Qt)},Ve,Ge)},remove:async(N,U)=>{let $=this.uploadedFileIndex[N]??null;$&&(await o($),U())},revert:async(N,U)=>{await B(N),U()}},allowImageEdit:g,imageEditEditor:{open:N=>this.loadEditor(N),onconfirm:()=>{},oncancel:()=>this.closeEditor(),onclose:()=>this.closeEditor()},fileValidateTypeDetectType:(N,U)=>new Promise(($,Z)=>{let Ve=U||Go.getType(N.name.split(".").pop());Ve?$(Ve):Z()})}),this.$watch("state",async()=>{if(this.pond&&this.shouldUpdateState&&this.state!==void 0){if(this.state!==null&&Object.values(this.state).filter(N=>N.startsWith("livewire-file:")).length){this.lastState=null;return}JSON.stringify(this.state)!==this.lastState&&(this.lastState=JSON.stringify(this.state),this.pond.files=await this.getFiles())}}),this.pond.on("reorderfiles",async N=>{let U=N.map($=>$.source instanceof File?$.serverId:this.uploadedFileIndex[$.source]??null).filter($=>$);await X(q?U:U.reverse())}),this.pond.on("initfile",async N=>{b&&(h||this.insertDownloadLink(N))}),this.pond.on("initfile",async N=>{x&&(h||this.insertOpenLink(N))}),this.pond.on("addfilestart",async N=>{N.status===Et.PROCESSING_QUEUED&&this.dispatchFormEvent("form-processing-started",{message:Y})});let V=async()=>{this.pond.getFiles().filter(N=>N.status===Et.PROCESSING||N.status===Et.PROCESSING_QUEUED).length||this.dispatchFormEvent("form-processing-finished")};this.pond.on("processfile",V),this.pond.on("processfileabort",V),this.pond.on("processfilerevert",V),z==="compact circle"&&(this.pond.on("error",N=>{this.error=`${N.main}: ${N.sub}`.replace("Expects or","Expects")}),this.pond.on("removefile",()=>this.error=null))},destroy:function(){this.destroyEditor(),ft(this.$refs.input),this.pond=null},dispatchFormEvent:function(V,N={}){this.$el.closest("form")?.dispatchEvent(new CustomEvent(V,{composed:!0,cancelable:!0,detail:N}))},getUploadedFiles:async function(){let V=await s();this.fileKeyIndex=V??{},this.uploadedFileIndex=Object.entries(this.fileKeyIndex).filter(([N,U])=>U?.url).reduce((N,[U,$])=>(N[$.url]=U,N),{})},getFiles:async function(){await this.getUploadedFiles();let V=[];for(let N of Object.values(this.fileKeyIndex))N&&V.push({source:N.url,options:{type:"local",...!N.type||_&&(/^audio/.test(N.type)||/^image/.test(N.type)||/^video/.test(N.type))?{}:{file:{name:N.name,size:N.size,type:N.type}}}});return q?V:V.reverse()},insertDownloadLink:function(V){if(V.origin!==zt.LOCAL)return;let N=this.getDownloadLink(V);N&&document.getElementById(`filepond--item-${V.id}`).querySelector(".filepond--file-info-main").prepend(N)},insertOpenLink:function(V){if(V.origin!==zt.LOCAL)return;let N=this.getOpenLink(V);N&&document.getElementById(`filepond--item-${V.id}`).querySelector(".filepond--file-info-main").prepend(N)},getDownloadLink:function(V){let N=V.source;if(!N)return;let U=document.createElement("a");return U.className="filepond--download-icon",U.href=N,U.download=V.file.name,U},getOpenLink:function(V){let N=V.source;if(!N)return;let U=document.createElement("a");return U.className="filepond--open-icon",U.href=N,U.target="_blank",U},initEditor:function(){r||g&&(this.editor=new xa(this.$refs.editor,{aspectRatio:n/a,autoCropArea:1,center:!0,crop:V=>{this.$refs.xPositionInput.value=Math.round(V.detail.x),this.$refs.yPositionInput.value=Math.round(V.detail.y),this.$refs.heightInput.value=Math.round(V.detail.height),this.$refs.widthInput.value=Math.round(V.detail.width),this.$refs.rotationInput.value=V.detail.rotate},cropBoxResizable:!0,guides:!0,highlight:!0,responsive:!0,toggleDragModeOnDblclick:!0,viewMode:i,wheelZoomRatio:.02}))},closeEditor:function(){this.editingFile={},this.isEditorOpen=!1,this.destroyEditor()},fixImageDimensions:function(V,N){if(V.type!=="image/svg+xml")return N(V);let U=new FileReader;U.onload=$=>{let Z=new DOMParser().parseFromString($.target.result,"image/svg+xml")?.querySelector("svg");if(!Z)return N(V);let Ve=["viewBox","ViewBox","viewbox"].find(Xt=>Z.hasAttribute(Xt));if(!Ve)return N(V);let Ge=Z.getAttribute(Ve).split(" ");return!Ge||Ge.length!==4?N(V):(Z.setAttribute("width",parseFloat(Ge[2])+"pt"),Z.setAttribute("height",parseFloat(Ge[3])+"pt"),N(new File([new Blob([new XMLSerializer().serializeToString(Z)],{type:"image/svg+xml"})],V.name,{type:"image/svg+xml",_relativePath:""})))},U.readAsText(V)},loadEditor:function(V){if(r||!g||!V)return;let N=V.type==="image/svg+xml";if(!E&&N){alert(y);return}T&&N&&!confirm(v)||this.fixImageDimensions(V,U=>{this.editingFile=U,this.initEditor();let $=new FileReader;$.onload=Z=>{this.isEditorOpen=!0,setTimeout(()=>this.editor.replace(Z.target.result),200)},$.readAsDataURL(V)})},getRoundedCanvas:function(V){let N=V.width,U=V.height,$=document.createElement("canvas");$.width=N,$.height=U;let Z=$.getContext("2d");return Z.imageSmoothingEnabled=!0,Z.drawImage(V,0,0,N,U),Z.globalCompositeOperation="destination-in",Z.beginPath(),Z.ellipse(N/2,U/2,N/2,U/2,0,0,2*Math.PI),Z.fill(),$},saveEditor:function(){if(r||!g)return;let V=this.editor.getCroppedCanvas({fillColor:t??"transparent",height:m,imageSmoothingEnabled:!0,imageSmoothingQuality:"high",width:u});I&&(V=this.getRoundedCanvas(V)),V.toBlob(N=>{w&&this.pond.removeFile(this.pond.getFiles().find(U=>U.filename===this.editingFile.name)?.id,{revert:!0}),this.$nextTick(()=>{this.shouldUpdateState=!1;let U=this.editingFile.name.slice(0,this.editingFile.name.lastIndexOf(".")),$=this.editingFile.name.split(".").pop();$==="svg"&&($="png");let Z=/-v(\d+)/;Z.test(U)?U=U.replace(Z,(Ve,Ge)=>`-v${Number(Ge)+1}`):U+="-v1",this.pond.addFile(new File([N],`${U}.${$}`,{type:this.editingFile.type==="image/svg+xml"||I?"image/png":this.editingFile.type,lastModified:new Date().getTime()})).then(()=>{this.closeEditor()}).catch(()=>{this.closeEditor()})})},I?"image/png":this.editingFile.type)},destroyEditor:function(){this.editor&&typeof this.editor.destroy=="function"&&this.editor.destroy(),this.editor=null}}}var Kl={ar:wl,ca:Sl,ckb:Ll,cs:Al,da:Ml,de:Ol,en:Pl,es:Dl,fa:Fl,fi:zl,fr:Cl,hu:Nl,id:Bl,it:kl,km:Vl,nl:Gl,no:Ul,pl:Wl,pt_BR:Ri,pt_PT:Ri,ro:Hl,ru:jl,sv:Yl,tr:ql,uk:$l,vi:Xl,zh_CN:Ql,zh_TW:Zl};export{uf as default}; +/*! Bundled license information: + +filepond/dist/filepond.esm.js: + (*! + * FilePond 4.31.4 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +cropperjs/dist/cropper.esm.js: + (*! + * Cropper.js v1.6.2 + * https://fengyuanchen.github.io/cropperjs + * + * Copyright 2015-present Chen Fengyuan + * Released under the MIT license + * + * Date: 2024-04-21T07:43:05.335Z + *) + +filepond-plugin-file-validate-size/dist/filepond-plugin-file-validate-size.esm.js: + (*! + * FilePondPluginFileValidateSize 2.2.8 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-file-validate-type/dist/filepond-plugin-file-validate-type.esm.js: + (*! + * FilePondPluginFileValidateType 1.2.9 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-crop/dist/filepond-plugin-image-crop.esm.js: + (*! + * FilePondPluginImageCrop 2.0.6 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-edit/dist/filepond-plugin-image-edit.esm.js: + (*! + * FilePondPluginImageEdit 1.6.3 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-exif-orientation/dist/filepond-plugin-image-exif-orientation.esm.js: + (*! + * FilePondPluginImageExifOrientation 1.0.11 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-preview/dist/filepond-plugin-image-preview.esm.js: + (*! + * FilePondPluginImagePreview 4.6.12 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-resize/dist/filepond-plugin-image-resize.esm.js: + (*! + * FilePondPluginImageResize 2.0.10 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-image-transform/dist/filepond-plugin-image-transform.esm.js: + (*! + * FilePondPluginImageTransform 3.8.7 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit https://pqina.nl/filepond/ for details. + *) + +filepond-plugin-media-preview/dist/filepond-plugin-media-preview.esm.js: + (*! + * FilePondPluginMediaPreview 1.0.11 + * Licensed under MIT, https://opensource.org/licenses/MIT/ + * Please visit undefined for details. + *) +*/ diff --git a/public/js/filament/forms/components/key-value.js b/public/js/filament/forms/components/key-value.js new file mode 100644 index 0000000..9c847c0 --- /dev/null +++ b/public/js/filament/forms/components/key-value.js @@ -0,0 +1 @@ +function r({state:o}){return{state:o,rows:[],shouldUpdateRows:!0,init:function(){this.updateRows(),this.rows.length<=0?this.rows.push({key:"",value:""}):this.updateState(),this.$watch("state",(t,e)=>{let s=i=>i===null?0:Array.isArray(i)?i.length:typeof i!="object"?0:Object.keys(i).length;s(t)===0&&s(e)===0||this.updateRows()})},addRow:function(){this.rows.push({key:"",value:""}),this.updateState()},deleteRow:function(t){this.rows.splice(t,1),this.rows.length<=0&&this.addRow(),this.updateState()},reorderRows:function(t){let e=Alpine.raw(this.rows);this.rows=[];let s=e.splice(t.oldIndex,1)[0];e.splice(t.newIndex,0,s),this.$nextTick(()=>{this.rows=e,this.updateState()})},updateRows:function(){if(!this.shouldUpdateRows){this.shouldUpdateRows=!0;return}let t=[];for(let[e,s]of Object.entries(this.state??{}))t.push({key:e,value:s});this.rows=t},updateState:function(){let t={};this.rows.forEach(e=>{e.key===""||e.key===null||(t[e.key]=e.value)}),this.shouldUpdateRows=!1,this.state=t}}}export{r as default}; diff --git a/public/js/filament/forms/components/markdown-editor.js b/public/js/filament/forms/components/markdown-editor.js new file mode 100644 index 0000000..c586184 --- /dev/null +++ b/public/js/filament/forms/components/markdown-editor.js @@ -0,0 +1,51 @@ +var ss=Object.defineProperty;var Sd=Object.getOwnPropertyDescriptor;var Td=Object.getOwnPropertyNames;var Ld=Object.prototype.hasOwnProperty;var Cd=(o,p)=>()=>(o&&(p=o(o=0)),p);var Ke=(o,p)=>()=>(p||o((p={exports:{}}).exports,p),p.exports);var Ed=(o,p,v,C)=>{if(p&&typeof p=="object"||typeof p=="function")for(let b of Td(p))!Ld.call(o,b)&&b!==v&&ss(o,b,{get:()=>p[b],enumerable:!(C=Sd(p,b))||C.enumerable});return o};var zd=o=>Ed(ss({},"__esModule",{value:!0}),o);var We=Ke((Yo,Qo)=>{(function(o,p){typeof Yo=="object"&&typeof Qo<"u"?Qo.exports=p():typeof define=="function"&&define.amd?define(p):(o=o||self,o.CodeMirror=p())})(Yo,function(){"use strict";var o=navigator.userAgent,p=navigator.platform,v=/gecko\/\d/i.test(o),C=/MSIE \d/.test(o),b=/Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(o),S=/Edge\/(\d+)/.exec(o),s=C||b||S,h=s&&(C?document.documentMode||6:+(S||b)[1]),g=!S&&/WebKit\//.test(o),T=g&&/Qt\/\d+\.\d+/.test(o),x=!S&&/Chrome\/(\d+)/.exec(o),c=x&&+x[1],d=/Opera\//.test(o),w=/Apple Computer/.test(navigator.vendor),E=/Mac OS X 1\d\D([8-9]|\d\d)\D/.test(o),z=/PhantomJS/.test(o),y=w&&(/Mobile\/\w+/.test(o)||navigator.maxTouchPoints>2),R=/Android/.test(o),M=y||R||/webOS|BlackBerry|Opera Mini|Opera Mobi|IEMobile/i.test(o),H=y||/Mac/.test(p),Z=/\bCrOS\b/.test(o),ee=/win/i.test(p),re=d&&o.match(/Version\/(\d*\.\d*)/);re&&(re=Number(re[1])),re&&re>=15&&(d=!1,g=!0);var N=H&&(T||d&&(re==null||re<12.11)),F=v||s&&h>=9;function D(e){return new RegExp("(^|\\s)"+e+"(?:$|\\s)\\s*")}var Q=function(e,t){var n=e.className,r=D(t).exec(n);if(r){var i=n.slice(r.index+r[0].length);e.className=n.slice(0,r.index)+(i?r[1]+i:"")}};function j(e){for(var t=e.childNodes.length;t>0;--t)e.removeChild(e.firstChild);return e}function V(e,t){return j(e).appendChild(t)}function _(e,t,n,r){var i=document.createElement(e);if(n&&(i.className=n),r&&(i.style.cssText=r),typeof t=="string")i.appendChild(document.createTextNode(t));else if(t)for(var a=0;a=t)return l+(t-a);l+=u-a,l+=n-l%n,a=u+1}}var qe=function(){this.id=null,this.f=null,this.time=0,this.handler=Ee(this.onTimeout,this)};qe.prototype.onTimeout=function(e){e.id=0,e.time<=+new Date?e.f():setTimeout(e.handler,e.time-+new Date)},qe.prototype.set=function(e,t){this.f=t;var n=+new Date+e;(!this.id||n=t)return r+Math.min(l,t-i);if(i+=a-r,i+=n-i%n,r=a+1,i>=t)return r}}var U=[""];function G(e){for(;U.length<=e;)U.push(ce(U)+" ");return U[e]}function ce(e){return e[e.length-1]}function Be(e,t){for(var n=[],r=0;r"\x80"&&(e.toUpperCase()!=e.toLowerCase()||Ue.test(e))}function Me(e,t){return t?t.source.indexOf("\\w")>-1&&we(e)?!0:t.test(e):we(e)}function Le(e){for(var t in e)if(e.hasOwnProperty(t)&&e[t])return!1;return!0}var $=/[\u0300-\u036f\u0483-\u0489\u0591-\u05bd\u05bf\u05c1\u05c2\u05c4\u05c5\u05c7\u0610-\u061a\u064b-\u065e\u0670\u06d6-\u06dc\u06de-\u06e4\u06e7\u06e8\u06ea-\u06ed\u0711\u0730-\u074a\u07a6-\u07b0\u07eb-\u07f3\u0816-\u0819\u081b-\u0823\u0825-\u0827\u0829-\u082d\u0900-\u0902\u093c\u0941-\u0948\u094d\u0951-\u0955\u0962\u0963\u0981\u09bc\u09be\u09c1-\u09c4\u09cd\u09d7\u09e2\u09e3\u0a01\u0a02\u0a3c\u0a41\u0a42\u0a47\u0a48\u0a4b-\u0a4d\u0a51\u0a70\u0a71\u0a75\u0a81\u0a82\u0abc\u0ac1-\u0ac5\u0ac7\u0ac8\u0acd\u0ae2\u0ae3\u0b01\u0b3c\u0b3e\u0b3f\u0b41-\u0b44\u0b4d\u0b56\u0b57\u0b62\u0b63\u0b82\u0bbe\u0bc0\u0bcd\u0bd7\u0c3e-\u0c40\u0c46-\u0c48\u0c4a-\u0c4d\u0c55\u0c56\u0c62\u0c63\u0cbc\u0cbf\u0cc2\u0cc6\u0ccc\u0ccd\u0cd5\u0cd6\u0ce2\u0ce3\u0d3e\u0d41-\u0d44\u0d4d\u0d57\u0d62\u0d63\u0dca\u0dcf\u0dd2-\u0dd4\u0dd6\u0ddf\u0e31\u0e34-\u0e3a\u0e47-\u0e4e\u0eb1\u0eb4-\u0eb9\u0ebb\u0ebc\u0ec8-\u0ecd\u0f18\u0f19\u0f35\u0f37\u0f39\u0f71-\u0f7e\u0f80-\u0f84\u0f86\u0f87\u0f90-\u0f97\u0f99-\u0fbc\u0fc6\u102d-\u1030\u1032-\u1037\u1039\u103a\u103d\u103e\u1058\u1059\u105e-\u1060\u1071-\u1074\u1082\u1085\u1086\u108d\u109d\u135f\u1712-\u1714\u1732-\u1734\u1752\u1753\u1772\u1773\u17b7-\u17bd\u17c6\u17c9-\u17d3\u17dd\u180b-\u180d\u18a9\u1920-\u1922\u1927\u1928\u1932\u1939-\u193b\u1a17\u1a18\u1a56\u1a58-\u1a5e\u1a60\u1a62\u1a65-\u1a6c\u1a73-\u1a7c\u1a7f\u1b00-\u1b03\u1b34\u1b36-\u1b3a\u1b3c\u1b42\u1b6b-\u1b73\u1b80\u1b81\u1ba2-\u1ba5\u1ba8\u1ba9\u1c2c-\u1c33\u1c36\u1c37\u1cd0-\u1cd2\u1cd4-\u1ce0\u1ce2-\u1ce8\u1ced\u1dc0-\u1de6\u1dfd-\u1dff\u200c\u200d\u20d0-\u20f0\u2cef-\u2cf1\u2de0-\u2dff\u302a-\u302f\u3099\u309a\ua66f-\ua672\ua67c\ua67d\ua6f0\ua6f1\ua802\ua806\ua80b\ua825\ua826\ua8c4\ua8e0-\ua8f1\ua926-\ua92d\ua947-\ua951\ua980-\ua982\ua9b3\ua9b6-\ua9b9\ua9bc\uaa29-\uaa2e\uaa31\uaa32\uaa35\uaa36\uaa43\uaa4c\uaab0\uaab2-\uaab4\uaab7\uaab8\uaabe\uaabf\uaac1\uabe5\uabe8\uabed\udc00-\udfff\ufb1e\ufe00-\ufe0f\ufe20-\ufe26\uff9e\uff9f]/;function W(e){return e.charCodeAt(0)>=768&&$.test(e)}function se(e,t,n){for(;(n<0?t>0:tn?-1:1;;){if(t==n)return t;var i=(t+n)/2,a=r<0?Math.ceil(i):Math.floor(i);if(a==t)return e(a)?t:n;e(a)?n=a:t=a+r}}function nt(e,t,n,r){if(!e)return r(t,n,"ltr",0);for(var i=!1,a=0;at||t==n&&l.to==t)&&(r(Math.max(l.from,t),Math.min(l.to,n),l.level==1?"rtl":"ltr",a),i=!0)}i||r(t,n,"ltr")}var dt=null;function Pt(e,t,n){var r;dt=null;for(var i=0;it)return i;a.to==t&&(a.from!=a.to&&n=="before"?r=i:dt=i),a.from==t&&(a.from!=a.to&&n!="before"?r=i:dt=i)}return r??dt}var It=function(){var e="bbbbbbbbbtstwsbbbbbbbbbbbbbbssstwNN%%%NNNNNN,N,N1111111111NNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNNNLLLLLLLLLLLLLLLLLLLLLLLLLLNNNNbbbbbbsbbbbbbbbbbbbbbbbbbbbbbbbbb,N%%%%NNNNLNNNNN%%11NLNNN1LNNNNNLLLLLLLLLLLLLLLLLLLLLLLNLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLLN",t="nnnnnnNNr%%r,rNNmmmmmmmmmmmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmmmmmmmmmmmmmmmnnnnnnnnnn%nnrrrmrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrrmmmmmmmnNmmmmmmrrmmNmmmmrr1111111111";function n(m){return m<=247?e.charAt(m):1424<=m&&m<=1524?"R":1536<=m&&m<=1785?t.charAt(m-1536):1774<=m&&m<=2220?"r":8192<=m&&m<=8203?"w":m==8204?"b":"L"}var r=/[\u0590-\u05f4\u0600-\u06ff\u0700-\u08ac]/,i=/[stwN]/,a=/[LRr]/,l=/[Lb1n]/,u=/[1n]/;function f(m,A,P){this.level=m,this.from=A,this.to=P}return function(m,A){var P=A=="ltr"?"L":"R";if(m.length==0||A=="ltr"&&!r.test(m))return!1;for(var J=m.length,Y=[],ie=0;ie-1&&(r[t]=i.slice(0,a).concat(i.slice(a+1)))}}}function it(e,t){var n=nr(e,t);if(n.length)for(var r=Array.prototype.slice.call(arguments,2),i=0;i0}function Wt(e){e.prototype.on=function(t,n){Fe(this,t,n)},e.prototype.off=function(t,n){_t(this,t,n)}}function kt(e){e.preventDefault?e.preventDefault():e.returnValue=!1}function Hr(e){e.stopPropagation?e.stopPropagation():e.cancelBubble=!0}function Ct(e){return e.defaultPrevented!=null?e.defaultPrevented:e.returnValue==!1}function dr(e){kt(e),Hr(e)}function yn(e){return e.target||e.srcElement}function Ut(e){var t=e.which;return t==null&&(e.button&1?t=1:e.button&2?t=3:e.button&4&&(t=2)),H&&e.ctrlKey&&t==1&&(t=3),t}var eo=function(){if(s&&h<9)return!1;var e=_("div");return"draggable"in e||"dragDrop"in e}(),Br;function ei(e){if(Br==null){var t=_("span","\u200B");V(e,_("span",[t,document.createTextNode("x")])),e.firstChild.offsetHeight!=0&&(Br=t.offsetWidth<=1&&t.offsetHeight>2&&!(s&&h<8))}var n=Br?_("span","\u200B"):_("span","\xA0",null,"display: inline-block; width: 1px; margin-right: -1px");return n.setAttribute("cm-text",""),n}var xn;function pr(e){if(xn!=null)return xn;var t=V(e,document.createTextNode("A\u062EA")),n=X(t,0,1).getBoundingClientRect(),r=X(t,1,2).getBoundingClientRect();return j(e),!n||n.left==n.right?!1:xn=r.right-n.right<3}var Bt=` + +b`.split(/\n/).length!=3?function(e){for(var t=0,n=[],r=e.length;t<=r;){var i=e.indexOf(` +`,t);i==-1&&(i=e.length);var a=e.slice(t,e.charAt(i-1)=="\r"?i-1:i),l=a.indexOf("\r");l!=-1?(n.push(a.slice(0,l)),t+=l+1):(n.push(a),t=i+1)}return n}:function(e){return e.split(/\r\n?|\n/)},hr=window.getSelection?function(e){try{return e.selectionStart!=e.selectionEnd}catch{return!1}}:function(e){var t;try{t=e.ownerDocument.selection.createRange()}catch{}return!t||t.parentElement()!=e?!1:t.compareEndPoints("StartToEnd",t)!=0},ti=function(){var e=_("div");return"oncopy"in e?!0:(e.setAttribute("oncopy","return;"),typeof e.oncopy=="function")}(),$t=null;function to(e){if($t!=null)return $t;var t=V(e,_("span","x")),n=t.getBoundingClientRect(),r=X(t,0,1).getBoundingClientRect();return $t=Math.abs(n.left-r.left)>1}var Wr={},Kt={};function Gt(e,t){arguments.length>2&&(t.dependencies=Array.prototype.slice.call(arguments,2)),Wr[e]=t}function Cr(e,t){Kt[e]=t}function Ur(e){if(typeof e=="string"&&Kt.hasOwnProperty(e))e=Kt[e];else if(e&&typeof e.name=="string"&&Kt.hasOwnProperty(e.name)){var t=Kt[e.name];typeof t=="string"&&(t={name:t}),e=oe(t,e),e.name=t.name}else{if(typeof e=="string"&&/^[\w\-]+\/[\w\-]+\+xml$/.test(e))return Ur("application/xml");if(typeof e=="string"&&/^[\w\-]+\/[\w\-]+\+json$/.test(e))return Ur("application/json")}return typeof e=="string"?{name:e}:e||{name:"null"}}function $r(e,t){t=Ur(t);var n=Wr[t.name];if(!n)return $r(e,"text/plain");var r=n(e,t);if(gr.hasOwnProperty(t.name)){var i=gr[t.name];for(var a in i)i.hasOwnProperty(a)&&(r.hasOwnProperty(a)&&(r["_"+a]=r[a]),r[a]=i[a])}if(r.name=t.name,t.helperType&&(r.helperType=t.helperType),t.modeProps)for(var l in t.modeProps)r[l]=t.modeProps[l];return r}var gr={};function Kr(e,t){var n=gr.hasOwnProperty(e)?gr[e]:gr[e]={};ge(t,n)}function Vt(e,t){if(t===!0)return t;if(e.copyState)return e.copyState(t);var n={};for(var r in t){var i=t[r];i instanceof Array&&(i=i.concat([])),n[r]=i}return n}function _n(e,t){for(var n;e.innerMode&&(n=e.innerMode(t),!(!n||n.mode==e));)t=n.state,e=n.mode;return n||{mode:e,state:t}}function Gr(e,t,n){return e.startState?e.startState(t,n):!0}var at=function(e,t,n){this.pos=this.start=0,this.string=e,this.tabSize=t||8,this.lastColumnPos=this.lastColumnValue=0,this.lineStart=0,this.lineOracle=n};at.prototype.eol=function(){return this.pos>=this.string.length},at.prototype.sol=function(){return this.pos==this.lineStart},at.prototype.peek=function(){return this.string.charAt(this.pos)||void 0},at.prototype.next=function(){if(this.post},at.prototype.eatSpace=function(){for(var e=this.pos;/[\s\u00a0]/.test(this.string.charAt(this.pos));)++this.pos;return this.pos>e},at.prototype.skipToEnd=function(){this.pos=this.string.length},at.prototype.skipTo=function(e){var t=this.string.indexOf(e,this.pos);if(t>-1)return this.pos=t,!0},at.prototype.backUp=function(e){this.pos-=e},at.prototype.column=function(){return this.lastColumnPos0?null:(a&&t!==!1&&(this.pos+=a[0].length),a)}},at.prototype.current=function(){return this.string.slice(this.start,this.pos)},at.prototype.hideFirstChars=function(e,t){this.lineStart+=e;try{return t()}finally{this.lineStart-=e}},at.prototype.lookAhead=function(e){var t=this.lineOracle;return t&&t.lookAhead(e)},at.prototype.baseToken=function(){var e=this.lineOracle;return e&&e.baseToken(this.pos)};function Ae(e,t){if(t-=e.first,t<0||t>=e.size)throw new Error("There is no line "+(t+e.first)+" in the document.");for(var n=e;!n.lines;)for(var r=0;;++r){var i=n.children[r],a=i.chunkSize();if(t=e.first&&tn?ne(n,Ae(e,n).text.length):Sc(t,Ae(e,t.line).text.length)}function Sc(e,t){var n=e.ch;return n==null||n>t?ne(e.line,t):n<0?ne(e.line,0):e}function ca(e,t){for(var n=[],r=0;rthis.maxLookAhead&&(this.maxLookAhead=e),t},Jt.prototype.baseToken=function(e){if(!this.baseTokens)return null;for(;this.baseTokens[this.baseTokenPos]<=e;)this.baseTokenPos+=2;var t=this.baseTokens[this.baseTokenPos+1];return{type:t&&t.replace(/( |^)overlay .*/,""),size:this.baseTokens[this.baseTokenPos]-e}},Jt.prototype.nextLine=function(){this.line++,this.maxLookAhead>0&&this.maxLookAhead--},Jt.fromSaved=function(e,t,n){return t instanceof ri?new Jt(e,Vt(e.mode,t.state),n,t.lookAhead):new Jt(e,Vt(e.mode,t),n)},Jt.prototype.save=function(e){var t=e!==!1?Vt(this.doc.mode,this.state):this.state;return this.maxLookAhead>0?new ri(t,this.maxLookAhead):t};function fa(e,t,n,r){var i=[e.state.modeGen],a={};va(e,t.text,e.doc.mode,n,function(m,A){return i.push(m,A)},a,r);for(var l=n.state,u=function(m){n.baseTokens=i;var A=e.state.overlays[m],P=1,J=0;n.state=!0,va(e,t.text,A.mode,n,function(Y,ie){for(var ue=P;JY&&i.splice(P,1,Y,i[P+1],me),P+=2,J=Math.min(Y,me)}if(ie)if(A.opaque)i.splice(ue,P-ue,Y,"overlay "+ie),P=ue+2;else for(;uee.options.maxHighlightLength&&Vt(e.doc.mode,r.state),a=fa(e,t,r);i&&(r.state=i),t.stateAfter=r.save(!i),t.styles=a.styles,a.classes?t.styleClasses=a.classes:t.styleClasses&&(t.styleClasses=null),n===e.doc.highlightFrontier&&(e.doc.modeFrontier=Math.max(e.doc.modeFrontier,++e.doc.highlightFrontier))}return t.styles}function wn(e,t,n){var r=e.doc,i=e.display;if(!r.mode.startState)return new Jt(r,!0,t);var a=Tc(e,t,n),l=a>r.first&&Ae(r,a-1).stateAfter,u=l?Jt.fromSaved(r,l,a):new Jt(r,Gr(r.mode),a);return r.iter(a,t,function(f){ro(e,f.text,u);var m=u.line;f.stateAfter=m==t-1||m%5==0||m>=i.viewFrom&&mt.start)return a}throw new Error("Mode "+e.name+" failed to advance stream.")}var ha=function(e,t,n){this.start=e.start,this.end=e.pos,this.string=e.current(),this.type=t||null,this.state=n};function ga(e,t,n,r){var i=e.doc,a=i.mode,l;t=Re(i,t);var u=Ae(i,t.line),f=wn(e,t.line,n),m=new at(u.text,e.options.tabSize,f),A;for(r&&(A=[]);(r||m.pose.options.maxHighlightLength?(u=!1,l&&ro(e,t,r,A.pos),A.pos=t.length,P=null):P=ma(no(n,A,r.state,J),a),J){var Y=J[0].name;Y&&(P="m-"+(P?Y+" "+P:Y))}if(!u||m!=P){for(;fl;--u){if(u<=a.first)return a.first;var f=Ae(a,u-1),m=f.stateAfter;if(m&&(!n||u+(m instanceof ri?m.lookAhead:0)<=a.modeFrontier))return u;var A=Oe(f.text,null,e.options.tabSize);(i==null||r>A)&&(i=u-1,r=A)}return i}function Lc(e,t){if(e.modeFrontier=Math.min(e.modeFrontier,t),!(e.highlightFrontiern;r--){var i=Ae(e,r).stateAfter;if(i&&(!(i instanceof ri)||r+i.lookAhead=t:a.to>t);(r||(r=[])).push(new ni(l,a.from,f?null:a.to))}}return r}function Dc(e,t,n){var r;if(e)for(var i=0;i=t:a.to>t);if(u||a.from==t&&l.type=="bookmark"&&(!n||a.marker.insertLeft)){var f=a.from==null||(l.inclusiveLeft?a.from<=t:a.from0&&u)for(var Ce=0;Ce0)){var A=[f,1],P=ye(m.from,u.from),J=ye(m.to,u.to);(P<0||!l.inclusiveLeft&&!P)&&A.push({from:m.from,to:u.from}),(J>0||!l.inclusiveRight&&!J)&&A.push({from:u.to,to:m.to}),i.splice.apply(i,A),f+=A.length-3}}return i}function xa(e){var t=e.markedSpans;if(t){for(var n=0;nt)&&(!r||oo(r,a.marker)<0)&&(r=a.marker)}return r}function Sa(e,t,n,r,i){var a=Ae(e,t),l=or&&a.markedSpans;if(l)for(var u=0;u=0&&P<=0||A<=0&&P>=0)&&(A<=0&&(f.marker.inclusiveRight&&i.inclusiveLeft?ye(m.to,n)>=0:ye(m.to,n)>0)||A>=0&&(f.marker.inclusiveRight&&i.inclusiveLeft?ye(m.from,r)<=0:ye(m.from,r)<0)))return!0}}}function Zt(e){for(var t;t=wa(e);)e=t.find(-1,!0).line;return e}function Fc(e){for(var t;t=ai(e);)e=t.find(1,!0).line;return e}function Nc(e){for(var t,n;t=ai(e);)e=t.find(1,!0).line,(n||(n=[])).push(e);return n}function ao(e,t){var n=Ae(e,t),r=Zt(n);return n==r?t:k(r)}function Ta(e,t){if(t>e.lastLine())return t;var n=Ae(e,t),r;if(!mr(e,n))return t;for(;r=ai(n);)n=r.find(1,!0).line;return k(n)+1}function mr(e,t){var n=or&&t.markedSpans;if(n){for(var r=void 0,i=0;it.maxLineLength&&(t.maxLineLength=i,t.maxLine=r)})}var Xr=function(e,t,n){this.text=e,_a(this,t),this.height=n?n(this):1};Xr.prototype.lineNo=function(){return k(this)},Wt(Xr);function Oc(e,t,n,r){e.text=t,e.stateAfter&&(e.stateAfter=null),e.styles&&(e.styles=null),e.order!=null&&(e.order=null),xa(e),_a(e,n);var i=r?r(e):1;i!=e.height&&jt(e,i)}function Pc(e){e.parent=null,xa(e)}var jc={},Rc={};function La(e,t){if(!e||/^\s*$/.test(e))return null;var n=t.addModeClass?Rc:jc;return n[e]||(n[e]=e.replace(/\S+/g,"cm-$&"))}function Ca(e,t){var n=K("span",null,null,g?"padding-right: .1px":null),r={pre:K("pre",[n],"CodeMirror-line"),content:n,col:0,pos:0,cm:e,trailingSpace:!1,splitSpaces:e.getOption("lineWrapping")};t.measure={};for(var i=0;i<=(t.rest?t.rest.length:0);i++){var a=i?t.rest[i-1]:t.line,l=void 0;r.pos=0,r.addToken=Bc,pr(e.display.measure)&&(l=Pe(a,e.doc.direction))&&(r.addToken=Uc(r.addToken,l)),r.map=[];var u=t!=e.display.externalMeasured&&k(a);$c(a,r,da(e,a,u)),a.styleClasses&&(a.styleClasses.bgClass&&(r.bgClass=xe(a.styleClasses.bgClass,r.bgClass||"")),a.styleClasses.textClass&&(r.textClass=xe(a.styleClasses.textClass,r.textClass||""))),r.map.length==0&&r.map.push(0,0,r.content.appendChild(ei(e.display.measure))),i==0?(t.measure.map=r.map,t.measure.cache={}):((t.measure.maps||(t.measure.maps=[])).push(r.map),(t.measure.caches||(t.measure.caches=[])).push({}))}if(g){var f=r.content.lastChild;(/\bcm-tab\b/.test(f.className)||f.querySelector&&f.querySelector(".cm-tab"))&&(r.content.className="cm-tab-wrap-hack")}return it(e,"renderLine",e,t.line,r.pre),r.pre.className&&(r.textClass=xe(r.pre.className,r.textClass||"")),r}function Hc(e){var t=_("span","\u2022","cm-invalidchar");return t.title="\\u"+e.charCodeAt(0).toString(16),t.setAttribute("aria-label",t.title),t}function Bc(e,t,n,r,i,a,l){if(t){var u=e.splitSpaces?Wc(t,e.trailingSpace):t,f=e.cm.state.specialChars,m=!1,A;if(!f.test(t))e.col+=t.length,A=document.createTextNode(u),e.map.push(e.pos,e.pos+t.length,A),s&&h<9&&(m=!0),e.pos+=t.length;else{A=document.createDocumentFragment();for(var P=0;;){f.lastIndex=P;var J=f.exec(t),Y=J?J.index-P:t.length-P;if(Y){var ie=document.createTextNode(u.slice(P,P+Y));s&&h<9?A.appendChild(_("span",[ie])):A.appendChild(ie),e.map.push(e.pos,e.pos+Y,ie),e.col+=Y,e.pos+=Y}if(!J)break;P+=Y+1;var ue=void 0;if(J[0]==" "){var me=e.cm.options.tabSize,ve=me-e.col%me;ue=A.appendChild(_("span",G(ve),"cm-tab")),ue.setAttribute("role","presentation"),ue.setAttribute("cm-text"," "),e.col+=ve}else J[0]=="\r"||J[0]==` +`?(ue=A.appendChild(_("span",J[0]=="\r"?"\u240D":"\u2424","cm-invalidchar")),ue.setAttribute("cm-text",J[0]),e.col+=1):(ue=e.cm.options.specialCharPlaceholder(J[0]),ue.setAttribute("cm-text",J[0]),s&&h<9?A.appendChild(_("span",[ue])):A.appendChild(ue),e.col+=1);e.map.push(e.pos,e.pos+1,ue),e.pos++}}if(e.trailingSpace=u.charCodeAt(t.length-1)==32,n||r||i||m||a||l){var _e=n||"";r&&(_e+=r),i&&(_e+=i);var be=_("span",[A],_e,a);if(l)for(var Ce in l)l.hasOwnProperty(Ce)&&Ce!="style"&&Ce!="class"&&be.setAttribute(Ce,l[Ce]);return e.content.appendChild(be)}e.content.appendChild(A)}}function Wc(e,t){if(e.length>1&&!/ /.test(e))return e;for(var n=t,r="",i=0;im&&P.from<=m));J++);if(P.to>=A)return e(n,r,i,a,l,u,f);e(n,r.slice(0,P.to-m),i,a,null,u,f),a=null,r=r.slice(P.to-m),m=P.to}}}function Ea(e,t,n,r){var i=!r&&n.widgetNode;i&&e.map.push(e.pos,e.pos+t,i),!r&&e.cm.display.input.needsContentAttribute&&(i||(i=e.content.appendChild(document.createElement("span"))),i.setAttribute("cm-marker",n.id)),i&&(e.cm.display.input.setUneditable(i),e.content.appendChild(i)),e.pos+=t,e.trailingSpace=!1}function $c(e,t,n){var r=e.markedSpans,i=e.text,a=0;if(!r){for(var l=1;lf||$e.collapsed&&Ie.to==f&&Ie.from==f)){if(Ie.to!=null&&Ie.to!=f&&Y>Ie.to&&(Y=Ie.to,ue=""),$e.className&&(ie+=" "+$e.className),$e.css&&(J=(J?J+";":"")+$e.css),$e.startStyle&&Ie.from==f&&(me+=" "+$e.startStyle),$e.endStyle&&Ie.to==Y&&(Ce||(Ce=[])).push($e.endStyle,Ie.to),$e.title&&((_e||(_e={})).title=$e.title),$e.attributes)for(var Ve in $e.attributes)(_e||(_e={}))[Ve]=$e.attributes[Ve];$e.collapsed&&(!ve||oo(ve.marker,$e)<0)&&(ve=Ie)}else Ie.from>f&&Y>Ie.from&&(Y=Ie.from)}if(Ce)for(var vt=0;vt=u)break;for(var Ot=Math.min(u,Y);;){if(A){var At=f+A.length;if(!ve){var ut=At>Ot?A.slice(0,Ot-f):A;t.addToken(t,ut,P?P+ie:ie,me,f+ut.length==Y?ue:"",J,_e)}if(At>=Ot){A=A.slice(Ot-f),f=Ot;break}f=At,me=""}A=i.slice(a,a=n[m++]),P=La(n[m++],t.cm.options)}}}function za(e,t,n){this.line=t,this.rest=Nc(t),this.size=this.rest?k(ce(this.rest))-n+1:1,this.node=this.text=null,this.hidden=mr(e,t)}function si(e,t,n){for(var r=[],i,a=t;a2&&a.push((f.bottom+m.top)/2-n.top)}}a.push(n.bottom-n.top)}}function Na(e,t,n){if(e.line==t)return{map:e.measure.map,cache:e.measure.cache};if(e.rest){for(var r=0;rn)return{map:e.measure.maps[i],cache:e.measure.caches[i],before:!0}}}function rf(e,t){t=Zt(t);var n=k(t),r=e.display.externalMeasured=new za(e.doc,t,n);r.lineN=n;var i=r.built=Ca(e,r);return r.text=i.pre,V(e.display.lineMeasure,i.pre),r}function Oa(e,t,n,r){return tr(e,Qr(e,t),n,r)}function po(e,t){if(t>=e.display.viewFrom&&t=n.lineN&&tt)&&(a=f-u,i=a-1,t>=f&&(l="right")),i!=null){if(r=e[m+2],u==f&&n==(r.insertLeft?"left":"right")&&(l=n),n=="left"&&i==0)for(;m&&e[m-2]==e[m-3]&&e[m-1].insertLeft;)r=e[(m-=3)+2],l="left";if(n=="right"&&i==f-u)for(;m=0&&(n=e[i]).left==n.right;i--);return n}function of(e,t,n,r){var i=ja(t.map,n,r),a=i.node,l=i.start,u=i.end,f=i.collapse,m;if(a.nodeType==3){for(var A=0;A<4;A++){for(;l&&W(t.line.text.charAt(i.coverStart+l));)--l;for(;i.coverStart+u0&&(f=r="right");var P;e.options.lineWrapping&&(P=a.getClientRects()).length>1?m=P[r=="right"?P.length-1:0]:m=a.getBoundingClientRect()}if(s&&h<9&&!l&&(!m||!m.left&&!m.right)){var J=a.parentNode.getClientRects()[0];J?m={left:J.left,right:J.left+Jr(e.display),top:J.top,bottom:J.bottom}:m=Pa}for(var Y=m.top-t.rect.top,ie=m.bottom-t.rect.top,ue=(Y+ie)/2,me=t.view.measure.heights,ve=0;ve=r.text.length?(f=r.text.length,m="before"):f<=0&&(f=0,m="after"),!u)return l(m=="before"?f-1:f,m=="before");function A(ie,ue,me){var ve=u[ue],_e=ve.level==1;return l(me?ie-1:ie,_e!=me)}var P=Pt(u,f,m),J=dt,Y=A(f,P,m=="before");return J!=null&&(Y.other=A(f,J,m!="before")),Y}function $a(e,t){var n=0;t=Re(e.doc,t),e.options.lineWrapping||(n=Jr(e.display)*t.ch);var r=Ae(e.doc,t.line),i=ar(r)+ui(e.display);return{left:n,right:n,top:i,bottom:i+r.height}}function go(e,t,n,r,i){var a=ne(e,t,n);return a.xRel=i,r&&(a.outside=r),a}function mo(e,t,n){var r=e.doc;if(n+=e.display.viewOffset,n<0)return go(r.first,0,null,-1,-1);var i=O(r,n),a=r.first+r.size-1;if(i>a)return go(r.first+r.size-1,Ae(r,a).text.length,null,1,1);t<0&&(t=0);for(var l=Ae(r,i);;){var u=lf(e,l,i,t,n),f=Ic(l,u.ch+(u.xRel>0||u.outside>0?1:0));if(!f)return u;var m=f.find(1);if(m.line==i)return m;l=Ae(r,i=m.line)}}function Ka(e,t,n,r){r-=ho(t);var i=t.text.length,a=De(function(l){return tr(e,n,l-1).bottom<=r},i,0);return i=De(function(l){return tr(e,n,l).top>r},a,i),{begin:a,end:i}}function Ga(e,t,n,r){n||(n=Qr(e,t));var i=ci(e,t,tr(e,n,r),"line").top;return Ka(e,t,n,i)}function vo(e,t,n,r){return e.bottom<=n?!1:e.top>n?!0:(r?e.left:e.right)>t}function lf(e,t,n,r,i){i-=ar(t);var a=Qr(e,t),l=ho(t),u=0,f=t.text.length,m=!0,A=Pe(t,e.doc.direction);if(A){var P=(e.options.lineWrapping?uf:sf)(e,t,n,a,A,r,i);m=P.level!=1,u=m?P.from:P.to-1,f=m?P.to:P.from-1}var J=null,Y=null,ie=De(function(Ne){var Ie=tr(e,a,Ne);return Ie.top+=l,Ie.bottom+=l,vo(Ie,r,i,!1)?(Ie.top<=i&&Ie.left<=r&&(J=Ne,Y=Ie),!0):!1},u,f),ue,me,ve=!1;if(Y){var _e=r-Y.left=Ce.bottom?1:0}return ie=se(t.text,ie,1),go(n,ie,me,ve,r-ue)}function sf(e,t,n,r,i,a,l){var u=De(function(P){var J=i[P],Y=J.level!=1;return vo(Xt(e,ne(n,Y?J.to:J.from,Y?"before":"after"),"line",t,r),a,l,!0)},0,i.length-1),f=i[u];if(u>0){var m=f.level!=1,A=Xt(e,ne(n,m?f.from:f.to,m?"after":"before"),"line",t,r);vo(A,a,l,!0)&&A.top>l&&(f=i[u-1])}return f}function uf(e,t,n,r,i,a,l){var u=Ka(e,t,r,l),f=u.begin,m=u.end;/\s/.test(t.text.charAt(m-1))&&m--;for(var A=null,P=null,J=0;J=m||Y.to<=f)){var ie=Y.level!=1,ue=tr(e,r,ie?Math.min(m,Y.to)-1:Math.max(f,Y.from)).right,me=ueme)&&(A=Y,P=me)}}return A||(A=i[i.length-1]),A.fromm&&(A={from:A.from,to:m,level:A.level}),A}var zr;function Vr(e){if(e.cachedTextHeight!=null)return e.cachedTextHeight;if(zr==null){zr=_("pre",null,"CodeMirror-line-like");for(var t=0;t<49;++t)zr.appendChild(document.createTextNode("x")),zr.appendChild(_("br"));zr.appendChild(document.createTextNode("x"))}V(e.measure,zr);var n=zr.offsetHeight/50;return n>3&&(e.cachedTextHeight=n),j(e.measure),n||1}function Jr(e){if(e.cachedCharWidth!=null)return e.cachedCharWidth;var t=_("span","xxxxxxxxxx"),n=_("pre",[t],"CodeMirror-line-like");V(e.measure,n);var r=t.getBoundingClientRect(),i=(r.right-r.left)/10;return i>2&&(e.cachedCharWidth=i),i||10}function bo(e){for(var t=e.display,n={},r={},i=t.gutters.clientLeft,a=t.gutters.firstChild,l=0;a;a=a.nextSibling,++l){var u=e.display.gutterSpecs[l].className;n[u]=a.offsetLeft+a.clientLeft+i,r[u]=a.clientWidth}return{fixedPos:yo(t),gutterTotalWidth:t.gutters.offsetWidth,gutterLeft:n,gutterWidth:r,wrapperWidth:t.wrapper.clientWidth}}function yo(e){return e.scroller.getBoundingClientRect().left-e.sizer.getBoundingClientRect().left}function Za(e){var t=Vr(e.display),n=e.options.lineWrapping,r=n&&Math.max(5,e.display.scroller.clientWidth/Jr(e.display)-3);return function(i){if(mr(e.doc,i))return 0;var a=0;if(i.widgets)for(var l=0;l0&&(m=Ae(e.doc,f.line).text).length==f.ch){var A=Oe(m,m.length,e.options.tabSize)-m.length;f=ne(f.line,Math.max(0,Math.round((a-Fa(e.display).left)/Jr(e.display))-A))}return f}function Ar(e,t){if(t>=e.display.viewTo||(t-=e.display.viewFrom,t<0))return null;for(var n=e.display.view,r=0;rt)&&(i.updateLineNumbers=t),e.curOp.viewChanged=!0,t>=i.viewTo)or&&ao(e.doc,t)i.viewFrom?br(e):(i.viewFrom+=r,i.viewTo+=r);else if(t<=i.viewFrom&&n>=i.viewTo)br(e);else if(t<=i.viewFrom){var a=di(e,n,n+r,1);a?(i.view=i.view.slice(a.index),i.viewFrom=a.lineN,i.viewTo+=r):br(e)}else if(n>=i.viewTo){var l=di(e,t,t,-1);l?(i.view=i.view.slice(0,l.index),i.viewTo=l.lineN):br(e)}else{var u=di(e,t,t,-1),f=di(e,n,n+r,1);u&&f?(i.view=i.view.slice(0,u.index).concat(si(e,u.lineN,f.lineN)).concat(i.view.slice(f.index)),i.viewTo+=r):br(e)}var m=i.externalMeasured;m&&(n=i.lineN&&t=r.viewTo)){var a=r.view[Ar(e,t)];if(a.node!=null){var l=a.changes||(a.changes=[]);Se(l,n)==-1&&l.push(n)}}}function br(e){e.display.viewFrom=e.display.viewTo=e.doc.first,e.display.view=[],e.display.viewOffset=0}function di(e,t,n,r){var i=Ar(e,t),a,l=e.display.view;if(!or||n==e.doc.first+e.doc.size)return{index:i,lineN:n};for(var u=e.display.viewFrom,f=0;f0){if(i==l.length-1)return null;a=u+l[i].size-t,i++}else a=u-t;t+=a,n+=a}for(;ao(e.doc,n)!=n;){if(i==(r<0?0:l.length-1))return null;n+=r*l[i-(r<0?1:0)].size,i+=r}return{index:i,lineN:n}}function cf(e,t,n){var r=e.display,i=r.view;i.length==0||t>=r.viewTo||n<=r.viewFrom?(r.view=si(e,t,n),r.viewFrom=t):(r.viewFrom>t?r.view=si(e,t,r.viewFrom).concat(r.view):r.viewFromn&&(r.view=r.view.slice(0,Ar(e,n)))),r.viewTo=n}function Xa(e){for(var t=e.display.view,n=0,r=0;r=e.display.viewTo||f.to().line0?l:e.defaultCharWidth())+"px"}if(r.other){var u=n.appendChild(_("div","\xA0","CodeMirror-cursor CodeMirror-secondarycursor"));u.style.display="",u.style.left=r.other.left+"px",u.style.top=r.other.top+"px",u.style.height=(r.other.bottom-r.other.top)*.85+"px"}}function pi(e,t){return e.top-t.top||e.left-t.left}function ff(e,t,n){var r=e.display,i=e.doc,a=document.createDocumentFragment(),l=Fa(e.display),u=l.left,f=Math.max(r.sizerWidth,Er(e)-r.sizer.offsetLeft)-l.right,m=i.direction=="ltr";function A(be,Ce,Ne,Ie){Ce<0&&(Ce=0),Ce=Math.round(Ce),Ie=Math.round(Ie),a.appendChild(_("div",null,"CodeMirror-selected","position: absolute; left: "+be+`px; + top: `+Ce+"px; width: "+(Ne??f-be)+`px; + height: `+(Ie-Ce)+"px"))}function P(be,Ce,Ne){var Ie=Ae(i,be),$e=Ie.text.length,Ve,vt;function rt(ut,Dt){return fi(e,ne(be,ut),"div",Ie,Dt)}function Ot(ut,Dt,yt){var ft=Ga(e,Ie,null,ut),ct=Dt=="ltr"==(yt=="after")?"left":"right",lt=yt=="after"?ft.begin:ft.end-(/\s/.test(Ie.text.charAt(ft.end-1))?2:1);return rt(lt,ct)[ct]}var At=Pe(Ie,i.direction);return nt(At,Ce||0,Ne??$e,function(ut,Dt,yt,ft){var ct=yt=="ltr",lt=rt(ut,ct?"left":"right"),qt=rt(Dt-1,ct?"right":"left"),pn=Ce==null&&ut==0,Sr=Ne==null&&Dt==$e,St=ft==0,rr=!At||ft==At.length-1;if(qt.top-lt.top<=3){var bt=(m?pn:Sr)&&St,Zo=(m?Sr:pn)&&rr,cr=bt?u:(ct?lt:qt).left,Nr=Zo?f:(ct?qt:lt).right;A(cr,lt.top,Nr-cr,lt.bottom)}else{var Or,Lt,hn,Xo;ct?(Or=m&&pn&&St?u:lt.left,Lt=m?f:Ot(ut,yt,"before"),hn=m?u:Ot(Dt,yt,"after"),Xo=m&&Sr&&rr?f:qt.right):(Or=m?Ot(ut,yt,"before"):u,Lt=!m&&pn&&St?f:lt.right,hn=!m&&Sr&&rr?u:qt.left,Xo=m?Ot(Dt,yt,"after"):f),A(Or,lt.top,Lt-Or,lt.bottom),lt.bottom0?t.blinker=setInterval(function(){e.hasFocus()||en(e),t.cursorDiv.style.visibility=(n=!n)?"":"hidden"},e.options.cursorBlinkRate):e.options.cursorBlinkRate<0&&(t.cursorDiv.style.visibility="hidden")}}function Qa(e){e.hasFocus()||(e.display.input.focus(),e.state.focused||So(e))}function wo(e){e.state.delayingBlurEvent=!0,setTimeout(function(){e.state.delayingBlurEvent&&(e.state.delayingBlurEvent=!1,e.state.focused&&en(e))},100)}function So(e,t){e.state.delayingBlurEvent&&!e.state.draggingText&&(e.state.delayingBlurEvent=!1),e.options.readOnly!="nocursor"&&(e.state.focused||(it(e,"focus",e,t),e.state.focused=!0,le(e.display.wrapper,"CodeMirror-focused"),!e.curOp&&e.display.selForContextMenu!=e.doc.sel&&(e.display.input.reset(),g&&setTimeout(function(){return e.display.input.reset(!0)},20)),e.display.input.receivedFocus()),ko(e))}function en(e,t){e.state.delayingBlurEvent||(e.state.focused&&(it(e,"blur",e,t),e.state.focused=!1,Q(e.display.wrapper,"CodeMirror-focused")),clearInterval(e.display.blinker),setTimeout(function(){e.state.focused||(e.display.shift=!1)},150))}function hi(e){for(var t=e.display,n=t.lineDiv.offsetTop,r=Math.max(0,t.scroller.getBoundingClientRect().top),i=t.lineDiv.getBoundingClientRect().top,a=0,l=0;l.005||Y<-.005)&&(ie.display.sizerWidth){var ue=Math.ceil(A/Jr(e.display));ue>e.display.maxLineLength&&(e.display.maxLineLength=ue,e.display.maxLine=u.line,e.display.maxLineChanged=!0)}}}Math.abs(a)>2&&(t.scroller.scrollTop+=a)}function Va(e){if(e.widgets)for(var t=0;t=l&&(a=O(t,ar(Ae(t,f))-e.wrapper.clientHeight),l=f)}return{from:a,to:Math.max(l,a+1)}}function df(e,t){if(!ot(e,"scrollCursorIntoView")){var n=e.display,r=n.sizer.getBoundingClientRect(),i=null,a=n.wrapper.ownerDocument;if(t.top+r.top<0?i=!0:t.bottom+r.top>(a.defaultView.innerHeight||a.documentElement.clientHeight)&&(i=!1),i!=null&&!z){var l=_("div","\u200B",null,`position: absolute; + top: `+(t.top-n.viewOffset-ui(e.display))+`px; + height: `+(t.bottom-t.top+er(e)+n.barHeight)+`px; + left: `+t.left+"px; width: "+Math.max(2,t.right-t.left)+"px;");e.display.lineSpace.appendChild(l),l.scrollIntoView(i),e.display.lineSpace.removeChild(l)}}}function pf(e,t,n,r){r==null&&(r=0);var i;!e.options.lineWrapping&&t==n&&(n=t.sticky=="before"?ne(t.line,t.ch+1,"before"):t,t=t.ch?ne(t.line,t.sticky=="before"?t.ch-1:t.ch,"after"):t);for(var a=0;a<5;a++){var l=!1,u=Xt(e,t),f=!n||n==t?u:Xt(e,n);i={left:Math.min(u.left,f.left),top:Math.min(u.top,f.top)-r,right:Math.max(u.left,f.left),bottom:Math.max(u.bottom,f.bottom)+r};var m=To(e,i),A=e.doc.scrollTop,P=e.doc.scrollLeft;if(m.scrollTop!=null&&(An(e,m.scrollTop),Math.abs(e.doc.scrollTop-A)>1&&(l=!0)),m.scrollLeft!=null&&(Dr(e,m.scrollLeft),Math.abs(e.doc.scrollLeft-P)>1&&(l=!0)),!l)break}return i}function hf(e,t){var n=To(e,t);n.scrollTop!=null&&An(e,n.scrollTop),n.scrollLeft!=null&&Dr(e,n.scrollLeft)}function To(e,t){var n=e.display,r=Vr(e.display);t.top<0&&(t.top=0);var i=e.curOp&&e.curOp.scrollTop!=null?e.curOp.scrollTop:n.scroller.scrollTop,a=fo(e),l={};t.bottom-t.top>a&&(t.bottom=t.top+a);var u=e.doc.height+co(n),f=t.topu-r;if(t.topi+a){var A=Math.min(t.top,(m?u:t.bottom)-a);A!=i&&(l.scrollTop=A)}var P=e.options.fixedGutter?0:n.gutters.offsetWidth,J=e.curOp&&e.curOp.scrollLeft!=null?e.curOp.scrollLeft:n.scroller.scrollLeft-P,Y=Er(e)-n.gutters.offsetWidth,ie=t.right-t.left>Y;return ie&&(t.right=t.left+Y),t.left<10?l.scrollLeft=0:t.leftY+J-3&&(l.scrollLeft=t.right+(ie?0:10)-Y),l}function Lo(e,t){t!=null&&(mi(e),e.curOp.scrollTop=(e.curOp.scrollTop==null?e.doc.scrollTop:e.curOp.scrollTop)+t)}function tn(e){mi(e);var t=e.getCursor();e.curOp.scrollToPos={from:t,to:t,margin:e.options.cursorScrollMargin}}function Mn(e,t,n){(t!=null||n!=null)&&mi(e),t!=null&&(e.curOp.scrollLeft=t),n!=null&&(e.curOp.scrollTop=n)}function gf(e,t){mi(e),e.curOp.scrollToPos=t}function mi(e){var t=e.curOp.scrollToPos;if(t){e.curOp.scrollToPos=null;var n=$a(e,t.from),r=$a(e,t.to);Ja(e,n,r,t.margin)}}function Ja(e,t,n,r){var i=To(e,{left:Math.min(t.left,n.left),top:Math.min(t.top,n.top)-r,right:Math.max(t.right,n.right),bottom:Math.max(t.bottom,n.bottom)+r});Mn(e,i.scrollLeft,i.scrollTop)}function An(e,t){Math.abs(e.doc.scrollTop-t)<2||(v||Eo(e,{top:t}),el(e,t,!0),v&&Eo(e),In(e,100))}function el(e,t,n){t=Math.max(0,Math.min(e.display.scroller.scrollHeight-e.display.scroller.clientHeight,t)),!(e.display.scroller.scrollTop==t&&!n)&&(e.doc.scrollTop=t,e.display.scrollbars.setScrollTop(t),e.display.scroller.scrollTop!=t&&(e.display.scroller.scrollTop=t))}function Dr(e,t,n,r){t=Math.max(0,Math.min(t,e.display.scroller.scrollWidth-e.display.scroller.clientWidth)),!((n?t==e.doc.scrollLeft:Math.abs(e.doc.scrollLeft-t)<2)&&!r)&&(e.doc.scrollLeft=t,ol(e),e.display.scroller.scrollLeft!=t&&(e.display.scroller.scrollLeft=t),e.display.scrollbars.setScrollLeft(t))}function Dn(e){var t=e.display,n=t.gutters.offsetWidth,r=Math.round(e.doc.height+co(e.display));return{clientHeight:t.scroller.clientHeight,viewHeight:t.wrapper.clientHeight,scrollWidth:t.scroller.scrollWidth,clientWidth:t.scroller.clientWidth,viewWidth:t.wrapper.clientWidth,barLeft:e.options.fixedGutter?n:0,docHeight:r,scrollHeight:r+er(e)+t.barHeight,nativeBarWidth:t.nativeBarWidth,gutterWidth:n}}var qr=function(e,t,n){this.cm=n;var r=this.vert=_("div",[_("div",null,null,"min-width: 1px")],"CodeMirror-vscrollbar"),i=this.horiz=_("div",[_("div",null,null,"height: 100%; min-height: 1px")],"CodeMirror-hscrollbar");r.tabIndex=i.tabIndex=-1,e(r),e(i),Fe(r,"scroll",function(){r.clientHeight&&t(r.scrollTop,"vertical")}),Fe(i,"scroll",function(){i.clientWidth&&t(i.scrollLeft,"horizontal")}),this.checkedZeroWidth=!1,s&&h<8&&(this.horiz.style.minHeight=this.vert.style.minWidth="18px")};qr.prototype.update=function(e){var t=e.scrollWidth>e.clientWidth+1,n=e.scrollHeight>e.clientHeight+1,r=e.nativeBarWidth;if(n){this.vert.style.display="block",this.vert.style.bottom=t?r+"px":"0";var i=e.viewHeight-(t?r:0);this.vert.firstChild.style.height=Math.max(0,e.scrollHeight-e.clientHeight+i)+"px"}else this.vert.scrollTop=0,this.vert.style.display="",this.vert.firstChild.style.height="0";if(t){this.horiz.style.display="block",this.horiz.style.right=n?r+"px":"0",this.horiz.style.left=e.barLeft+"px";var a=e.viewWidth-e.barLeft-(n?r:0);this.horiz.firstChild.style.width=Math.max(0,e.scrollWidth-e.clientWidth+a)+"px"}else this.horiz.style.display="",this.horiz.firstChild.style.width="0";return!this.checkedZeroWidth&&e.clientHeight>0&&(r==0&&this.zeroWidthHack(),this.checkedZeroWidth=!0),{right:n?r:0,bottom:t?r:0}},qr.prototype.setScrollLeft=function(e){this.horiz.scrollLeft!=e&&(this.horiz.scrollLeft=e),this.disableHoriz&&this.enableZeroWidthBar(this.horiz,this.disableHoriz,"horiz")},qr.prototype.setScrollTop=function(e){this.vert.scrollTop!=e&&(this.vert.scrollTop=e),this.disableVert&&this.enableZeroWidthBar(this.vert,this.disableVert,"vert")},qr.prototype.zeroWidthHack=function(){var e=H&&!E?"12px":"18px";this.horiz.style.height=this.vert.style.width=e,this.horiz.style.visibility=this.vert.style.visibility="hidden",this.disableHoriz=new qe,this.disableVert=new qe},qr.prototype.enableZeroWidthBar=function(e,t,n){e.style.visibility="";function r(){var i=e.getBoundingClientRect(),a=n=="vert"?document.elementFromPoint(i.right-1,(i.top+i.bottom)/2):document.elementFromPoint((i.right+i.left)/2,i.bottom-1);a!=e?e.style.visibility="hidden":t.set(1e3,r)}t.set(1e3,r)},qr.prototype.clear=function(){var e=this.horiz.parentNode;e.removeChild(this.horiz),e.removeChild(this.vert)};var qn=function(){};qn.prototype.update=function(){return{bottom:0,right:0}},qn.prototype.setScrollLeft=function(){},qn.prototype.setScrollTop=function(){},qn.prototype.clear=function(){};function rn(e,t){t||(t=Dn(e));var n=e.display.barWidth,r=e.display.barHeight;tl(e,t);for(var i=0;i<4&&n!=e.display.barWidth||r!=e.display.barHeight;i++)n!=e.display.barWidth&&e.options.lineWrapping&&hi(e),tl(e,Dn(e)),n=e.display.barWidth,r=e.display.barHeight}function tl(e,t){var n=e.display,r=n.scrollbars.update(t);n.sizer.style.paddingRight=(n.barWidth=r.right)+"px",n.sizer.style.paddingBottom=(n.barHeight=r.bottom)+"px",n.heightForcer.style.borderBottom=r.bottom+"px solid transparent",r.right&&r.bottom?(n.scrollbarFiller.style.display="block",n.scrollbarFiller.style.height=r.bottom+"px",n.scrollbarFiller.style.width=r.right+"px"):n.scrollbarFiller.style.display="",r.bottom&&e.options.coverGutterNextToScrollbar&&e.options.fixedGutter?(n.gutterFiller.style.display="block",n.gutterFiller.style.height=r.bottom+"px",n.gutterFiller.style.width=t.gutterWidth+"px"):n.gutterFiller.style.display=""}var rl={native:qr,null:qn};function nl(e){e.display.scrollbars&&(e.display.scrollbars.clear(),e.display.scrollbars.addClass&&Q(e.display.wrapper,e.display.scrollbars.addClass)),e.display.scrollbars=new rl[e.options.scrollbarStyle](function(t){e.display.wrapper.insertBefore(t,e.display.scrollbarFiller),Fe(t,"mousedown",function(){e.state.focused&&setTimeout(function(){return e.display.input.focus()},0)}),t.setAttribute("cm-not-content","true")},function(t,n){n=="horizontal"?Dr(e,t):An(e,t)},e),e.display.scrollbars.addClass&&le(e.display.wrapper,e.display.scrollbars.addClass)}var mf=0;function Ir(e){e.curOp={cm:e,viewChanged:!1,startHeight:e.doc.height,forceUpdate:!1,updateInput:0,typing:!1,changeObjs:null,cursorActivityHandlers:null,cursorActivityCalled:0,selectionChanged:!1,updateMaxLine:!1,scrollLeft:null,scrollTop:null,scrollToPos:null,focus:!1,id:++mf,markArrays:null},Kc(e.curOp)}function Fr(e){var t=e.curOp;t&&Zc(t,function(n){for(var r=0;r=n.viewTo)||n.maxLineChanged&&t.options.lineWrapping,e.update=e.mustUpdate&&new vi(t,e.mustUpdate&&{top:e.scrollTop,ensure:e.scrollToPos},e.forceUpdate)}function yf(e){e.updatedDisplay=e.mustUpdate&&Co(e.cm,e.update)}function xf(e){var t=e.cm,n=t.display;e.updatedDisplay&&hi(t),e.barMeasure=Dn(t),n.maxLineChanged&&!t.options.lineWrapping&&(e.adjustWidthTo=Oa(t,n.maxLine,n.maxLine.text.length).left+3,t.display.sizerWidth=e.adjustWidthTo,e.barMeasure.scrollWidth=Math.max(n.scroller.clientWidth,n.sizer.offsetLeft+e.adjustWidthTo+er(t)+t.display.barWidth),e.maxScrollLeft=Math.max(0,n.sizer.offsetLeft+e.adjustWidthTo-Er(t))),(e.updatedDisplay||e.selectionChanged)&&(e.preparedSelection=n.input.prepareSelection())}function _f(e){var t=e.cm;e.adjustWidthTo!=null&&(t.display.sizer.style.minWidth=e.adjustWidthTo+"px",e.maxScrollLeft=e.display.viewTo)){var n=+new Date+e.options.workTime,r=wn(e,t.highlightFrontier),i=[];t.iter(r.line,Math.min(t.first+t.size,e.display.viewTo+500),function(a){if(r.line>=e.display.viewFrom){var l=a.styles,u=a.text.length>e.options.maxHighlightLength?Vt(t.mode,r.state):null,f=fa(e,a,r,!0);u&&(r.state=u),a.styles=f.styles;var m=a.styleClasses,A=f.classes;A?a.styleClasses=A:m&&(a.styleClasses=null);for(var P=!l||l.length!=a.styles.length||m!=A&&(!m||!A||m.bgClass!=A.bgClass||m.textClass!=A.textClass),J=0;!P&&Jn)return In(e,e.options.workDelay),!0}),t.highlightFrontier=r.line,t.modeFrontier=Math.max(t.modeFrontier,r.line),i.length&&Nt(e,function(){for(var a=0;a=n.viewFrom&&t.visible.to<=n.viewTo&&(n.updateLineNumbers==null||n.updateLineNumbers>=n.viewTo)&&n.renderedView==n.view&&Xa(e)==0)return!1;al(e)&&(br(e),t.dims=bo(e));var i=r.first+r.size,a=Math.max(t.visible.from-e.options.viewportMargin,r.first),l=Math.min(i,t.visible.to+e.options.viewportMargin);n.viewFroml&&n.viewTo-l<20&&(l=Math.min(i,n.viewTo)),or&&(a=ao(e.doc,a),l=Ta(e.doc,l));var u=a!=n.viewFrom||l!=n.viewTo||n.lastWrapHeight!=t.wrapperHeight||n.lastWrapWidth!=t.wrapperWidth;cf(e,a,l),n.viewOffset=ar(Ae(e.doc,n.viewFrom)),e.display.mover.style.top=n.viewOffset+"px";var f=Xa(e);if(!u&&f==0&&!t.force&&n.renderedView==n.view&&(n.updateLineNumbers==null||n.updateLineNumbers>=n.viewTo))return!1;var m=Tf(e);return f>4&&(n.lineDiv.style.display="none"),Cf(e,n.updateLineNumbers,t.dims),f>4&&(n.lineDiv.style.display=""),n.renderedView=n.view,Lf(m),j(n.cursorDiv),j(n.selectionDiv),n.gutters.style.height=n.sizer.style.minHeight=0,u&&(n.lastWrapHeight=t.wrapperHeight,n.lastWrapWidth=t.wrapperWidth,In(e,400)),n.updateLineNumbers=null,!0}function il(e,t){for(var n=t.viewport,r=!0;;r=!1){if(!r||!e.options.lineWrapping||t.oldDisplayWidth==Er(e)){if(n&&n.top!=null&&(n={top:Math.min(e.doc.height+co(e.display)-fo(e),n.top)}),t.visible=gi(e.display,e.doc,n),t.visible.from>=e.display.viewFrom&&t.visible.to<=e.display.viewTo)break}else r&&(t.visible=gi(e.display,e.doc,n));if(!Co(e,t))break;hi(e);var i=Dn(e);zn(e),rn(e,i),Mo(e,i),t.force=!1}t.signal(e,"update",e),(e.display.viewFrom!=e.display.reportedViewFrom||e.display.viewTo!=e.display.reportedViewTo)&&(t.signal(e,"viewportChange",e,e.display.viewFrom,e.display.viewTo),e.display.reportedViewFrom=e.display.viewFrom,e.display.reportedViewTo=e.display.viewTo)}function Eo(e,t){var n=new vi(e,t);if(Co(e,n)){hi(e),il(e,n);var r=Dn(e);zn(e),rn(e,r),Mo(e,r),n.finish()}}function Cf(e,t,n){var r=e.display,i=e.options.lineNumbers,a=r.lineDiv,l=a.firstChild;function u(ie){var ue=ie.nextSibling;return g&&H&&e.display.currentWheelTarget==ie?ie.style.display="none":ie.parentNode.removeChild(ie),ue}for(var f=r.view,m=r.viewFrom,A=0;A-1&&(Y=!1),Ma(e,P,m,n)),Y&&(j(P.lineNumber),P.lineNumber.appendChild(document.createTextNode(he(e.options,m)))),l=P.node.nextSibling}m+=P.size}for(;l;)l=u(l)}function zo(e){var t=e.gutters.offsetWidth;e.sizer.style.marginLeft=t+"px",ht(e,"gutterChanged",e)}function Mo(e,t){e.display.sizer.style.minHeight=t.docHeight+"px",e.display.heightForcer.style.top=t.docHeight+"px",e.display.gutters.style.height=t.docHeight+e.display.barHeight+er(e)+"px"}function ol(e){var t=e.display,n=t.view;if(!(!t.alignWidgets&&(!t.gutters.firstChild||!e.options.fixedGutter))){for(var r=yo(t)-t.scroller.scrollLeft+e.doc.scrollLeft,i=t.gutters.offsetWidth,a=r+"px",l=0;l=105&&(i.wrapper.style.clipPath="inset(0px)"),i.wrapper.setAttribute("translate","no"),s&&h<8&&(i.gutters.style.zIndex=-1,i.scroller.style.paddingRight=0),!g&&!(v&&M)&&(i.scroller.draggable=!0),e&&(e.appendChild?e.appendChild(i.wrapper):e(i.wrapper)),i.viewFrom=i.viewTo=t.first,i.reportedViewFrom=i.reportedViewTo=t.first,i.view=[],i.renderedView=null,i.externalMeasured=null,i.viewOffset=0,i.lastWrapHeight=i.lastWrapWidth=0,i.updateLineNumbers=null,i.nativeBarWidth=i.barHeight=i.barWidth=0,i.scrollbarsClipped=!1,i.lineNumWidth=i.lineNumInnerWidth=i.lineNumChars=null,i.alignWidgets=!1,i.cachedCharWidth=i.cachedTextHeight=i.cachedPaddingH=null,i.maxLine=null,i.maxLineLength=0,i.maxLineChanged=!1,i.wheelDX=i.wheelDY=i.wheelStartX=i.wheelStartY=null,i.shift=!1,i.selForContextMenu=null,i.activeTouch=null,i.gutterSpecs=Ao(r.gutters,r.lineNumbers),ll(i),n.init(i)}var bi=0,sr=null;s?sr=-.53:v?sr=15:x?sr=-.7:w&&(sr=-1/3);function sl(e){var t=e.wheelDeltaX,n=e.wheelDeltaY;return t==null&&e.detail&&e.axis==e.HORIZONTAL_AXIS&&(t=e.detail),n==null&&e.detail&&e.axis==e.VERTICAL_AXIS?n=e.detail:n==null&&(n=e.wheelDelta),{x:t,y:n}}function zf(e){var t=sl(e);return t.x*=sr,t.y*=sr,t}function ul(e,t){x&&c==102&&(e.display.chromeScrollHack==null?e.display.sizer.style.pointerEvents="none":clearTimeout(e.display.chromeScrollHack),e.display.chromeScrollHack=setTimeout(function(){e.display.chromeScrollHack=null,e.display.sizer.style.pointerEvents=""},100));var n=sl(t),r=n.x,i=n.y,a=sr;t.deltaMode===0&&(r=t.deltaX,i=t.deltaY,a=1);var l=e.display,u=l.scroller,f=u.scrollWidth>u.clientWidth,m=u.scrollHeight>u.clientHeight;if(r&&f||i&&m){if(i&&H&&g){e:for(var A=t.target,P=l.view;A!=u;A=A.parentNode)for(var J=0;J=0&&ye(e,r.to())<=0)return n}return-1};var Ye=function(e,t){this.anchor=e,this.head=t};Ye.prototype.from=function(){return Zr(this.anchor,this.head)},Ye.prototype.to=function(){return Et(this.anchor,this.head)},Ye.prototype.empty=function(){return this.head.line==this.anchor.line&&this.head.ch==this.anchor.ch};function Yt(e,t,n){var r=e&&e.options.selectionsMayTouch,i=t[n];t.sort(function(J,Y){return ye(J.from(),Y.from())}),n=Se(t,i);for(var a=1;a0:f>=0){var m=Zr(u.from(),l.from()),A=Et(u.to(),l.to()),P=u.empty()?l.from()==l.head:u.from()==u.head;a<=n&&--n,t.splice(--a,2,new Ye(P?A:m,P?m:A))}}return new Rt(t,n)}function yr(e,t){return new Rt([new Ye(e,t||e)],0)}function xr(e){return e.text?ne(e.from.line+e.text.length-1,ce(e.text).length+(e.text.length==1?e.from.ch:0)):e.to}function cl(e,t){if(ye(e,t.from)<0)return e;if(ye(e,t.to)<=0)return xr(t);var n=e.line+t.text.length-(t.to.line-t.from.line)-1,r=e.ch;return e.line==t.to.line&&(r+=xr(t).ch-t.to.ch),ne(n,r)}function Do(e,t){for(var n=[],r=0;r1&&e.remove(u.line+1,ie-1),e.insert(u.line+1,ve)}ht(e,"change",e,t)}function _r(e,t,n){function r(i,a,l){if(i.linked)for(var u=0;u1&&!e.done[e.done.length-2].ranges)return e.done.pop(),ce(e.done)}function ml(e,t,n,r){var i=e.history;i.undone.length=0;var a=+new Date,l,u;if((i.lastOp==r||i.lastOrigin==t.origin&&t.origin&&(t.origin.charAt(0)=="+"&&i.lastModTime>a-(e.cm?e.cm.options.historyEventDelay:500)||t.origin.charAt(0)=="*"))&&(l=Df(i,i.lastOp==r)))u=ce(l.changes),ye(t.from,t.to)==0&&ye(t.from,u.to)==0?u.to=xr(t):l.changes.push(Fo(e,t));else{var f=ce(i.done);for((!f||!f.ranges)&&xi(e.sel,i.done),l={changes:[Fo(e,t)],generation:i.generation},i.done.push(l);i.done.length>i.undoDepth;)i.done.shift(),i.done[0].ranges||i.done.shift()}i.done.push(n),i.generation=++i.maxGeneration,i.lastModTime=i.lastSelTime=a,i.lastOp=i.lastSelOp=r,i.lastOrigin=i.lastSelOrigin=t.origin,u||it(e,"historyAdded")}function qf(e,t,n,r){var i=t.charAt(0);return i=="*"||i=="+"&&n.ranges.length==r.ranges.length&&n.somethingSelected()==r.somethingSelected()&&new Date-e.history.lastSelTime<=(e.cm?e.cm.options.historyEventDelay:500)}function If(e,t,n,r){var i=e.history,a=r&&r.origin;n==i.lastSelOp||a&&i.lastSelOrigin==a&&(i.lastModTime==i.lastSelTime&&i.lastOrigin==a||qf(e,a,ce(i.done),t))?i.done[i.done.length-1]=t:xi(t,i.done),i.lastSelTime=+new Date,i.lastSelOrigin=a,i.lastSelOp=n,r&&r.clearRedo!==!1&&gl(i.undone)}function xi(e,t){var n=ce(t);n&&n.ranges&&n.equals(e)||t.push(e)}function vl(e,t,n,r){var i=t["spans_"+e.id],a=0;e.iter(Math.max(e.first,n),Math.min(e.first+e.size,r),function(l){l.markedSpans&&((i||(i=t["spans_"+e.id]={}))[a]=l.markedSpans),++a})}function Ff(e){if(!e)return null;for(var t,n=0;n-1&&(ce(u)[P]=m[P],delete m[P])}}return r}function No(e,t,n,r){if(r){var i=e.anchor;if(n){var a=ye(t,i)<0;a!=ye(n,i)<0?(i=t,t=n):a!=ye(t,n)<0&&(t=n)}return new Ye(i,t)}else return new Ye(n||t,t)}function _i(e,t,n,r,i){i==null&&(i=e.cm&&(e.cm.display.shift||e.extend)),wt(e,new Rt([No(e.sel.primary(),t,n,i)],0),r)}function yl(e,t,n){for(var r=[],i=e.cm&&(e.cm.display.shift||e.extend),a=0;a=t.ch:u.to>t.ch))){if(i&&(it(f,"beforeCursorEnter"),f.explicitlyCleared))if(a.markedSpans){--l;continue}else break;if(!f.atomic)continue;if(n){var P=f.find(r<0?1:-1),J=void 0;if((r<0?A:m)&&(P=Tl(e,P,-r,P&&P.line==t.line?a:null)),P&&P.line==t.line&&(J=ye(P,n))&&(r<0?J<0:J>0))return on(e,P,t,r,i)}var Y=f.find(r<0?-1:1);return(r<0?m:A)&&(Y=Tl(e,Y,r,Y.line==t.line?a:null)),Y?on(e,Y,t,r,i):null}}return t}function wi(e,t,n,r,i){var a=r||1,l=on(e,t,n,a,i)||!i&&on(e,t,n,a,!0)||on(e,t,n,-a,i)||!i&&on(e,t,n,-a,!0);return l||(e.cantEdit=!0,ne(e.first,0))}function Tl(e,t,n,r){return n<0&&t.ch==0?t.line>e.first?Re(e,ne(t.line-1)):null:n>0&&t.ch==(r||Ae(e,t.line)).text.length?t.line=0;--i)El(e,{from:r[i].from,to:r[i].to,text:i?[""]:t.text,origin:t.origin});else El(e,t)}}function El(e,t){if(!(t.text.length==1&&t.text[0]==""&&ye(t.from,t.to)==0)){var n=Do(e,t);ml(e,t,n,e.cm?e.cm.curOp.id:NaN),On(e,t,n,io(e,t));var r=[];_r(e,function(i,a){!a&&Se(r,i.history)==-1&&(Dl(i.history,t),r.push(i.history)),On(i,t,null,io(i,t))})}}function Si(e,t,n){var r=e.cm&&e.cm.state.suppressEdits;if(!(r&&!n)){for(var i=e.history,a,l=e.sel,u=t=="undo"?i.done:i.undone,f=t=="undo"?i.undone:i.done,m=0;m=0;--Y){var ie=J(Y);if(ie)return ie.v}}}}function zl(e,t){if(t!=0&&(e.first+=t,e.sel=new Rt(Be(e.sel.ranges,function(i){return new Ye(ne(i.anchor.line+t,i.anchor.ch),ne(i.head.line+t,i.head.ch))}),e.sel.primIndex),e.cm)){zt(e.cm,e.first,e.first-t,t);for(var n=e.cm.display,r=n.viewFrom;re.lastLine())){if(t.from.linea&&(t={from:t.from,to:ne(a,Ae(e,a).text.length),text:[t.text[0]],origin:t.origin}),t.removed=ir(e,t.from,t.to),n||(n=Do(e,t)),e.cm?Pf(e.cm,t,r):Io(e,t,r),ki(e,n,ke),e.cantEdit&&wi(e,ne(e.firstLine(),0))&&(e.cantEdit=!1)}}function Pf(e,t,n){var r=e.doc,i=e.display,a=t.from,l=t.to,u=!1,f=a.line;e.options.lineWrapping||(f=k(Zt(Ae(r,a.line))),r.iter(f,l.line+1,function(Y){if(Y==i.maxLine)return u=!0,!0})),r.sel.contains(t.from,t.to)>-1&&Ht(e),Io(r,t,n,Za(e)),e.options.lineWrapping||(r.iter(f,a.line+t.text.length,function(Y){var ie=li(Y);ie>i.maxLineLength&&(i.maxLine=Y,i.maxLineLength=ie,i.maxLineChanged=!0,u=!1)}),u&&(e.curOp.updateMaxLine=!0)),Lc(r,a.line),In(e,400);var m=t.text.length-(l.line-a.line)-1;t.full?zt(e):a.line==l.line&&t.text.length==1&&!dl(e.doc,t)?vr(e,a.line,"text"):zt(e,a.line,l.line+1,m);var A=Ft(e,"changes"),P=Ft(e,"change");if(P||A){var J={from:a,to:l,text:t.text,removed:t.removed,origin:t.origin};P&&ht(e,"change",e,J),A&&(e.curOp.changeObjs||(e.curOp.changeObjs=[])).push(J)}e.display.selForContextMenu=null}function ln(e,t,n,r,i){var a;r||(r=n),ye(r,n)<0&&(a=[r,n],n=a[0],r=a[1]),typeof t=="string"&&(t=e.splitLines(t)),an(e,{from:n,to:r,text:t,origin:i})}function Ml(e,t,n,r){n1||!(this.children[0]instanceof jn))){var u=[];this.collapse(u),this.children=[new jn(u)],this.children[0].parent=this}},collapse:function(e){for(var t=0;t50){for(var l=i.lines.length%25+25,u=l;u10);e.parent.maybeSpill()}},iterN:function(e,t,n){for(var r=0;re.display.maxLineLength&&(e.display.maxLine=m,e.display.maxLineLength=A,e.display.maxLineChanged=!0)}r!=null&&e&&this.collapsed&&zt(e,r,i+1),this.lines.length=0,this.explicitlyCleared=!0,this.atomic&&this.doc.cantEdit&&(this.doc.cantEdit=!1,e&&wl(e.doc)),e&&ht(e,"markerCleared",e,this,r,i),t&&Fr(e),this.parent&&this.parent.clear()}},kr.prototype.find=function(e,t){e==null&&this.type=="bookmark"&&(e=1);for(var n,r,i=0;i0||l==0&&a.clearWhenEmpty!==!1)return a;if(a.replacedWith&&(a.collapsed=!0,a.widgetNode=K("span",[a.replacedWith],"CodeMirror-widget"),r.handleMouseEvents||a.widgetNode.setAttribute("cm-ignore-events","true"),r.insertLeft&&(a.widgetNode.insertLeft=!0)),a.collapsed){if(Sa(e,t.line,t,n,a)||t.line!=n.line&&Sa(e,n.line,t,n,a))throw new Error("Inserting collapsed marker partially overlapping an existing one");Ec()}a.addToHistory&&ml(e,{from:t,to:n,origin:"markText"},e.sel,NaN);var u=t.line,f=e.cm,m;if(e.iter(u,n.line+1,function(P){f&&a.collapsed&&!f.options.lineWrapping&&Zt(P)==f.display.maxLine&&(m=!0),a.collapsed&&u!=t.line&&jt(P,0),Mc(P,new ni(a,u==t.line?t.ch:null,u==n.line?n.ch:null),e.cm&&e.cm.curOp),++u}),a.collapsed&&e.iter(t.line,n.line+1,function(P){mr(e,P)&&jt(P,0)}),a.clearOnEnter&&Fe(a,"beforeCursorEnter",function(){return a.clear()}),a.readOnly&&(Cc(),(e.history.done.length||e.history.undone.length)&&e.clearHistory()),a.collapsed&&(a.id=++Il,a.atomic=!0),f){if(m&&(f.curOp.updateMaxLine=!0),a.collapsed)zt(f,t.line,n.line+1);else if(a.className||a.startStyle||a.endStyle||a.css||a.attributes||a.title)for(var A=t.line;A<=n.line;A++)vr(f,A,"text");a.atomic&&wl(f.doc),ht(f,"markerAdded",f,a)}return a}var Bn=function(e,t){this.markers=e,this.primary=t;for(var n=0;n=0;f--)an(this,r[f]);u?_l(this,u):this.cm&&tn(this.cm)}),undo:mt(function(){Si(this,"undo")}),redo:mt(function(){Si(this,"redo")}),undoSelection:mt(function(){Si(this,"undo",!0)}),redoSelection:mt(function(){Si(this,"redo",!0)}),setExtending:function(e){this.extend=e},getExtending:function(){return this.extend},historySize:function(){for(var e=this.history,t=0,n=0,r=0;r=e.ch)&&t.push(i.marker.parent||i.marker)}return t},findMarks:function(e,t,n){e=Re(this,e),t=Re(this,t);var r=[],i=e.line;return this.iter(e.line,t.line+1,function(a){var l=a.markedSpans;if(l)for(var u=0;u=f.to||f.from==null&&i!=e.line||f.from!=null&&i==t.line&&f.from>=t.ch)&&(!n||n(f.marker))&&r.push(f.marker.parent||f.marker)}++i}),r},getAllMarks:function(){var e=[];return this.iter(function(t){var n=t.markedSpans;if(n)for(var r=0;re)return t=e,!0;e-=a,++n}),Re(this,ne(n,t))},indexFromPos:function(e){e=Re(this,e);var t=e.ch;if(e.linet&&(t=e.from),e.to!=null&&e.to-1){t.state.draggingText(e),setTimeout(function(){return t.display.input.focus()},20);return}try{var A=e.dataTransfer.getData("Text");if(A){var P;if(t.state.draggingText&&!t.state.draggingText.copy&&(P=t.listSelections()),ki(t.doc,yr(n,n)),P)for(var J=0;J=0;u--)ln(e.doc,"",r[u].from,r[u].to,"+delete");tn(e)})}function Po(e,t,n){var r=se(e.text,t+n,n);return r<0||r>e.text.length?null:r}function jo(e,t,n){var r=Po(e,t.ch,n);return r==null?null:new ne(t.line,r,n<0?"after":"before")}function Ro(e,t,n,r,i){if(e){t.doc.direction=="rtl"&&(i=-i);var a=Pe(n,t.doc.direction);if(a){var l=i<0?ce(a):a[0],u=i<0==(l.level==1),f=u?"after":"before",m;if(l.level>0||t.doc.direction=="rtl"){var A=Qr(t,n);m=i<0?n.text.length-1:0;var P=tr(t,A,m).top;m=De(function(J){return tr(t,A,J).top==P},i<0==(l.level==1)?l.from:l.to-1,m),f=="before"&&(m=Po(n,m,1))}else m=i<0?l.to:l.from;return new ne(r,m,f)}}return new ne(r,i<0?n.text.length:0,i<0?"before":"after")}function Vf(e,t,n,r){var i=Pe(t,e.doc.direction);if(!i)return jo(t,n,r);n.ch>=t.text.length?(n.ch=t.text.length,n.sticky="before"):n.ch<=0&&(n.ch=0,n.sticky="after");var a=Pt(i,n.ch,n.sticky),l=i[a];if(e.doc.direction=="ltr"&&l.level%2==0&&(r>0?l.to>n.ch:l.from=l.from&&J>=A.begin)){var Y=P?"before":"after";return new ne(n.line,J,Y)}}var ie=function(ve,_e,be){for(var Ce=function(Ve,vt){return vt?new ne(n.line,u(Ve,1),"before"):new ne(n.line,Ve,"after")};ve>=0&&ve0==(Ne.level!=1),$e=Ie?be.begin:u(be.end,-1);if(Ne.from<=$e&&$e0?A.end:u(A.begin,-1);return me!=null&&!(r>0&&me==t.text.length)&&(ue=ie(r>0?0:i.length-1,r,m(me)),ue)?ue:null}var $n={selectAll:Ll,singleSelection:function(e){return e.setSelection(e.getCursor("anchor"),e.getCursor("head"),ke)},killLine:function(e){return cn(e,function(t){if(t.empty()){var n=Ae(e.doc,t.head.line).text.length;return t.head.ch==n&&t.head.line0)i=new ne(i.line,i.ch+1),e.replaceRange(a.charAt(i.ch-1)+a.charAt(i.ch-2),ne(i.line,i.ch-2),i,"+transpose");else if(i.line>e.doc.first){var l=Ae(e.doc,i.line-1).text;l&&(i=new ne(i.line,1),e.replaceRange(a.charAt(0)+e.doc.lineSeparator()+l.charAt(l.length-1),ne(i.line-1,l.length-1),i,"+transpose"))}}n.push(new Ye(i,i))}e.setSelections(n)})},newlineAndIndent:function(e){return Nt(e,function(){for(var t=e.listSelections(),n=t.length-1;n>=0;n--)e.replaceRange(e.doc.lineSeparator(),t[n].anchor,t[n].head,"+input");t=e.listSelections();for(var r=0;re&&ye(t,this.pos)==0&&n==this.button};var Gn,Zn;function od(e,t){var n=+new Date;return Zn&&Zn.compare(n,e,t)?(Gn=Zn=null,"triple"):Gn&&Gn.compare(n,e,t)?(Zn=new Bo(n,e,t),Gn=null,"double"):(Gn=new Bo(n,e,t),Zn=null,"single")}function Yl(e){var t=this,n=t.display;if(!(ot(t,e)||n.activeTouch&&n.input.supportsTouch())){if(n.input.ensurePolled(),n.shift=e.shiftKey,lr(n,e)){g||(n.scroller.draggable=!1,setTimeout(function(){return n.scroller.draggable=!0},100));return}if(!Wo(t,e)){var r=Mr(t,e),i=Ut(e),a=r?od(r,i):"single";pe(t).focus(),i==1&&t.state.selectingText&&t.state.selectingText(e),!(r&&ad(t,i,r,a,e))&&(i==1?r?sd(t,r,a,e):yn(e)==n.scroller&&kt(e):i==2?(r&&_i(t.doc,r),setTimeout(function(){return n.input.focus()},20)):i==3&&(F?t.display.input.onContextMenu(e):wo(t)))}}}function ad(e,t,n,r,i){var a="Click";return r=="double"?a="Double"+a:r=="triple"&&(a="Triple"+a),a=(t==1?"Left":t==2?"Middle":"Right")+a,Kn(e,Hl(a,i),i,function(l){if(typeof l=="string"&&(l=$n[l]),!l)return!1;var u=!1;try{e.isReadOnly()&&(e.state.suppressEdits=!0),u=l(e,n)!=Ze}finally{e.state.suppressEdits=!1}return u})}function ld(e,t,n){var r=e.getOption("configureMouse"),i=r?r(e,t,n):{};if(i.unit==null){var a=Z?n.shiftKey&&n.metaKey:n.altKey;i.unit=a?"rectangle":t=="single"?"char":t=="double"?"word":"line"}return(i.extend==null||e.doc.extend)&&(i.extend=e.doc.extend||n.shiftKey),i.addNew==null&&(i.addNew=H?n.metaKey:n.ctrlKey),i.moveOnDrag==null&&(i.moveOnDrag=!(H?n.altKey:n.ctrlKey)),i}function sd(e,t,n,r){s?setTimeout(Ee(Qa,e),0):e.curOp.focus=B(de(e));var i=ld(e,n,r),a=e.doc.sel,l;e.options.dragDrop&&eo&&!e.isReadOnly()&&n=="single"&&(l=a.contains(t))>-1&&(ye((l=a.ranges[l]).from(),t)<0||t.xRel>0)&&(ye(l.to(),t)>0||t.xRel<0)?ud(e,r,t,i):cd(e,r,t,i)}function ud(e,t,n,r){var i=e.display,a=!1,l=gt(e,function(m){g&&(i.scroller.draggable=!1),e.state.draggingText=!1,e.state.delayingBlurEvent&&(e.hasFocus()?e.state.delayingBlurEvent=!1:wo(e)),_t(i.wrapper.ownerDocument,"mouseup",l),_t(i.wrapper.ownerDocument,"mousemove",u),_t(i.scroller,"dragstart",f),_t(i.scroller,"drop",l),a||(kt(m),r.addNew||_i(e.doc,n,null,null,r.extend),g&&!w||s&&h==9?setTimeout(function(){i.wrapper.ownerDocument.body.focus({preventScroll:!0}),i.input.focus()},20):i.input.focus())}),u=function(m){a=a||Math.abs(t.clientX-m.clientX)+Math.abs(t.clientY-m.clientY)>=10},f=function(){return a=!0};g&&(i.scroller.draggable=!0),e.state.draggingText=l,l.copy=!r.moveOnDrag,Fe(i.wrapper.ownerDocument,"mouseup",l),Fe(i.wrapper.ownerDocument,"mousemove",u),Fe(i.scroller,"dragstart",f),Fe(i.scroller,"drop",l),e.state.delayingBlurEvent=!0,setTimeout(function(){return i.input.focus()},20),i.scroller.dragDrop&&i.scroller.dragDrop()}function Ql(e,t,n){if(n=="char")return new Ye(t,t);if(n=="word")return e.findWordAt(t);if(n=="line")return new Ye(ne(t.line,0),Re(e.doc,ne(t.line+1,0)));var r=n(e,t);return new Ye(r.from,r.to)}function cd(e,t,n,r){s&&wo(e);var i=e.display,a=e.doc;kt(t);var l,u,f=a.sel,m=f.ranges;if(r.addNew&&!r.extend?(u=a.sel.contains(n),u>-1?l=m[u]:l=new Ye(n,n)):(l=a.sel.primary(),u=a.sel.primIndex),r.unit=="rectangle")r.addNew||(l=new Ye(n,n)),n=Mr(e,t,!0,!0),u=-1;else{var A=Ql(e,n,r.unit);r.extend?l=No(l,A.anchor,A.head,r.extend):l=A}r.addNew?u==-1?(u=m.length,wt(a,Yt(e,m.concat([l]),u),{scroll:!1,origin:"*mouse"})):m.length>1&&m[u].empty()&&r.unit=="char"&&!r.extend?(wt(a,Yt(e,m.slice(0,u).concat(m.slice(u+1)),0),{scroll:!1,origin:"*mouse"}),f=a.sel):Oo(a,u,l,Je):(u=0,wt(a,new Rt([l],0),Je),f=a.sel);var P=n;function J(be){if(ye(P,be)!=0)if(P=be,r.unit=="rectangle"){for(var Ce=[],Ne=e.options.tabSize,Ie=Oe(Ae(a,n.line).text,n.ch,Ne),$e=Oe(Ae(a,be.line).text,be.ch,Ne),Ve=Math.min(Ie,$e),vt=Math.max(Ie,$e),rt=Math.min(n.line,be.line),Ot=Math.min(e.lastLine(),Math.max(n.line,be.line));rt<=Ot;rt++){var At=Ae(a,rt).text,ut=Ge(At,Ve,Ne);Ve==vt?Ce.push(new Ye(ne(rt,ut),ne(rt,ut))):At.length>ut&&Ce.push(new Ye(ne(rt,ut),ne(rt,Ge(At,vt,Ne))))}Ce.length||Ce.push(new Ye(n,n)),wt(a,Yt(e,f.ranges.slice(0,u).concat(Ce),u),{origin:"*mouse",scroll:!1}),e.scrollIntoView(be)}else{var Dt=l,yt=Ql(e,be,r.unit),ft=Dt.anchor,ct;ye(yt.anchor,ft)>0?(ct=yt.head,ft=Zr(Dt.from(),yt.anchor)):(ct=yt.anchor,ft=Et(Dt.to(),yt.head));var lt=f.ranges.slice(0);lt[u]=fd(e,new Ye(Re(a,ft),ct)),wt(a,Yt(e,lt,u),Je)}}var Y=i.wrapper.getBoundingClientRect(),ie=0;function ue(be){var Ce=++ie,Ne=Mr(e,be,!0,r.unit=="rectangle");if(Ne)if(ye(Ne,P)!=0){e.curOp.focus=B(de(e)),J(Ne);var Ie=gi(i,a);(Ne.line>=Ie.to||Ne.lineY.bottom?20:0;$e&&setTimeout(gt(e,function(){ie==Ce&&(i.scroller.scrollTop+=$e,ue(be))}),50)}}function me(be){e.state.selectingText=!1,ie=1/0,be&&(kt(be),i.input.focus()),_t(i.wrapper.ownerDocument,"mousemove",ve),_t(i.wrapper.ownerDocument,"mouseup",_e),a.history.lastSelOrigin=null}var ve=gt(e,function(be){be.buttons===0||!Ut(be)?me(be):ue(be)}),_e=gt(e,me);e.state.selectingText=_e,Fe(i.wrapper.ownerDocument,"mousemove",ve),Fe(i.wrapper.ownerDocument,"mouseup",_e)}function fd(e,t){var n=t.anchor,r=t.head,i=Ae(e.doc,n.line);if(ye(n,r)==0&&n.sticky==r.sticky)return t;var a=Pe(i);if(!a)return t;var l=Pt(a,n.ch,n.sticky),u=a[l];if(u.from!=n.ch&&u.to!=n.ch)return t;var f=l+(u.from==n.ch==(u.level!=1)?0:1);if(f==0||f==a.length)return t;var m;if(r.line!=n.line)m=(r.line-n.line)*(e.doc.direction=="ltr"?1:-1)>0;else{var A=Pt(a,r.ch,r.sticky),P=A-l||(r.ch-n.ch)*(u.level==1?-1:1);A==f-1||A==f?m=P<0:m=P>0}var J=a[f+(m?-1:0)],Y=m==(J.level==1),ie=Y?J.from:J.to,ue=Y?"after":"before";return n.ch==ie&&n.sticky==ue?t:new Ye(new ne(n.line,ie,ue),r)}function Vl(e,t,n,r){var i,a;if(t.touches)i=t.touches[0].clientX,a=t.touches[0].clientY;else try{i=t.clientX,a=t.clientY}catch{return!1}if(i>=Math.floor(e.display.gutters.getBoundingClientRect().right))return!1;r&&kt(t);var l=e.display,u=l.lineDiv.getBoundingClientRect();if(a>u.bottom||!Ft(e,n))return Ct(t);a-=u.top-l.viewOffset;for(var f=0;f=i){var A=O(e.doc,a),P=e.display.gutterSpecs[f];return it(e,n,e,A,P.className,t),Ct(t)}}}function Wo(e,t){return Vl(e,t,"gutterClick",!0)}function Jl(e,t){lr(e.display,t)||dd(e,t)||ot(e,t,"contextmenu")||F||e.display.input.onContextMenu(t)}function dd(e,t){return Ft(e,"gutterContextMenu")?Vl(e,t,"gutterContextMenu",!1):!1}function es(e){e.display.wrapper.className=e.display.wrapper.className.replace(/\s*cm-s-\S+/g,"")+e.options.theme.replace(/(^|\s)\s*/g," cm-s-"),En(e)}var fn={toString:function(){return"CodeMirror.Init"}},ts={},Ei={};function pd(e){var t=e.optionHandlers;function n(r,i,a,l){e.defaults[r]=i,a&&(t[r]=l?function(u,f,m){m!=fn&&a(u,f,m)}:a)}e.defineOption=n,e.Init=fn,n("value","",function(r,i){return r.setValue(i)},!0),n("mode",null,function(r,i){r.doc.modeOption=i,qo(r)},!0),n("indentUnit",2,qo,!0),n("indentWithTabs",!1),n("smartIndent",!0),n("tabSize",4,function(r){Nn(r),En(r),zt(r)},!0),n("lineSeparator",null,function(r,i){if(r.doc.lineSep=i,!!i){var a=[],l=r.doc.first;r.doc.iter(function(f){for(var m=0;;){var A=f.text.indexOf(i,m);if(A==-1)break;m=A+i.length,a.push(ne(l,A))}l++});for(var u=a.length-1;u>=0;u--)ln(r.doc,i,a[u],ne(a[u].line,a[u].ch+i.length))}}),n("specialChars",/[\u0000-\u001f\u007f-\u009f\u00ad\u061c\u200b\u200e\u200f\u2028\u2029\u202d\u202e\u2066\u2067\u2069\ufeff\ufff9-\ufffc]/g,function(r,i,a){r.state.specialChars=new RegExp(i.source+(i.test(" ")?"":"| "),"g"),a!=fn&&r.refresh()}),n("specialCharPlaceholder",Hc,function(r){return r.refresh()},!0),n("electricChars",!0),n("inputStyle",M?"contenteditable":"textarea",function(){throw new Error("inputStyle can not (yet) be changed in a running editor")},!0),n("spellcheck",!1,function(r,i){return r.getInputField().spellcheck=i},!0),n("autocorrect",!1,function(r,i){return r.getInputField().autocorrect=i},!0),n("autocapitalize",!1,function(r,i){return r.getInputField().autocapitalize=i},!0),n("rtlMoveVisually",!ee),n("wholeLineUpdateBefore",!0),n("theme","default",function(r){es(r),Fn(r)},!0),n("keyMap","default",function(r,i,a){var l=Li(i),u=a!=fn&&Li(a);u&&u.detach&&u.detach(r,l),l.attach&&l.attach(r,u||null)}),n("extraKeys",null),n("configureMouse",null),n("lineWrapping",!1,gd,!0),n("gutters",[],function(r,i){r.display.gutterSpecs=Ao(i,r.options.lineNumbers),Fn(r)},!0),n("fixedGutter",!0,function(r,i){r.display.gutters.style.left=i?yo(r.display)+"px":"0",r.refresh()},!0),n("coverGutterNextToScrollbar",!1,function(r){return rn(r)},!0),n("scrollbarStyle","native",function(r){nl(r),rn(r),r.display.scrollbars.setScrollTop(r.doc.scrollTop),r.display.scrollbars.setScrollLeft(r.doc.scrollLeft)},!0),n("lineNumbers",!1,function(r,i){r.display.gutterSpecs=Ao(r.options.gutters,i),Fn(r)},!0),n("firstLineNumber",1,Fn,!0),n("lineNumberFormatter",function(r){return r},Fn,!0),n("showCursorWhenSelecting",!1,zn,!0),n("resetSelectionOnContextMenu",!0),n("lineWiseCopyCut",!0),n("pasteLinesPerSelection",!0),n("selectionsMayTouch",!1),n("readOnly",!1,function(r,i){i=="nocursor"&&(en(r),r.display.input.blur()),r.display.input.readOnlyChanged(i)}),n("screenReaderLabel",null,function(r,i){i=i===""?null:i,r.display.input.screenReaderLabelChanged(i)}),n("disableInput",!1,function(r,i){i||r.display.input.reset()},!0),n("dragDrop",!0,hd),n("allowDropFileTypes",null),n("cursorBlinkRate",530),n("cursorScrollMargin",0),n("cursorHeight",1,zn,!0),n("singleCursorHeightPerLine",!0,zn,!0),n("workTime",100),n("workDelay",100),n("flattenSpans",!0,Nn,!0),n("addModeClass",!1,Nn,!0),n("pollInterval",100),n("undoDepth",200,function(r,i){return r.doc.history.undoDepth=i}),n("historyEventDelay",1250),n("viewportMargin",10,function(r){return r.refresh()},!0),n("maxHighlightLength",1e4,Nn,!0),n("moveInputWithCursor",!0,function(r,i){i||r.display.input.resetPosition()}),n("tabindex",null,function(r,i){return r.display.input.getField().tabIndex=i||""}),n("autofocus",null),n("direction","ltr",function(r,i){return r.doc.setDirection(i)},!0),n("phrases",null)}function hd(e,t,n){var r=n&&n!=fn;if(!t!=!r){var i=e.display.dragFunctions,a=t?Fe:_t;a(e.display.scroller,"dragstart",i.start),a(e.display.scroller,"dragenter",i.enter),a(e.display.scroller,"dragover",i.over),a(e.display.scroller,"dragleave",i.leave),a(e.display.scroller,"drop",i.drop)}}function gd(e){e.options.lineWrapping?(le(e.display.wrapper,"CodeMirror-wrap"),e.display.sizer.style.minWidth="",e.display.sizerWidth=null):(Q(e.display.wrapper,"CodeMirror-wrap"),so(e)),xo(e),zt(e),En(e),setTimeout(function(){return rn(e)},100)}function tt(e,t){var n=this;if(!(this instanceof tt))return new tt(e,t);this.options=t=t?ge(t):{},ge(ts,t,!1);var r=t.value;typeof r=="string"?r=new Mt(r,t.mode,null,t.lineSeparator,t.direction):t.mode&&(r.modeOption=t.mode),this.doc=r;var i=new tt.inputStyles[t.inputStyle](this),a=this.display=new Ef(e,r,i,t);a.wrapper.CodeMirror=this,es(this),t.lineWrapping&&(this.display.wrapper.className+=" CodeMirror-wrap"),nl(this),this.state={keyMaps:[],overlays:[],modeGen:0,overwrite:!1,delayingBlurEvent:!1,focused:!1,suppressEdits:!1,pasteIncoming:-1,cutIncoming:-1,selectingText:!1,draggingText:!1,highlight:new qe,keySeq:null,specialChars:null},t.autofocus&&!M&&a.input.focus(),s&&h<11&&setTimeout(function(){return n.display.input.reset(!0)},20),md(this),Gf(),Ir(this),this.curOp.forceUpdate=!0,pl(this,r),t.autofocus&&!M||this.hasFocus()?setTimeout(function(){n.hasFocus()&&!n.state.focused&&So(n)},20):en(this);for(var l in Ei)Ei.hasOwnProperty(l)&&Ei[l](this,t[l],fn);al(this),t.finishInit&&t.finishInit(this);for(var u=0;u20*20}Fe(t.scroller,"touchstart",function(f){if(!ot(e,f)&&!a(f)&&!Wo(e,f)){t.input.ensurePolled(),clearTimeout(n);var m=+new Date;t.activeTouch={start:m,moved:!1,prev:m-r.end<=300?r:null},f.touches.length==1&&(t.activeTouch.left=f.touches[0].pageX,t.activeTouch.top=f.touches[0].pageY)}}),Fe(t.scroller,"touchmove",function(){t.activeTouch&&(t.activeTouch.moved=!0)}),Fe(t.scroller,"touchend",function(f){var m=t.activeTouch;if(m&&!lr(t,f)&&m.left!=null&&!m.moved&&new Date-m.start<300){var A=e.coordsChar(t.activeTouch,"page"),P;!m.prev||l(m,m.prev)?P=new Ye(A,A):!m.prev.prev||l(m,m.prev.prev)?P=e.findWordAt(A):P=new Ye(ne(A.line,0),Re(e.doc,ne(A.line+1,0))),e.setSelection(P.anchor,P.head),e.focus(),kt(f)}i()}),Fe(t.scroller,"touchcancel",i),Fe(t.scroller,"scroll",function(){t.scroller.clientHeight&&(An(e,t.scroller.scrollTop),Dr(e,t.scroller.scrollLeft,!0),it(e,"scroll",e))}),Fe(t.scroller,"mousewheel",function(f){return ul(e,f)}),Fe(t.scroller,"DOMMouseScroll",function(f){return ul(e,f)}),Fe(t.wrapper,"scroll",function(){return t.wrapper.scrollTop=t.wrapper.scrollLeft=0}),t.dragFunctions={enter:function(f){ot(e,f)||dr(f)},over:function(f){ot(e,f)||(Kf(e,f),dr(f))},start:function(f){return $f(e,f)},drop:gt(e,Uf),leave:function(f){ot(e,f)||Ol(e)}};var u=t.input.getField();Fe(u,"keyup",function(f){return Zl.call(e,f)}),Fe(u,"keydown",gt(e,Gl)),Fe(u,"keypress",gt(e,Xl)),Fe(u,"focus",function(f){return So(e,f)}),Fe(u,"blur",function(f){return en(e,f)})}var Uo=[];tt.defineInitHook=function(e){return Uo.push(e)};function Xn(e,t,n,r){var i=e.doc,a;n==null&&(n="add"),n=="smart"&&(i.mode.indent?a=wn(e,t).state:n="prev");var l=e.options.tabSize,u=Ae(i,t),f=Oe(u.text,null,l);u.stateAfter&&(u.stateAfter=null);var m=u.text.match(/^\s*/)[0],A;if(!r&&!/\S/.test(u.text))A=0,n="not";else if(n=="smart"&&(A=i.mode.indent(a,u.text.slice(m.length),u.text),A==Ze||A>150)){if(!r)return;n="prev"}n=="prev"?t>i.first?A=Oe(Ae(i,t-1).text,null,l):A=0:n=="add"?A=f+e.options.indentUnit:n=="subtract"?A=f-e.options.indentUnit:typeof n=="number"&&(A=f+n),A=Math.max(0,A);var P="",J=0;if(e.options.indentWithTabs)for(var Y=Math.floor(A/l);Y;--Y)J+=l,P+=" ";if(Jl,f=Bt(t),m=null;if(u&&r.ranges.length>1)if(Qt&&Qt.text.join(` +`)==t){if(r.ranges.length%Qt.text.length==0){m=[];for(var A=0;A=0;J--){var Y=r.ranges[J],ie=Y.from(),ue=Y.to();Y.empty()&&(n&&n>0?ie=ne(ie.line,ie.ch-n):e.state.overwrite&&!u?ue=ne(ue.line,Math.min(Ae(a,ue.line).text.length,ue.ch+ce(f).length)):u&&Qt&&Qt.lineWise&&Qt.text.join(` +`)==f.join(` +`)&&(ie=ue=ne(ie.line,0)));var me={from:ie,to:ue,text:m?m[J%m.length]:f,origin:i||(u?"paste":e.state.cutIncoming>l?"cut":"+input")};an(e.doc,me),ht(e,"inputRead",e,me)}t&&!u&&ns(e,t),tn(e),e.curOp.updateInput<2&&(e.curOp.updateInput=P),e.curOp.typing=!0,e.state.pasteIncoming=e.state.cutIncoming=-1}function rs(e,t){var n=e.clipboardData&&e.clipboardData.getData("Text");if(n)return e.preventDefault(),!t.isReadOnly()&&!t.options.disableInput&&t.hasFocus()&&Nt(t,function(){return $o(t,n,0,null,"paste")}),!0}function ns(e,t){if(!(!e.options.electricChars||!e.options.smartIndent))for(var n=e.doc.sel,r=n.ranges.length-1;r>=0;r--){var i=n.ranges[r];if(!(i.head.ch>100||r&&n.ranges[r-1].head.line==i.head.line)){var a=e.getModeAt(i.head),l=!1;if(a.electricChars){for(var u=0;u-1){l=Xn(e,i.head.line,"smart");break}}else a.electricInput&&a.electricInput.test(Ae(e.doc,i.head.line).text.slice(0,i.head.ch))&&(l=Xn(e,i.head.line,"smart"));l&&ht(e,"electricInput",e,i.head.line)}}}function is(e){for(var t=[],n=[],r=0;ra&&(Xn(this,u.head.line,r,!0),a=u.head.line,l==this.doc.sel.primIndex&&tn(this));else{var f=u.from(),m=u.to(),A=Math.max(a,f.line);a=Math.min(this.lastLine(),m.line-(m.ch?0:1))+1;for(var P=A;P0&&Oo(this.doc,l,new Ye(f,J[l].to()),ke)}}}),getTokenAt:function(r,i){return ga(this,r,i)},getLineTokens:function(r,i){return ga(this,ne(r),i,!0)},getTokenTypeAt:function(r){r=Re(this.doc,r);var i=da(this,Ae(this.doc,r.line)),a=0,l=(i.length-1)/2,u=r.ch,f;if(u==0)f=i[2];else for(;;){var m=a+l>>1;if((m?i[m*2-1]:0)>=u)l=m;else if(i[m*2+1]f&&(r=f,l=!0),u=Ae(this.doc,r)}else u=r;return ci(this,u,{top:0,left:0},i||"page",a||l).top+(l?this.doc.height-ar(u):0)},defaultTextHeight:function(){return Vr(this.display)},defaultCharWidth:function(){return Jr(this.display)},getViewport:function(){return{from:this.display.viewFrom,to:this.display.viewTo}},addWidget:function(r,i,a,l,u){var f=this.display;r=Xt(this,Re(this.doc,r));var m=r.bottom,A=r.left;if(i.style.position="absolute",i.setAttribute("cm-ignore-events","true"),this.display.input.setUneditable(i),f.sizer.appendChild(i),l=="over")m=r.top;else if(l=="above"||l=="near"){var P=Math.max(f.wrapper.clientHeight,this.doc.height),J=Math.max(f.sizer.clientWidth,f.lineSpace.clientWidth);(l=="above"||r.bottom+i.offsetHeight>P)&&r.top>i.offsetHeight?m=r.top-i.offsetHeight:r.bottom+i.offsetHeight<=P&&(m=r.bottom),A+i.offsetWidth>J&&(A=J-i.offsetWidth)}i.style.top=m+"px",i.style.left=i.style.right="",u=="right"?(A=f.sizer.clientWidth-i.offsetWidth,i.style.right="0px"):(u=="left"?A=0:u=="middle"&&(A=(f.sizer.clientWidth-i.offsetWidth)/2),i.style.left=A+"px"),a&&hf(this,{left:A,top:m,right:A+i.offsetWidth,bottom:m+i.offsetHeight})},triggerOnKeyDown:Tt(Gl),triggerOnKeyPress:Tt(Xl),triggerOnKeyUp:Zl,triggerOnMouseDown:Tt(Yl),execCommand:function(r){if($n.hasOwnProperty(r))return $n[r].call(null,this)},triggerElectric:Tt(function(r){ns(this,r)}),findPosH:function(r,i,a,l){var u=1;i<0&&(u=-1,i=-i);for(var f=Re(this.doc,r),m=0;m0&&A(a.charAt(l-1));)--l;for(;u.5||this.options.lineWrapping)&&xo(this),it(this,"refresh",this)}),swapDoc:Tt(function(r){var i=this.doc;return i.cm=null,this.state.selectingText&&this.state.selectingText(),pl(this,r),En(this),this.display.input.reset(),Mn(this,r.scrollLeft,r.scrollTop),this.curOp.forceScroll=!0,ht(this,"swapDoc",this,i),i}),phrase:function(r){var i=this.options.phrases;return i&&Object.prototype.hasOwnProperty.call(i,r)?i[r]:r},getInputField:function(){return this.display.input.getField()},getWrapperElement:function(){return this.display.wrapper},getScrollerElement:function(){return this.display.scroller},getGutterElement:function(){return this.display.gutters}},Wt(e),e.registerHelper=function(r,i,a){n.hasOwnProperty(r)||(n[r]=e[r]={_global:[]}),n[r][i]=a},e.registerGlobalHelper=function(r,i,a,l){e.registerHelper(r,i,l),n[r]._global.push({pred:a,val:l})}}function Go(e,t,n,r,i){var a=t,l=n,u=Ae(e,t.line),f=i&&e.direction=="rtl"?-n:n;function m(){var _e=t.line+f;return _e=e.first+e.size?!1:(t=new ne(_e,t.ch,t.sticky),u=Ae(e,_e))}function A(_e){var be;if(r=="codepoint"){var Ce=u.text.charCodeAt(t.ch+(n>0?0:-1));if(isNaN(Ce))be=null;else{var Ne=n>0?Ce>=55296&&Ce<56320:Ce>=56320&&Ce<57343;be=new ne(t.line,Math.max(0,Math.min(u.text.length,t.ch+n*(Ne?2:1))),-n)}}else i?be=Vf(e.cm,u,t,n):be=jo(u,t,n);if(be==null)if(!_e&&m())t=Ro(i,e.cm,u,t.line,f);else return!1;else t=be;return!0}if(r=="char"||r=="codepoint")A();else if(r=="column")A(!0);else if(r=="word"||r=="group")for(var P=null,J=r=="group",Y=e.cm&&e.cm.getHelper(t,"wordChars"),ie=!0;!(n<0&&!A(!ie));ie=!1){var ue=u.text.charAt(t.ch)||` +`,me=Me(ue,Y)?"w":J&&ue==` +`?"n":!J||/\s/.test(ue)?null:"p";if(J&&!ie&&!me&&(me="s"),P&&P!=me){n<0&&(n=1,A(),t.sticky="after");break}if(me&&(P=me),n>0&&!A(!ie))break}var ve=wi(e,t,a,l,!0);return Xe(a,ve)&&(ve.hitSide=!0),ve}function as(e,t,n,r){var i=e.doc,a=t.left,l;if(r=="page"){var u=Math.min(e.display.wrapper.clientHeight,pe(e).innerHeight||i(e).documentElement.clientHeight),f=Math.max(u-.5*Vr(e.display),3);l=(n>0?t.bottom:t.top)+n*f}else r=="line"&&(l=n>0?t.bottom+3:t.top-3);for(var m;m=mo(e,a,l),!!m.outside;){if(n<0?l<=0:l>=i.height){m.hitSide=!0;break}l+=n*5}return m}var Qe=function(e){this.cm=e,this.lastAnchorNode=this.lastAnchorOffset=this.lastFocusNode=this.lastFocusOffset=null,this.polling=new qe,this.composing=null,this.gracePeriod=!1,this.readDOMTimeout=null};Qe.prototype.init=function(e){var t=this,n=this,r=n.cm,i=n.div=e.lineDiv;i.contentEditable=!0,Ko(i,r.options.spellcheck,r.options.autocorrect,r.options.autocapitalize);function a(u){for(var f=u.target;f;f=f.parentNode){if(f==i)return!0;if(/\bCodeMirror-(?:line)?widget\b/.test(f.className))break}return!1}Fe(i,"paste",function(u){!a(u)||ot(r,u)||rs(u,r)||h<=11&&setTimeout(gt(r,function(){return t.updateFromDOM()}),20)}),Fe(i,"compositionstart",function(u){t.composing={data:u.data,done:!1}}),Fe(i,"compositionupdate",function(u){t.composing||(t.composing={data:u.data,done:!1})}),Fe(i,"compositionend",function(u){t.composing&&(u.data!=t.composing.data&&t.readFromDOMSoon(),t.composing.done=!0)}),Fe(i,"touchstart",function(){return n.forceCompositionEnd()}),Fe(i,"input",function(){t.composing||t.readFromDOMSoon()});function l(u){if(!(!a(u)||ot(r,u))){if(r.somethingSelected())zi({lineWise:!1,text:r.getSelections()}),u.type=="cut"&&r.replaceSelection("",null,"cut");else if(r.options.lineWiseCopyCut){var f=is(r);zi({lineWise:!0,text:f.text}),u.type=="cut"&&r.operation(function(){r.setSelections(f.ranges,0,ke),r.replaceSelection("",null,"cut")})}else return;if(u.clipboardData){u.clipboardData.clearData();var m=Qt.text.join(` +`);if(u.clipboardData.setData("Text",m),u.clipboardData.getData("Text")==m){u.preventDefault();return}}var A=os(),P=A.firstChild;Ko(P),r.display.lineSpace.insertBefore(A,r.display.lineSpace.firstChild),P.value=Qt.text.join(` +`);var J=B(ze(i));q(P),setTimeout(function(){r.display.lineSpace.removeChild(A),J.focus(),J==i&&n.showPrimarySelection()},50)}}Fe(i,"copy",l),Fe(i,"cut",l)},Qe.prototype.screenReaderLabelChanged=function(e){e?this.div.setAttribute("aria-label",e):this.div.removeAttribute("aria-label")},Qe.prototype.prepareSelection=function(){var e=Ya(this.cm,!1);return e.focus=B(ze(this.div))==this.div,e},Qe.prototype.showSelection=function(e,t){!e||!this.cm.display.view.length||((e.focus||t)&&this.showPrimarySelection(),this.showMultipleSelections(e))},Qe.prototype.getSelection=function(){return this.cm.display.wrapper.ownerDocument.getSelection()},Qe.prototype.showPrimarySelection=function(){var e=this.getSelection(),t=this.cm,n=t.doc.sel.primary(),r=n.from(),i=n.to();if(t.display.viewTo==t.display.viewFrom||r.line>=t.display.viewTo||i.line=t.display.viewFrom&&ls(t,r)||{node:u[0].measure.map[2],offset:0},m=i.linee.firstLine()&&(r=ne(r.line-1,Ae(e.doc,r.line-1).length)),i.ch==Ae(e.doc,i.line).text.length&&i.linet.viewTo-1)return!1;var a,l,u;r.line==t.viewFrom||(a=Ar(e,r.line))==0?(l=k(t.view[0].line),u=t.view[0].node):(l=k(t.view[a].line),u=t.view[a-1].node.nextSibling);var f=Ar(e,i.line),m,A;if(f==t.view.length-1?(m=t.viewTo-1,A=t.lineDiv.lastChild):(m=k(t.view[f+1].line)-1,A=t.view[f+1].node.previousSibling),!u)return!1;for(var P=e.doc.splitLines(yd(e,u,A,l,m)),J=ir(e.doc,ne(l,0),ne(m,Ae(e.doc,m).text.length));P.length>1&&J.length>1;)if(ce(P)==ce(J))P.pop(),J.pop(),m--;else if(P[0]==J[0])P.shift(),J.shift(),l++;else break;for(var Y=0,ie=0,ue=P[0],me=J[0],ve=Math.min(ue.length,me.length);Yr.ch&&_e.charCodeAt(_e.length-ie-1)==be.charCodeAt(be.length-ie-1);)Y--,ie++;P[P.length-1]=_e.slice(0,_e.length-ie).replace(/^\u200b+/,""),P[0]=P[0].slice(Y).replace(/\u200b+$/,"");var Ne=ne(l,Y),Ie=ne(m,J.length?ce(J).length-ie:0);if(P.length>1||P[0]||ye(Ne,Ie))return ln(e.doc,P,Ne,Ie,"+input"),!0},Qe.prototype.ensurePolled=function(){this.forceCompositionEnd()},Qe.prototype.reset=function(){this.forceCompositionEnd()},Qe.prototype.forceCompositionEnd=function(){this.composing&&(clearTimeout(this.readDOMTimeout),this.composing=null,this.updateFromDOM(),this.div.blur(),this.div.focus())},Qe.prototype.readFromDOMSoon=function(){var e=this;this.readDOMTimeout==null&&(this.readDOMTimeout=setTimeout(function(){if(e.readDOMTimeout=null,e.composing)if(e.composing.done)e.composing=null;else return;e.updateFromDOM()},80))},Qe.prototype.updateFromDOM=function(){var e=this;(this.cm.isReadOnly()||!this.pollContent())&&Nt(this.cm,function(){return zt(e.cm)})},Qe.prototype.setUneditable=function(e){e.contentEditable="false"},Qe.prototype.onKeyPress=function(e){e.charCode==0||this.composing||(e.preventDefault(),this.cm.isReadOnly()||gt(this.cm,$o)(this.cm,String.fromCharCode(e.charCode==null?e.keyCode:e.charCode),0))},Qe.prototype.readOnlyChanged=function(e){this.div.contentEditable=String(e!="nocursor")},Qe.prototype.onContextMenu=function(){},Qe.prototype.resetPosition=function(){},Qe.prototype.needsContentAttribute=!0;function ls(e,t){var n=po(e,t.line);if(!n||n.hidden)return null;var r=Ae(e.doc,t.line),i=Na(n,r,t.line),a=Pe(r,e.doc.direction),l="left";if(a){var u=Pt(a,t.ch);l=u%2?"right":"left"}var f=ja(i.map,t.ch,l);return f.offset=f.collapse=="right"?f.end:f.start,f}function bd(e){for(var t=e;t;t=t.parentNode)if(/CodeMirror-gutter-wrapper/.test(t.className))return!0;return!1}function dn(e,t){return t&&(e.bad=!0),e}function yd(e,t,n,r,i){var a="",l=!1,u=e.doc.lineSeparator(),f=!1;function m(Y){return function(ie){return ie.id==Y}}function A(){l&&(a+=u,f&&(a+=u),l=f=!1)}function P(Y){Y&&(A(),a+=Y)}function J(Y){if(Y.nodeType==1){var ie=Y.getAttribute("cm-text");if(ie){P(ie);return}var ue=Y.getAttribute("cm-marker"),me;if(ue){var ve=e.findMarks(ne(r,0),ne(i+1,0),m(+ue));ve.length&&(me=ve[0].find(0))&&P(ir(e.doc,me.from,me.to).join(u));return}if(Y.getAttribute("contenteditable")=="false")return;var _e=/^(pre|div|p|li|table|br)$/i.test(Y.nodeName);if(!/^br$/i.test(Y.nodeName)&&Y.textContent.length==0)return;_e&&A();for(var be=0;be=9&&t.hasSelection&&(t.hasSelection=null),n.poll()}),Fe(i,"paste",function(l){ot(r,l)||rs(l,r)||(r.state.pasteIncoming=+new Date,n.fastPoll())});function a(l){if(!ot(r,l)){if(r.somethingSelected())zi({lineWise:!1,text:r.getSelections()});else if(r.options.lineWiseCopyCut){var u=is(r);zi({lineWise:!0,text:u.text}),l.type=="cut"?r.setSelections(u.ranges,null,ke):(n.prevInput="",i.value=u.text.join(` +`),q(i))}else return;l.type=="cut"&&(r.state.cutIncoming=+new Date)}}Fe(i,"cut",a),Fe(i,"copy",a),Fe(e.scroller,"paste",function(l){if(!(lr(e,l)||ot(r,l))){if(!i.dispatchEvent){r.state.pasteIncoming=+new Date,n.focus();return}var u=new Event("paste");u.clipboardData=l.clipboardData,i.dispatchEvent(u)}}),Fe(e.lineSpace,"selectstart",function(l){lr(e,l)||kt(l)}),Fe(i,"compositionstart",function(){var l=r.getCursor("from");n.composing&&n.composing.range.clear(),n.composing={start:l,range:r.markText(l,r.getCursor("to"),{className:"CodeMirror-composing"})}}),Fe(i,"compositionend",function(){n.composing&&(n.poll(),n.composing.range.clear(),n.composing=null)})},st.prototype.createField=function(e){this.wrapper=os(),this.textarea=this.wrapper.firstChild;var t=this.cm.options;Ko(this.textarea,t.spellcheck,t.autocorrect,t.autocapitalize)},st.prototype.screenReaderLabelChanged=function(e){e?this.textarea.setAttribute("aria-label",e):this.textarea.removeAttribute("aria-label")},st.prototype.prepareSelection=function(){var e=this.cm,t=e.display,n=e.doc,r=Ya(e);if(e.options.moveInputWithCursor){var i=Xt(e,n.sel.primary().head,"div"),a=t.wrapper.getBoundingClientRect(),l=t.lineDiv.getBoundingClientRect();r.teTop=Math.max(0,Math.min(t.wrapper.clientHeight-10,i.top+l.top-a.top)),r.teLeft=Math.max(0,Math.min(t.wrapper.clientWidth-10,i.left+l.left-a.left))}return r},st.prototype.showSelection=function(e){var t=this.cm,n=t.display;V(n.cursorDiv,e.cursors),V(n.selectionDiv,e.selection),e.teTop!=null&&(this.wrapper.style.top=e.teTop+"px",this.wrapper.style.left=e.teLeft+"px")},st.prototype.reset=function(e){if(!(this.contextMenuPending||this.composing&&e)){var t=this.cm;if(this.resetting=!0,t.somethingSelected()){this.prevInput="";var n=t.getSelection();this.textarea.value=n,t.state.focused&&q(this.textarea),s&&h>=9&&(this.hasSelection=n)}else e||(this.prevInput=this.textarea.value="",s&&h>=9&&(this.hasSelection=null));this.resetting=!1}},st.prototype.getField=function(){return this.textarea},st.prototype.supportsTouch=function(){return!1},st.prototype.focus=function(){if(this.cm.options.readOnly!="nocursor"&&(!M||B(ze(this.textarea))!=this.textarea))try{this.textarea.focus()}catch{}},st.prototype.blur=function(){this.textarea.blur()},st.prototype.resetPosition=function(){this.wrapper.style.top=this.wrapper.style.left=0},st.prototype.receivedFocus=function(){this.slowPoll()},st.prototype.slowPoll=function(){var e=this;this.pollingFast||this.polling.set(this.cm.options.pollInterval,function(){e.poll(),e.cm.state.focused&&e.slowPoll()})},st.prototype.fastPoll=function(){var e=!1,t=this;t.pollingFast=!0;function n(){var r=t.poll();!r&&!e?(e=!0,t.polling.set(60,n)):(t.pollingFast=!1,t.slowPoll())}t.polling.set(20,n)},st.prototype.poll=function(){var e=this,t=this.cm,n=this.textarea,r=this.prevInput;if(this.contextMenuPending||this.resetting||!t.state.focused||hr(n)&&!r&&!this.composing||t.isReadOnly()||t.options.disableInput||t.state.keySeq)return!1;var i=n.value;if(i==r&&!t.somethingSelected())return!1;if(s&&h>=9&&this.hasSelection===i||H&&/[\uf700-\uf7ff]/.test(i))return t.display.input.reset(),!1;if(t.doc.sel==t.display.selForContextMenu){var a=i.charCodeAt(0);if(a==8203&&!r&&(r="\u200B"),a==8666)return this.reset(),this.cm.execCommand("undo")}for(var l=0,u=Math.min(r.length,i.length);l1e3||i.indexOf(` +`)>-1?n.value=e.prevInput="":e.prevInput=i,e.composing&&(e.composing.range.clear(),e.composing.range=t.markText(e.composing.start,t.getCursor("to"),{className:"CodeMirror-composing"}))}),!0},st.prototype.ensurePolled=function(){this.pollingFast&&this.poll()&&(this.pollingFast=!1)},st.prototype.onKeyPress=function(){s&&h>=9&&(this.hasSelection=null),this.fastPoll()},st.prototype.onContextMenu=function(e){var t=this,n=t.cm,r=n.display,i=t.textarea;t.contextMenuPending&&t.contextMenuPending();var a=Mr(n,e),l=r.scroller.scrollTop;if(!a||d)return;var u=n.options.resetSelectionOnContextMenu;u&&n.doc.sel.contains(a)==-1&>(n,wt)(n.doc,yr(a),ke);var f=i.style.cssText,m=t.wrapper.style.cssText,A=t.wrapper.offsetParent.getBoundingClientRect();t.wrapper.style.cssText="position: static",i.style.cssText=`position: absolute; width: 30px; height: 30px; + top: `+(e.clientY-A.top-5)+"px; left: "+(e.clientX-A.left-5)+`px; + z-index: 1000; background: `+(s?"rgba(255, 255, 255, .05)":"transparent")+`; + outline: none; border-width: 0; outline: none; overflow: hidden; opacity: .05; filter: alpha(opacity=5);`;var P;g&&(P=i.ownerDocument.defaultView.scrollY),r.input.focus(),g&&i.ownerDocument.defaultView.scrollTo(null,P),r.input.reset(),n.somethingSelected()||(i.value=t.prevInput=" "),t.contextMenuPending=Y,r.selForContextMenu=n.doc.sel,clearTimeout(r.detectingSelectAll);function J(){if(i.selectionStart!=null){var ue=n.somethingSelected(),me="\u200B"+(ue?i.value:"");i.value="\u21DA",i.value=me,t.prevInput=ue?"":"\u200B",i.selectionStart=1,i.selectionEnd=me.length,r.selForContextMenu=n.doc.sel}}function Y(){if(t.contextMenuPending==Y&&(t.contextMenuPending=!1,t.wrapper.style.cssText=m,i.style.cssText=f,s&&h<9&&r.scrollbars.setScrollTop(r.scroller.scrollTop=l),i.selectionStart!=null)){(!s||s&&h<9)&&J();var ue=0,me=function(){r.selForContextMenu==n.doc.sel&&i.selectionStart==0&&i.selectionEnd>0&&t.prevInput=="\u200B"?gt(n,Ll)(n):ue++<10?r.detectingSelectAll=setTimeout(me,500):(r.selForContextMenu=null,r.input.reset())};r.detectingSelectAll=setTimeout(me,200)}}if(s&&h>=9&&J(),F){dr(e);var ie=function(){_t(window,"mouseup",ie),setTimeout(Y,20)};Fe(window,"mouseup",ie)}else setTimeout(Y,50)},st.prototype.readOnlyChanged=function(e){e||this.reset(),this.textarea.disabled=e=="nocursor",this.textarea.readOnly=!!e},st.prototype.setUneditable=function(){},st.prototype.needsContentAttribute=!1;function _d(e,t){if(t=t?ge(t):{},t.value=e.value,!t.tabindex&&e.tabIndex&&(t.tabindex=e.tabIndex),!t.placeholder&&e.placeholder&&(t.placeholder=e.placeholder),t.autofocus==null){var n=B(ze(e));t.autofocus=n==e||e.getAttribute("autofocus")!=null&&n==document.body}function r(){e.value=u.getValue()}var i;if(e.form&&(Fe(e.form,"submit",r),!t.leaveSubmitMethodAlone)){var a=e.form;i=a.submit;try{var l=a.submit=function(){r(),a.submit=i,a.submit(),a.submit=l}}catch{}}t.finishInit=function(f){f.save=r,f.getTextArea=function(){return e},f.toTextArea=function(){f.toTextArea=isNaN,r(),e.parentNode.removeChild(f.getWrapperElement()),e.style.display="",e.form&&(_t(e.form,"submit",r),!t.leaveSubmitMethodAlone&&typeof e.form.submit=="function"&&(e.form.submit=i))}},e.style.display="none";var u=tt(function(f){return e.parentNode.insertBefore(f,e.nextSibling)},t);return u}function kd(e){e.off=_t,e.on=Fe,e.wheelEventPixels=zf,e.Doc=Mt,e.splitLines=Bt,e.countColumn=Oe,e.findColumn=Ge,e.isWordChar=we,e.Pass=Ze,e.signal=it,e.Line=Xr,e.changeEnd=xr,e.scrollbarModel=rl,e.Pos=ne,e.cmpPos=ye,e.modes=Wr,e.mimeModes=Kt,e.resolveMode=Ur,e.getMode=$r,e.modeExtensions=gr,e.extendMode=Kr,e.copyState=Vt,e.startState=Gr,e.innerMode=_n,e.commands=$n,e.keyMap=ur,e.keyName=Bl,e.isModifierKey=Rl,e.lookupKey=un,e.normalizeKeyMap=Qf,e.StringStream=at,e.SharedTextMarker=Bn,e.TextMarker=kr,e.LineWidget=Hn,e.e_preventDefault=kt,e.e_stopPropagation=Hr,e.e_stop=dr,e.addClass=le,e.contains=I,e.rmClass=Q,e.keyNames=wr}pd(tt),vd(tt);var wd="iter insert remove copy getEditor constructor".split(" ");for(var Ai in Mt.prototype)Mt.prototype.hasOwnProperty(Ai)&&Se(wd,Ai)<0&&(tt.prototype[Ai]=function(e){return function(){return e.apply(this.doc,arguments)}}(Mt.prototype[Ai]));return Wt(Mt),tt.inputStyles={textarea:st,contenteditable:Qe},tt.defineMode=function(e){!tt.defaults.mode&&e!="null"&&(tt.defaults.mode=e),Gt.apply(this,arguments)},tt.defineMIME=Cr,tt.defineMode("null",function(){return{token:function(e){return e.skipToEnd()}}}),tt.defineMIME("text/plain","null"),tt.defineExtension=function(e,t){tt.prototype[e]=t},tt.defineDocExtension=function(e,t){Mt.prototype[e]=t},tt.fromTextArea=_d,kd(tt),tt.version="5.65.18",tt})});var Yn=Ke((us,cs)=>{(function(o){typeof us=="object"&&typeof cs=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.overlayMode=function(p,v,C){return{startState:function(){return{base:o.startState(p),overlay:o.startState(v),basePos:0,baseCur:null,overlayPos:0,overlayCur:null,streamSeen:null}},copyState:function(b){return{base:o.copyState(p,b.base),overlay:o.copyState(v,b.overlay),basePos:b.basePos,baseCur:null,overlayPos:b.overlayPos,overlayCur:null}},token:function(b,S){return(b!=S.streamSeen||Math.min(S.basePos,S.overlayPos){(function(o){typeof fs=="object"&&typeof ds=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";var p=/^(\s*)(>[> ]*|[*+-] \[[x ]\]\s|[*+-]\s|(\d+)([.)]))(\s*)/,v=/^(\s*)(>[> ]*|[*+-] \[[x ]\]|[*+-]|(\d+)[.)])(\s*)$/,C=/[*+-]\s/;o.commands.newlineAndIndentContinueMarkdownList=function(S){if(S.getOption("disableInput"))return o.Pass;for(var s=S.listSelections(),h=[],g=0;g\s*$/.test(E),M=!/>\s*$/.test(E);(R||M)&&S.replaceRange("",{line:T.line,ch:0},{line:T.line,ch:T.ch+1}),h[g]=` +`}else{var H=z[1],Z=z[5],ee=!(C.test(z[2])||z[2].indexOf(">")>=0),re=ee?parseInt(z[3],10)+1+z[4]:z[2].replace("x"," ");h[g]=` +`+H+re+Z,ee&&b(S,T)}}S.replaceSelections(h)};function b(S,s){var h=s.line,g=0,T=0,x=p.exec(S.getLine(h)),c=x[1];do{g+=1;var d=h+g,w=S.getLine(d),E=p.exec(w);if(E){var z=E[1],y=parseInt(x[3],10)+g-T,R=parseInt(E[3],10),M=R;if(c===z&&!isNaN(R))y===R&&(M=R+1),y>R&&(M=y+1),S.replaceRange(w.replace(p,z+M+E[4]+E[5]),{line:d,ch:0},{line:d,ch:w.length});else{if(c.length>z.length||c.length{(function(o){typeof hs=="object"&&typeof gs=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){o.defineOption("placeholder","",function(h,g,T){var x=T&&T!=o.Init;if(g&&!x)h.on("blur",b),h.on("change",S),h.on("swapDoc",S),o.on(h.getInputField(),"compositionupdate",h.state.placeholderCompose=function(){C(h)}),S(h);else if(!g&&x){h.off("blur",b),h.off("change",S),h.off("swapDoc",S),o.off(h.getInputField(),"compositionupdate",h.state.placeholderCompose),p(h);var c=h.getWrapperElement();c.className=c.className.replace(" CodeMirror-empty","")}g&&!h.hasFocus()&&b(h)});function p(h){h.state.placeholder&&(h.state.placeholder.parentNode.removeChild(h.state.placeholder),h.state.placeholder=null)}function v(h){p(h);var g=h.state.placeholder=document.createElement("pre");g.style.cssText="height: 0; overflow: visible",g.style.direction=h.getOption("direction"),g.className="CodeMirror-placeholder CodeMirror-line-like";var T=h.getOption("placeholder");typeof T=="string"&&(T=document.createTextNode(T)),g.appendChild(T),h.display.lineSpace.insertBefore(g,h.display.lineSpace.firstChild)}function C(h){setTimeout(function(){var g=!1;if(h.lineCount()==1){var T=h.getInputField();g=T.nodeName=="TEXTAREA"?!h.getLine(0).length:!/[^\u200b]/.test(T.querySelector(".CodeMirror-line").textContent)}g?v(h):p(h)},20)}function b(h){s(h)&&v(h)}function S(h){var g=h.getWrapperElement(),T=s(h);g.className=g.className.replace(" CodeMirror-empty","")+(T?" CodeMirror-empty":""),T?v(h):p(h)}function s(h){return h.lineCount()===1&&h.getLine(0)===""}})});var ys=Ke((vs,bs)=>{(function(o){typeof vs=="object"&&typeof bs=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineOption("styleSelectedText",!1,function(x,c,d){var w=d&&d!=o.Init;c&&!w?(x.state.markedSelection=[],x.state.markedSelectionStyle=typeof c=="string"?c:"CodeMirror-selectedtext",g(x),x.on("cursorActivity",p),x.on("change",v)):!c&&w&&(x.off("cursorActivity",p),x.off("change",v),h(x),x.state.markedSelection=x.state.markedSelectionStyle=null)});function p(x){x.state.markedSelection&&x.operation(function(){T(x)})}function v(x){x.state.markedSelection&&x.state.markedSelection.length&&x.operation(function(){h(x)})}var C=8,b=o.Pos,S=o.cmpPos;function s(x,c,d,w){if(S(c,d)!=0)for(var E=x.state.markedSelection,z=x.state.markedSelectionStyle,y=c.line;;){var R=y==c.line?c:b(y,0),M=y+C,H=M>=d.line,Z=H?d:b(M,0),ee=x.markText(R,Z,{className:z});if(w==null?E.push(ee):E.splice(w++,0,ee),H)break;y=M}}function h(x){for(var c=x.state.markedSelection,d=0;d1)return g(x);var c=x.getCursor("start"),d=x.getCursor("end"),w=x.state.markedSelection;if(!w.length)return s(x,c,d);var E=w[0].find(),z=w[w.length-1].find();if(!E||!z||d.line-c.line<=C||S(c,z.to)>=0||S(d,E.from)<=0)return g(x);for(;S(c,E.from)>0;)w.shift().clear(),E=w[0].find();for(S(c,E.from)<0&&(E.to.line-c.line0&&(d.line-z.from.line{(function(o){typeof xs=="object"&&typeof _s=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";var p=o.Pos;function v(y){var R=y.flags;return R??(y.ignoreCase?"i":"")+(y.global?"g":"")+(y.multiline?"m":"")}function C(y,R){for(var M=v(y),H=M,Z=0;Zre);N++){var F=y.getLine(ee++);H=H==null?F:H+` +`+F}Z=Z*2,R.lastIndex=M.ch;var D=R.exec(H);if(D){var Q=H.slice(0,D.index).split(` +`),j=D[0].split(` +`),V=M.line+Q.length-1,_=Q[Q.length-1].length;return{from:p(V,_),to:p(V+j.length-1,j.length==1?_+j[0].length:j[j.length-1].length),match:D}}}}function h(y,R,M){for(var H,Z=0;Z<=y.length;){R.lastIndex=Z;var ee=R.exec(y);if(!ee)break;var re=ee.index+ee[0].length;if(re>y.length-M)break;(!H||re>H.index+H[0].length)&&(H=ee),Z=ee.index+1}return H}function g(y,R,M){R=C(R,"g");for(var H=M.line,Z=M.ch,ee=y.firstLine();H>=ee;H--,Z=-1){var re=y.getLine(H),N=h(re,R,Z<0?0:re.length-Z);if(N)return{from:p(H,N.index),to:p(H,N.index+N[0].length),match:N}}}function T(y,R,M){if(!b(R))return g(y,R,M);R=C(R,"gm");for(var H,Z=1,ee=y.getLine(M.line).length-M.ch,re=M.line,N=y.firstLine();re>=N;){for(var F=0;F=N;F++){var D=y.getLine(re--);H=H==null?D:D+` +`+H}Z*=2;var Q=h(H,R,ee);if(Q){var j=H.slice(0,Q.index).split(` +`),V=Q[0].split(` +`),_=re+j.length,K=j[j.length-1].length;return{from:p(_,K),to:p(_+V.length-1,V.length==1?K+V[0].length:V[V.length-1].length),match:Q}}}}var x,c;String.prototype.normalize?(x=function(y){return y.normalize("NFD").toLowerCase()},c=function(y){return y.normalize("NFD")}):(x=function(y){return y.toLowerCase()},c=function(y){return y});function d(y,R,M,H){if(y.length==R.length)return M;for(var Z=0,ee=M+Math.max(0,y.length-R.length);;){if(Z==ee)return Z;var re=Z+ee>>1,N=H(y.slice(0,re)).length;if(N==M)return re;N>M?ee=re:Z=re+1}}function w(y,R,M,H){if(!R.length)return null;var Z=H?x:c,ee=Z(R).split(/\r|\n\r?/);e:for(var re=M.line,N=M.ch,F=y.lastLine()+1-ee.length;re<=F;re++,N=0){var D=y.getLine(re).slice(N),Q=Z(D);if(ee.length==1){var j=Q.indexOf(ee[0]);if(j==-1)continue e;var M=d(D,Q,j,Z)+N;return{from:p(re,d(D,Q,j,Z)+N),to:p(re,d(D,Q,j+ee[0].length,Z)+N)}}else{var V=Q.length-ee[0].length;if(Q.slice(V)!=ee[0])continue e;for(var _=1;_=F;re--,N=-1){var D=y.getLine(re);N>-1&&(D=D.slice(0,N));var Q=Z(D);if(ee.length==1){var j=Q.lastIndexOf(ee[0]);if(j==-1)continue e;return{from:p(re,d(D,Q,j,Z)),to:p(re,d(D,Q,j+ee[0].length,Z))}}else{var V=ee[ee.length-1];if(Q.slice(0,V.length)!=V)continue e;for(var _=1,M=re-ee.length+1;_(this.doc.getLine(R.line)||"").length&&(R.ch=0,R.line++)),o.cmpPos(R,this.doc.clipPos(R))!=0))return this.atOccurrence=!1;var M=this.matches(y,R);if(this.afterEmptyMatch=M&&o.cmpPos(M.from,M.to)==0,M)return this.pos=M,this.atOccurrence=!0,this.pos.match||!0;var H=p(y?this.doc.firstLine():this.doc.lastLine()+1,0);return this.pos={from:H,to:H},this.atOccurrence=!1},from:function(){if(this.atOccurrence)return this.pos.from},to:function(){if(this.atOccurrence)return this.pos.to},replace:function(y,R){if(this.atOccurrence){var M=o.splitLines(y);this.doc.replaceRange(M,this.pos.from,this.pos.to,R),this.pos.to=p(this.pos.from.line+M.length-1,M[M.length-1].length+(M.length==1?this.pos.from.ch:0))}}},o.defineExtension("getSearchCursor",function(y,R,M){return new z(this.doc,y,R,M)}),o.defineDocExtension("getSearchCursor",function(y,R,M){return new z(this,y,R,M)}),o.defineExtension("selectMatches",function(y,R){for(var M=[],H=this.getSearchCursor(y,this.getCursor("from"),R);H.findNext()&&!(o.cmpPos(H.to(),this.getCursor("to"))>0);)M.push({anchor:H.from(),head:H.to()});M.length&&this.setSelections(M,0)})})});var Vo=Ke((ws,Ss)=>{(function(o){typeof ws=="object"&&typeof Ss=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";function p(I,B,le,xe,q,L){this.indented=I,this.column=B,this.type=le,this.info=xe,this.align=q,this.prev=L}function v(I,B,le,xe){var q=I.indented;return I.context&&I.context.type=="statement"&&le!="statement"&&(q=I.context.indented),I.context=new p(q,B,le,xe,null,I.context)}function C(I){var B=I.context.type;return(B==")"||B=="]"||B=="}")&&(I.indented=I.context.indented),I.context=I.context.prev}function b(I,B,le){if(B.prevToken=="variable"||B.prevToken=="type"||/\S(?:[^- ]>|[*\]])\s*$|\*$/.test(I.string.slice(0,le))||B.typeAtEndOfLine&&I.column()==I.indentation())return!0}function S(I){for(;;){if(!I||I.type=="top")return!0;if(I.type=="}"&&I.prev.info!="namespace")return!1;I=I.prev}}o.defineMode("clike",function(I,B){var le=I.indentUnit,xe=B.statementIndentUnit||le,q=B.dontAlignCalls,L=B.keywords||{},de=B.types||{},ze=B.builtin||{},pe=B.blockKeywords||{},Ee=B.defKeywords||{},ge=B.atoms||{},Oe=B.hooks||{},qe=B.multiLineStrings,Se=B.indentStatements!==!1,je=B.indentSwitch!==!1,Ze=B.namespaceSeparator,ke=B.isPunctuationChar||/[\[\]{}\(\),;\:\.]/,Je=B.numberStart||/[\d\.]/,He=B.number||/^(?:0x[a-f\d]+|0b[01]+|(?:\d+\.?\d*|\.\d+)(?:e[-+]?\d+)?)(u|ll?|l|f)?/i,Ge=B.isOperatorChar||/[+\-*&%=<>!?|\/]/,U=B.isIdentifierChar||/[\w\$_\xa1-\uffff]/,G=B.isReservedIdentifier||!1,ce,Be;function te(we,Me){var Le=we.next();if(Oe[Le]){var $=Oe[Le](we,Me);if($!==!1)return $}if(Le=='"'||Le=="'")return Me.tokenize=fe(Le),Me.tokenize(we,Me);if(Je.test(Le)){if(we.backUp(1),we.match(He))return"number";we.next()}if(ke.test(Le))return ce=Le,null;if(Le=="/"){if(we.eat("*"))return Me.tokenize=oe,oe(we,Me);if(we.eat("/"))return we.skipToEnd(),"comment"}if(Ge.test(Le)){for(;!we.match(/^\/[\/*]/,!1)&&we.eat(Ge););return"operator"}if(we.eatWhile(U),Ze)for(;we.match(Ze);)we.eatWhile(U);var W=we.current();return h(L,W)?(h(pe,W)&&(ce="newstatement"),h(Ee,W)&&(Be=!0),"keyword"):h(de,W)?"type":h(ze,W)||G&&G(W)?(h(pe,W)&&(ce="newstatement"),"builtin"):h(ge,W)?"atom":"variable"}function fe(we){return function(Me,Le){for(var $=!1,W,se=!1;(W=Me.next())!=null;){if(W==we&&!$){se=!0;break}$=!$&&W=="\\"}return(se||!($||qe))&&(Le.tokenize=null),"string"}}function oe(we,Me){for(var Le=!1,$;$=we.next();){if($=="/"&&Le){Me.tokenize=null;break}Le=$=="*"}return"comment"}function Ue(we,Me){B.typeFirstDefinitions&&we.eol()&&S(Me.context)&&(Me.typeAtEndOfLine=b(we,Me,we.pos))}return{startState:function(we){return{tokenize:null,context:new p((we||0)-le,0,"top",null,!1),indented:0,startOfLine:!0,prevToken:null}},token:function(we,Me){var Le=Me.context;if(we.sol()&&(Le.align==null&&(Le.align=!1),Me.indented=we.indentation(),Me.startOfLine=!0),we.eatSpace())return Ue(we,Me),null;ce=Be=null;var $=(Me.tokenize||te)(we,Me);if($=="comment"||$=="meta")return $;if(Le.align==null&&(Le.align=!0),ce==";"||ce==":"||ce==","&&we.match(/^\s*(?:\/\/.*)?$/,!1))for(;Me.context.type=="statement";)C(Me);else if(ce=="{")v(Me,we.column(),"}");else if(ce=="[")v(Me,we.column(),"]");else if(ce=="(")v(Me,we.column(),")");else if(ce=="}"){for(;Le.type=="statement";)Le=C(Me);for(Le.type=="}"&&(Le=C(Me));Le.type=="statement";)Le=C(Me)}else ce==Le.type?C(Me):Se&&((Le.type=="}"||Le.type=="top")&&ce!=";"||Le.type=="statement"&&ce=="newstatement")&&v(Me,we.column(),"statement",we.current());if($=="variable"&&(Me.prevToken=="def"||B.typeFirstDefinitions&&b(we,Me,we.start)&&S(Me.context)&&we.match(/^\s*\(/,!1))&&($="def"),Oe.token){var W=Oe.token(we,Me,$);W!==void 0&&($=W)}return $=="def"&&B.styleDefs===!1&&($="variable"),Me.startOfLine=!1,Me.prevToken=Be?"def":$||ce,Ue(we,Me),$},indent:function(we,Me){if(we.tokenize!=te&&we.tokenize!=null||we.typeAtEndOfLine&&S(we.context))return o.Pass;var Le=we.context,$=Me&&Me.charAt(0),W=$==Le.type;if(Le.type=="statement"&&$=="}"&&(Le=Le.prev),B.dontIndentStatements)for(;Le.type=="statement"&&B.dontIndentStatements.test(Le.info);)Le=Le.prev;if(Oe.indent){var se=Oe.indent(we,Le,Me,le);if(typeof se=="number")return se}var De=Le.prev&&Le.prev.info=="switch";if(B.allmanIndentation&&/[{(]/.test($)){for(;Le.type!="top"&&Le.type!="}";)Le=Le.prev;return Le.indented}return Le.type=="statement"?Le.indented+($=="{"?0:xe):Le.align&&(!q||Le.type!=")")?Le.column+(W?0:1):Le.type==")"&&!W?Le.indented+xe:Le.indented+(W?0:le)+(!W&&De&&!/^(?:case|default)\b/.test(Me)?le:0)},electricInput:je?/^\s*(?:case .*?:|default:|\{\}?|\})$/:/^\s*[{}]$/,blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:"//",fold:"brace"}});function s(I){for(var B={},le=I.split(" "),xe=0;xe!?|\/#:@]/,hooks:{"@":function(I){return I.eatWhile(/[\w\$_]/),"meta"},'"':function(I,B){return I.match('""')?(B.tokenize=j,B.tokenize(I,B)):!1},"'":function(I){return I.match(/^(\\[^'\s]+|[^\\'])'/)?"string-2":(I.eatWhile(/[\w\$_\xa1-\uffff]/),"atom")},"=":function(I,B){var le=B.context;return le.type=="}"&&le.align&&I.eat(">")?(B.context=new p(le.indented,le.column,le.type,le.info,null,le.prev),"operator"):!1},"/":function(I,B){return I.eat("*")?(B.tokenize=V(1),B.tokenize(I,B)):!1}},modeProps:{closeBrackets:{pairs:'()[]{}""',triples:'"'}}});function _(I){return function(B,le){for(var xe=!1,q,L=!1;!B.eol();){if(!I&&!xe&&B.match('"')){L=!0;break}if(I&&B.match('"""')){L=!0;break}q=B.next(),!xe&&q=="$"&&B.match("{")&&B.skipTo("}"),xe=!xe&&q=="\\"&&!I}return(L||!I)&&(le.tokenize=null),"string"}}Q("text/x-kotlin",{name:"clike",keywords:s("package as typealias class interface this super val operator var fun for is in This throw return annotation break continue object if else while do try when !in !is as? file import where by get set abstract enum open inner override private public internal protected catch finally out final vararg reified dynamic companion constructor init sealed field property receiver param sparam lateinit data inline noinline tailrec external annotation crossinline const operator infix suspend actual expect setparam value"),types:s("Boolean Byte Character CharSequence Class ClassLoader Cloneable Comparable Compiler Double Exception Float Integer Long Math Number Object Package Pair Process Runtime Runnable SecurityManager Short StackTraceElement StrictMath String StringBuffer System Thread ThreadGroup ThreadLocal Throwable Triple Void Annotation Any BooleanArray ByteArray Char CharArray DeprecationLevel DoubleArray Enum FloatArray Function Int IntArray Lazy LazyThreadSafetyMode LongArray Nothing ShortArray Unit"),intendSwitch:!1,indentStatements:!1,multiLineStrings:!0,number:/^(?:0x[a-f\d_]+|0b[01_]+|(?:[\d_]+(\.\d+)?|\.\d+)(?:e[-+]?[\d_]+)?)(u|ll?|l|f)?/i,blockKeywords:s("catch class do else finally for if where try while enum"),defKeywords:s("class val var object interface fun"),atoms:s("true false null this"),hooks:{"@":function(I){return I.eatWhile(/[\w\$_]/),"meta"},"*":function(I,B){return B.prevToken=="."?"variable":"operator"},'"':function(I,B){return B.tokenize=_(I.match('""')),B.tokenize(I,B)},"/":function(I,B){return I.eat("*")?(B.tokenize=V(1),B.tokenize(I,B)):!1},indent:function(I,B,le,xe){var q=le&&le.charAt(0);if((I.prevToken=="}"||I.prevToken==")")&&le=="")return I.indented;if(I.prevToken=="operator"&&le!="}"&&I.context.type!="}"||I.prevToken=="variable"&&q=="."||(I.prevToken=="}"||I.prevToken==")")&&q==".")return xe*2+B.indented;if(B.align&&B.type=="}")return B.indented+(I.context.type==(le||"").charAt(0)?0:xe)}},modeProps:{closeBrackets:{triples:'"'}}}),Q(["x-shader/x-vertex","x-shader/x-fragment"],{name:"clike",keywords:s("sampler1D sampler2D sampler3D samplerCube sampler1DShadow sampler2DShadow const attribute uniform varying break continue discard return for while do if else struct in out inout"),types:s("float int bool void vec2 vec3 vec4 ivec2 ivec3 ivec4 bvec2 bvec3 bvec4 mat2 mat3 mat4"),blockKeywords:s("for while do if else struct"),builtin:s("radians degrees sin cos tan asin acos atan pow exp log exp2 sqrt inversesqrt abs sign floor ceil fract mod min max clamp mix step smoothstep length distance dot cross normalize ftransform faceforward reflect refract matrixCompMult lessThan lessThanEqual greaterThan greaterThanEqual equal notEqual any all not texture1D texture1DProj texture1DLod texture1DProjLod texture2D texture2DProj texture2DLod texture2DProjLod texture3D texture3DProj texture3DLod texture3DProjLod textureCube textureCubeLod shadow1D shadow2D shadow1DProj shadow2DProj shadow1DLod shadow2DLod shadow1DProjLod shadow2DProjLod dFdx dFdy fwidth noise1 noise2 noise3 noise4"),atoms:s("true false gl_FragColor gl_SecondaryColor gl_Normal gl_Vertex gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_FogCoord gl_PointCoord gl_Position gl_PointSize gl_ClipVertex gl_FrontColor gl_BackColor gl_FrontSecondaryColor gl_BackSecondaryColor gl_TexCoord gl_FogFragCoord gl_FragCoord gl_FrontFacing gl_FragData gl_FragDepth gl_ModelViewMatrix gl_ProjectionMatrix gl_ModelViewProjectionMatrix gl_TextureMatrix gl_NormalMatrix gl_ModelViewMatrixInverse gl_ProjectionMatrixInverse gl_ModelViewProjectionMatrixInverse gl_TextureMatrixTranspose gl_ModelViewMatrixInverseTranspose gl_ProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixInverseTranspose gl_TextureMatrixInverseTranspose gl_NormalScale gl_DepthRange gl_ClipPlane gl_Point gl_FrontMaterial gl_BackMaterial gl_LightSource gl_LightModel gl_FrontLightModelProduct gl_BackLightModelProduct gl_TextureColor gl_EyePlaneS gl_EyePlaneT gl_EyePlaneR gl_EyePlaneQ gl_FogParameters gl_MaxLights gl_MaxClipPlanes gl_MaxTextureUnits gl_MaxTextureCoords gl_MaxVertexAttribs gl_MaxVertexUniformComponents gl_MaxVaryingFloats gl_MaxVertexTextureImageUnits gl_MaxTextureImageUnits gl_MaxFragmentUniformComponents gl_MaxCombineTextureImageUnits gl_MaxDrawBuffers"),indentSwitch:!1,hooks:{"#":M},modeProps:{fold:["brace","include"]}}),Q("text/x-nesc",{name:"clike",keywords:s(g+" as atomic async call command component components configuration event generic implementation includes interface module new norace nx_struct nx_union post provides signal task uses abstract extends"),types:E,blockKeywords:s(y),atoms:s("null true false"),hooks:{"#":M},modeProps:{fold:["brace","include"]}}),Q("text/x-objectivec",{name:"clike",keywords:s(g+" "+x),types:z,builtin:s(c),blockKeywords:s(y+" @synthesize @try @catch @finally @autoreleasepool @synchronized"),defKeywords:s(R+" @interface @implementation @protocol @class"),dontIndentStatements:/^@.*$/,typeFirstDefinitions:!0,atoms:s("YES NO NULL Nil nil true false nullptr"),isReservedIdentifier:Z,hooks:{"#":M,"*":H},modeProps:{fold:["brace","include"]}}),Q("text/x-objectivec++",{name:"clike",keywords:s(g+" "+x+" "+T),types:z,builtin:s(c),blockKeywords:s(y+" @synthesize @try @catch @finally @autoreleasepool @synchronized class try catch"),defKeywords:s(R+" @interface @implementation @protocol @class class namespace"),dontIndentStatements:/^@.*$|^template$/,typeFirstDefinitions:!0,atoms:s("YES NO NULL Nil nil true false nullptr"),isReservedIdentifier:Z,hooks:{"#":M,"*":H,u:re,U:re,L:re,R:re,0:ee,1:ee,2:ee,3:ee,4:ee,5:ee,6:ee,7:ee,8:ee,9:ee,token:function(I,B,le){if(le=="variable"&&I.peek()=="("&&(B.prevToken==";"||B.prevToken==null||B.prevToken=="}")&&N(I.current()))return"def"}},namespaceSeparator:"::",modeProps:{fold:["brace","include"]}}),Q("text/x-squirrel",{name:"clike",keywords:s("base break clone continue const default delete enum extends function in class foreach local resume return this throw typeof yield constructor instanceof static"),types:E,blockKeywords:s("case catch class else for foreach if switch try while"),defKeywords:s("function local class"),typeFirstDefinitions:!0,atoms:s("true false null"),hooks:{"#":M},modeProps:{fold:["brace","include"]}});var K=null;function X(I){return function(B,le){for(var xe=!1,q,L=!1;!B.eol();){if(!xe&&B.match('"')&&(I=="single"||B.match('""'))){L=!0;break}if(!xe&&B.match("``")){K=X(I),L=!0;break}q=B.next(),xe=I=="single"&&!xe&&q=="\\"}return L&&(le.tokenize=null),"string"}}Q("text/x-ceylon",{name:"clike",keywords:s("abstracts alias assembly assert assign break case catch class continue dynamic else exists extends finally for function given if import in interface is let module new nonempty object of out outer package return satisfies super switch then this throw try value void while"),types:function(I){var B=I.charAt(0);return B===B.toUpperCase()&&B!==B.toLowerCase()},blockKeywords:s("case catch class dynamic else finally for function if interface module new object switch try while"),defKeywords:s("class dynamic function interface module object package value"),builtin:s("abstract actual aliased annotation by default deprecated doc final formal late license native optional sealed see serializable shared suppressWarnings tagged throws variable"),isPunctuationChar:/[\[\]{}\(\),;\:\.`]/,isOperatorChar:/[+\-*&%=<>!?|^~:\/]/,numberStart:/[\d#$]/,number:/^(?:#[\da-fA-F_]+|\$[01_]+|[\d_]+[kMGTPmunpf]?|[\d_]+\.[\d_]+(?:[eE][-+]?\d+|[kMGTPmunpf]|)|)/i,multiLineStrings:!0,typeFirstDefinitions:!0,atoms:s("true false null larger smaller equal empty finished"),indentSwitch:!1,styleDefs:!1,hooks:{"@":function(I){return I.eatWhile(/[\w\$_]/),"meta"},'"':function(I,B){return B.tokenize=X(I.match('""')?"triple":"single"),B.tokenize(I,B)},"`":function(I,B){return!K||!I.match("`")?!1:(B.tokenize=K,K=null,B.tokenize(I,B))},"'":function(I){return I.eatWhile(/[\w\$_\xa1-\uffff]/),"atom"},token:function(I,B,le){if((le=="variable"||le=="type")&&B.prevToken==".")return"variable-2"}},modeProps:{fold:["brace","import"],closeBrackets:{triples:'"'}}})})});var Cs=Ke((Ts,Ls)=>{(function(o){typeof Ts=="object"&&typeof Ls=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("cmake",function(){var p=/({)?[a-zA-Z0-9_]+(})?/;function v(b,S){for(var s,h,g=!1;!b.eol()&&(s=b.next())!=S.pending;){if(s==="$"&&h!="\\"&&S.pending=='"'){g=!0;break}h=s}return g&&b.backUp(1),s==S.pending?S.continueString=!1:S.continueString=!0,"string"}function C(b,S){var s=b.next();return s==="$"?b.match(p)?"variable-2":"variable":S.continueString?(b.backUp(1),v(b,S)):b.match(/(\s+)?\w+\(/)||b.match(/(\s+)?\w+\ \(/)?(b.backUp(1),"def"):s=="#"?(b.skipToEnd(),"comment"):s=="'"||s=='"'?(S.pending=s,v(b,S)):s=="("||s==")"?"bracket":s.match(/[0-9]/)?"number":(b.eatWhile(/[\w-]/),null)}return{startState:function(){var b={};return b.inDefinition=!1,b.inInclude=!1,b.continueString=!1,b.pending=!1,b},token:function(b,S){return b.eatSpace()?null:C(b,S)}}}),o.defineMIME("text/x-cmake","cmake")})});var gn=Ke((Es,zs)=>{(function(o){typeof Es=="object"&&typeof zs=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("css",function(F,D){var Q=D.inline;D.propertyKeywords||(D=o.resolveMode("text/css"));var j=F.indentUnit,V=D.tokenHooks,_=D.documentTypes||{},K=D.mediaTypes||{},X=D.mediaFeatures||{},I=D.mediaValueKeywords||{},B=D.propertyKeywords||{},le=D.nonStandardPropertyKeywords||{},xe=D.fontProperties||{},q=D.counterDescriptors||{},L=D.colorKeywords||{},de=D.valueKeywords||{},ze=D.allowNested,pe=D.lineComment,Ee=D.supportsAtComponent===!0,ge=F.highlightNonStandardPropertyKeywords!==!1,Oe,qe;function Se(te,fe){return Oe=fe,te}function je(te,fe){var oe=te.next();if(V[oe]){var Ue=V[oe](te,fe);if(Ue!==!1)return Ue}if(oe=="@")return te.eatWhile(/[\w\\\-]/),Se("def",te.current());if(oe=="="||(oe=="~"||oe=="|")&&te.eat("="))return Se(null,"compare");if(oe=='"'||oe=="'")return fe.tokenize=Ze(oe),fe.tokenize(te,fe);if(oe=="#")return te.eatWhile(/[\w\\\-]/),Se("atom","hash");if(oe=="!")return te.match(/^\s*\w*/),Se("keyword","important");if(/\d/.test(oe)||oe=="."&&te.eat(/\d/))return te.eatWhile(/[\w.%]/),Se("number","unit");if(oe==="-"){if(/[\d.]/.test(te.peek()))return te.eatWhile(/[\w.%]/),Se("number","unit");if(te.match(/^-[\w\\\-]*/))return te.eatWhile(/[\w\\\-]/),te.match(/^\s*:/,!1)?Se("variable-2","variable-definition"):Se("variable-2","variable");if(te.match(/^\w+-/))return Se("meta","meta")}else return/[,+>*\/]/.test(oe)?Se(null,"select-op"):oe=="."&&te.match(/^-?[_a-z][_a-z0-9-]*/i)?Se("qualifier","qualifier"):/[:;{}\[\]\(\)]/.test(oe)?Se(null,oe):te.match(/^[\w-.]+(?=\()/)?(/^(url(-prefix)?|domain|regexp)$/i.test(te.current())&&(fe.tokenize=ke),Se("variable callee","variable")):/[\w\\\-]/.test(oe)?(te.eatWhile(/[\w\\\-]/),Se("property","word")):Se(null,null)}function Ze(te){return function(fe,oe){for(var Ue=!1,we;(we=fe.next())!=null;){if(we==te&&!Ue){te==")"&&fe.backUp(1);break}Ue=!Ue&&we=="\\"}return(we==te||!Ue&&te!=")")&&(oe.tokenize=null),Se("string","string")}}function ke(te,fe){return te.next(),te.match(/^\s*[\"\')]/,!1)?fe.tokenize=null:fe.tokenize=Ze(")"),Se(null,"(")}function Je(te,fe,oe){this.type=te,this.indent=fe,this.prev=oe}function He(te,fe,oe,Ue){return te.context=new Je(oe,fe.indentation()+(Ue===!1?0:j),te.context),oe}function Ge(te){return te.context.prev&&(te.context=te.context.prev),te.context.type}function U(te,fe,oe){return Be[oe.context.type](te,fe,oe)}function G(te,fe,oe,Ue){for(var we=Ue||1;we>0;we--)oe.context=oe.context.prev;return U(te,fe,oe)}function ce(te){var fe=te.current().toLowerCase();de.hasOwnProperty(fe)?qe="atom":L.hasOwnProperty(fe)?qe="keyword":qe="variable"}var Be={};return Be.top=function(te,fe,oe){if(te=="{")return He(oe,fe,"block");if(te=="}"&&oe.context.prev)return Ge(oe);if(Ee&&/@component/i.test(te))return He(oe,fe,"atComponentBlock");if(/^@(-moz-)?document$/i.test(te))return He(oe,fe,"documentTypes");if(/^@(media|supports|(-moz-)?document|import)$/i.test(te))return He(oe,fe,"atBlock");if(/^@(font-face|counter-style)/i.test(te))return oe.stateArg=te,"restricted_atBlock_before";if(/^@(-(moz|ms|o|webkit)-)?keyframes$/i.test(te))return"keyframes";if(te&&te.charAt(0)=="@")return He(oe,fe,"at");if(te=="hash")qe="builtin";else if(te=="word")qe="tag";else{if(te=="variable-definition")return"maybeprop";if(te=="interpolation")return He(oe,fe,"interpolation");if(te==":")return"pseudo";if(ze&&te=="(")return He(oe,fe,"parens")}return oe.context.type},Be.block=function(te,fe,oe){if(te=="word"){var Ue=fe.current().toLowerCase();return B.hasOwnProperty(Ue)?(qe="property","maybeprop"):le.hasOwnProperty(Ue)?(qe=ge?"string-2":"property","maybeprop"):ze?(qe=fe.match(/^\s*:(?:\s|$)/,!1)?"property":"tag","block"):(qe+=" error","maybeprop")}else return te=="meta"?"block":!ze&&(te=="hash"||te=="qualifier")?(qe="error","block"):Be.top(te,fe,oe)},Be.maybeprop=function(te,fe,oe){return te==":"?He(oe,fe,"prop"):U(te,fe,oe)},Be.prop=function(te,fe,oe){if(te==";")return Ge(oe);if(te=="{"&&ze)return He(oe,fe,"propBlock");if(te=="}"||te=="{")return G(te,fe,oe);if(te=="(")return He(oe,fe,"parens");if(te=="hash"&&!/^#([0-9a-fA-F]{3,4}|[0-9a-fA-F]{6}|[0-9a-fA-F]{8})$/.test(fe.current()))qe+=" error";else if(te=="word")ce(fe);else if(te=="interpolation")return He(oe,fe,"interpolation");return"prop"},Be.propBlock=function(te,fe,oe){return te=="}"?Ge(oe):te=="word"?(qe="property","maybeprop"):oe.context.type},Be.parens=function(te,fe,oe){return te=="{"||te=="}"?G(te,fe,oe):te==")"?Ge(oe):te=="("?He(oe,fe,"parens"):te=="interpolation"?He(oe,fe,"interpolation"):(te=="word"&&ce(fe),"parens")},Be.pseudo=function(te,fe,oe){return te=="meta"?"pseudo":te=="word"?(qe="variable-3",oe.context.type):U(te,fe,oe)},Be.documentTypes=function(te,fe,oe){return te=="word"&&_.hasOwnProperty(fe.current())?(qe="tag",oe.context.type):Be.atBlock(te,fe,oe)},Be.atBlock=function(te,fe,oe){if(te=="(")return He(oe,fe,"atBlock_parens");if(te=="}"||te==";")return G(te,fe,oe);if(te=="{")return Ge(oe)&&He(oe,fe,ze?"block":"top");if(te=="interpolation")return He(oe,fe,"interpolation");if(te=="word"){var Ue=fe.current().toLowerCase();Ue=="only"||Ue=="not"||Ue=="and"||Ue=="or"?qe="keyword":K.hasOwnProperty(Ue)?qe="attribute":X.hasOwnProperty(Ue)?qe="property":I.hasOwnProperty(Ue)?qe="keyword":B.hasOwnProperty(Ue)?qe="property":le.hasOwnProperty(Ue)?qe=ge?"string-2":"property":de.hasOwnProperty(Ue)?qe="atom":L.hasOwnProperty(Ue)?qe="keyword":qe="error"}return oe.context.type},Be.atComponentBlock=function(te,fe,oe){return te=="}"?G(te,fe,oe):te=="{"?Ge(oe)&&He(oe,fe,ze?"block":"top",!1):(te=="word"&&(qe="error"),oe.context.type)},Be.atBlock_parens=function(te,fe,oe){return te==")"?Ge(oe):te=="{"||te=="}"?G(te,fe,oe,2):Be.atBlock(te,fe,oe)},Be.restricted_atBlock_before=function(te,fe,oe){return te=="{"?He(oe,fe,"restricted_atBlock"):te=="word"&&oe.stateArg=="@counter-style"?(qe="variable","restricted_atBlock_before"):U(te,fe,oe)},Be.restricted_atBlock=function(te,fe,oe){return te=="}"?(oe.stateArg=null,Ge(oe)):te=="word"?(oe.stateArg=="@font-face"&&!xe.hasOwnProperty(fe.current().toLowerCase())||oe.stateArg=="@counter-style"&&!q.hasOwnProperty(fe.current().toLowerCase())?qe="error":qe="property","maybeprop"):"restricted_atBlock"},Be.keyframes=function(te,fe,oe){return te=="word"?(qe="variable","keyframes"):te=="{"?He(oe,fe,"top"):U(te,fe,oe)},Be.at=function(te,fe,oe){return te==";"?Ge(oe):te=="{"||te=="}"?G(te,fe,oe):(te=="word"?qe="tag":te=="hash"&&(qe="builtin"),"at")},Be.interpolation=function(te,fe,oe){return te=="}"?Ge(oe):te=="{"||te==";"?G(te,fe,oe):(te=="word"?qe="variable":te!="variable"&&te!="("&&te!=")"&&(qe="error"),"interpolation")},{startState:function(te){return{tokenize:null,state:Q?"block":"top",stateArg:null,context:new Je(Q?"block":"top",te||0,null)}},token:function(te,fe){if(!fe.tokenize&&te.eatSpace())return null;var oe=(fe.tokenize||je)(te,fe);return oe&&typeof oe=="object"&&(Oe=oe[1],oe=oe[0]),qe=oe,Oe!="comment"&&(fe.state=Be[fe.state](Oe,te,fe)),qe},indent:function(te,fe){var oe=te.context,Ue=fe&&fe.charAt(0),we=oe.indent;return oe.type=="prop"&&(Ue=="}"||Ue==")")&&(oe=oe.prev),oe.prev&&(Ue=="}"&&(oe.type=="block"||oe.type=="top"||oe.type=="interpolation"||oe.type=="restricted_atBlock")?(oe=oe.prev,we=oe.indent):(Ue==")"&&(oe.type=="parens"||oe.type=="atBlock_parens")||Ue=="{"&&(oe.type=="at"||oe.type=="atBlock"))&&(we=Math.max(0,oe.indent-j))),we},electricChars:"}",blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:pe,fold:"brace"}});function p(F){for(var D={},Q=0;Q{(function(o){typeof Ms=="object"&&typeof As=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("diff",function(){var p={"+":"positive","-":"negative","@":"meta"};return{token:function(v){var C=v.string.search(/[\t ]+?$/);if(!v.sol()||C===0)return v.skipToEnd(),("error "+(p[v.string.charAt(0)]||"")).replace(/ $/,"");var b=p[v.peek()]||v.skipToEnd();return C===-1?v.skipToEnd():v.pos=C,b}}}),o.defineMIME("text/x-diff","diff")})});var mn=Ke((qs,Is)=>{(function(o){typeof qs=="object"&&typeof Is=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";var p={autoSelfClosers:{area:!0,base:!0,br:!0,col:!0,command:!0,embed:!0,frame:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0,menuitem:!0},implicitlyClosed:{dd:!0,li:!0,optgroup:!0,option:!0,p:!0,rp:!0,rt:!0,tbody:!0,td:!0,tfoot:!0,th:!0,tr:!0},contextGrabbers:{dd:{dd:!0,dt:!0},dt:{dd:!0,dt:!0},li:{li:!0},option:{option:!0,optgroup:!0},optgroup:{optgroup:!0},p:{address:!0,article:!0,aside:!0,blockquote:!0,dir:!0,div:!0,dl:!0,fieldset:!0,footer:!0,form:!0,h1:!0,h2:!0,h3:!0,h4:!0,h5:!0,h6:!0,header:!0,hgroup:!0,hr:!0,menu:!0,nav:!0,ol:!0,p:!0,pre:!0,section:!0,table:!0,ul:!0},rp:{rp:!0,rt:!0},rt:{rp:!0,rt:!0},tbody:{tbody:!0,tfoot:!0},td:{td:!0,th:!0},tfoot:{tbody:!0},th:{td:!0,th:!0},thead:{tbody:!0,tfoot:!0},tr:{tr:!0}},doNotIndent:{pre:!0},allowUnquoted:!0,allowMissing:!0,caseFold:!0},v={autoSelfClosers:{},implicitlyClosed:{},contextGrabbers:{},doNotIndent:{},allowUnquoted:!1,allowMissing:!1,allowMissingTagName:!1,caseFold:!1};o.defineMode("xml",function(C,b){var S=C.indentUnit,s={},h=b.htmlMode?p:v;for(var g in h)s[g]=h[g];for(var g in b)s[g]=b[g];var T,x;function c(_,K){function X(le){return K.tokenize=le,le(_,K)}var I=_.next();if(I=="<")return _.eat("!")?_.eat("[")?_.match("CDATA[")?X(E("atom","]]>")):null:_.match("--")?X(E("comment","-->")):_.match("DOCTYPE",!0,!0)?(_.eatWhile(/[\w\._\-]/),X(z(1))):null:_.eat("?")?(_.eatWhile(/[\w\._\-]/),K.tokenize=E("meta","?>"),"meta"):(T=_.eat("/")?"closeTag":"openTag",K.tokenize=d,"tag bracket");if(I=="&"){var B;return _.eat("#")?_.eat("x")?B=_.eatWhile(/[a-fA-F\d]/)&&_.eat(";"):B=_.eatWhile(/[\d]/)&&_.eat(";"):B=_.eatWhile(/[\w\.\-:]/)&&_.eat(";"),B?"atom":"error"}else return _.eatWhile(/[^&<]/),null}c.isInText=!0;function d(_,K){var X=_.next();if(X==">"||X=="/"&&_.eat(">"))return K.tokenize=c,T=X==">"?"endTag":"selfcloseTag","tag bracket";if(X=="=")return T="equals",null;if(X=="<"){K.tokenize=c,K.state=Z,K.tagName=K.tagStart=null;var I=K.tokenize(_,K);return I?I+" tag error":"tag error"}else return/[\'\"]/.test(X)?(K.tokenize=w(X),K.stringStartCol=_.column(),K.tokenize(_,K)):(_.match(/^[^\s\u00a0=<>\"\']*[^\s\u00a0=<>\"\'\/]/),"word")}function w(_){var K=function(X,I){for(;!X.eol();)if(X.next()==_){I.tokenize=d;break}return"string"};return K.isInAttribute=!0,K}function E(_,K){return function(X,I){for(;!X.eol();){if(X.match(K)){I.tokenize=c;break}X.next()}return _}}function z(_){return function(K,X){for(var I;(I=K.next())!=null;){if(I=="<")return X.tokenize=z(_+1),X.tokenize(K,X);if(I==">")if(_==1){X.tokenize=c;break}else return X.tokenize=z(_-1),X.tokenize(K,X)}return"meta"}}function y(_){return _&&_.toLowerCase()}function R(_,K,X){this.prev=_.context,this.tagName=K||"",this.indent=_.indented,this.startOfLine=X,(s.doNotIndent.hasOwnProperty(K)||_.context&&_.context.noIndent)&&(this.noIndent=!0)}function M(_){_.context&&(_.context=_.context.prev)}function H(_,K){for(var X;;){if(!_.context||(X=_.context.tagName,!s.contextGrabbers.hasOwnProperty(y(X))||!s.contextGrabbers[y(X)].hasOwnProperty(y(K))))return;M(_)}}function Z(_,K,X){return _=="openTag"?(X.tagStart=K.column(),ee):_=="closeTag"?re:Z}function ee(_,K,X){return _=="word"?(X.tagName=K.current(),x="tag",D):s.allowMissingTagName&&_=="endTag"?(x="tag bracket",D(_,K,X)):(x="error",ee)}function re(_,K,X){if(_=="word"){var I=K.current();return X.context&&X.context.tagName!=I&&s.implicitlyClosed.hasOwnProperty(y(X.context.tagName))&&M(X),X.context&&X.context.tagName==I||s.matchClosing===!1?(x="tag",N):(x="tag error",F)}else return s.allowMissingTagName&&_=="endTag"?(x="tag bracket",N(_,K,X)):(x="error",F)}function N(_,K,X){return _!="endTag"?(x="error",N):(M(X),Z)}function F(_,K,X){return x="error",N(_,K,X)}function D(_,K,X){if(_=="word")return x="attribute",Q;if(_=="endTag"||_=="selfcloseTag"){var I=X.tagName,B=X.tagStart;return X.tagName=X.tagStart=null,_=="selfcloseTag"||s.autoSelfClosers.hasOwnProperty(y(I))?H(X,I):(H(X,I),X.context=new R(X,I,B==X.indented)),Z}return x="error",D}function Q(_,K,X){return _=="equals"?j:(s.allowMissing||(x="error"),D(_,K,X))}function j(_,K,X){return _=="string"?V:_=="word"&&s.allowUnquoted?(x="string",D):(x="error",D(_,K,X))}function V(_,K,X){return _=="string"?V:D(_,K,X)}return{startState:function(_){var K={tokenize:c,state:Z,indented:_||0,tagName:null,tagStart:null,context:null};return _!=null&&(K.baseIndent=_),K},token:function(_,K){if(!K.tagName&&_.sol()&&(K.indented=_.indentation()),_.eatSpace())return null;T=null;var X=K.tokenize(_,K);return(X||T)&&X!="comment"&&(x=null,K.state=K.state(T||X,_,K),x&&(X=x=="error"?X+" error":x)),X},indent:function(_,K,X){var I=_.context;if(_.tokenize.isInAttribute)return _.tagStart==_.indented?_.stringStartCol+1:_.indented+S;if(I&&I.noIndent)return o.Pass;if(_.tokenize!=d&&_.tokenize!=c)return X?X.match(/^(\s*)/)[0].length:0;if(_.tagName)return s.multilineTagIndentPastTag!==!1?_.tagStart+_.tagName.length+2:_.tagStart+S*(s.multilineTagIndentFactor||1);if(s.alignCDATA&&/$/,blockCommentStart:"",configuration:s.htmlMode?"html":"xml",helperType:s.htmlMode?"html":"xml",skipAttribute:function(_){_.state==j&&(_.state=D)},xmlCurrentTag:function(_){return _.tagName?{name:_.tagName,close:_.type=="closeTag"}:null},xmlCurrentContext:function(_){for(var K=[],X=_.context;X;X=X.prev)K.push(X.tagName);return K.reverse()}}}),o.defineMIME("text/xml","xml"),o.defineMIME("application/xml","xml"),o.mimeModes.hasOwnProperty("text/html")||o.defineMIME("text/html",{name:"xml",htmlMode:!0})})});var vn=Ke((Fs,Ns)=>{(function(o){typeof Fs=="object"&&typeof Ns=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("javascript",function(p,v){var C=p.indentUnit,b=v.statementIndent,S=v.jsonld,s=v.json||S,h=v.trackScope!==!1,g=v.typescript,T=v.wordCharacters||/[\w$\xa1-\uffff]/,x=function(){function k(pt){return{type:pt,style:"keyword"}}var O=k("keyword a"),ae=k("keyword b"),he=k("keyword c"),ne=k("keyword d"),ye=k("operator"),Xe={type:"atom",style:"atom"};return{if:k("if"),while:O,with:O,else:ae,do:ae,try:ae,finally:ae,return:ne,break:ne,continue:ne,new:k("new"),delete:he,void:he,throw:he,debugger:k("debugger"),var:k("var"),const:k("var"),let:k("var"),function:k("function"),catch:k("catch"),for:k("for"),switch:k("switch"),case:k("case"),default:k("default"),in:ye,typeof:ye,instanceof:ye,true:Xe,false:Xe,null:Xe,undefined:Xe,NaN:Xe,Infinity:Xe,this:k("this"),class:k("class"),super:k("atom"),yield:he,export:k("export"),import:k("import"),extends:he,await:he}}(),c=/[+\-*&%=<>!?|~^@]/,d=/^@(context|id|value|language|type|container|list|set|reverse|index|base|vocab|graph)"/;function w(k){for(var O=!1,ae,he=!1;(ae=k.next())!=null;){if(!O){if(ae=="/"&&!he)return;ae=="["?he=!0:he&&ae=="]"&&(he=!1)}O=!O&&ae=="\\"}}var E,z;function y(k,O,ae){return E=k,z=ae,O}function R(k,O){var ae=k.next();if(ae=='"'||ae=="'")return O.tokenize=M(ae),O.tokenize(k,O);if(ae=="."&&k.match(/^\d[\d_]*(?:[eE][+\-]?[\d_]+)?/))return y("number","number");if(ae=="."&&k.match(".."))return y("spread","meta");if(/[\[\]{}\(\),;\:\.]/.test(ae))return y(ae);if(ae=="="&&k.eat(">"))return y("=>","operator");if(ae=="0"&&k.match(/^(?:x[\dA-Fa-f_]+|o[0-7_]+|b[01_]+)n?/))return y("number","number");if(/\d/.test(ae))return k.match(/^[\d_]*(?:n|(?:\.[\d_]*)?(?:[eE][+\-]?[\d_]+)?)?/),y("number","number");if(ae=="/")return k.eat("*")?(O.tokenize=H,H(k,O)):k.eat("/")?(k.skipToEnd(),y("comment","comment")):jt(k,O,1)?(w(k),k.match(/^\b(([gimyus])(?![gimyus]*\2))+\b/),y("regexp","string-2")):(k.eat("="),y("operator","operator",k.current()));if(ae=="`")return O.tokenize=Z,Z(k,O);if(ae=="#"&&k.peek()=="!")return k.skipToEnd(),y("meta","meta");if(ae=="#"&&k.eatWhile(T))return y("variable","property");if(ae=="<"&&k.match("!--")||ae=="-"&&k.match("->")&&!/\S/.test(k.string.slice(0,k.start)))return k.skipToEnd(),y("comment","comment");if(c.test(ae))return(ae!=">"||!O.lexical||O.lexical.type!=">")&&(k.eat("=")?(ae=="!"||ae=="=")&&k.eat("="):/[<>*+\-|&?]/.test(ae)&&(k.eat(ae),ae==">"&&k.eat(ae))),ae=="?"&&k.eat(".")?y("."):y("operator","operator",k.current());if(T.test(ae)){k.eatWhile(T);var he=k.current();if(O.lastType!="."){if(x.propertyIsEnumerable(he)){var ne=x[he];return y(ne.type,ne.style,he)}if(he=="async"&&k.match(/^(\s|\/\*([^*]|\*(?!\/))*?\*\/)*[\[\(\w]/,!1))return y("async","keyword",he)}return y("variable","variable",he)}}function M(k){return function(O,ae){var he=!1,ne;if(S&&O.peek()=="@"&&O.match(d))return ae.tokenize=R,y("jsonld-keyword","meta");for(;(ne=O.next())!=null&&!(ne==k&&!he);)he=!he&&ne=="\\";return he||(ae.tokenize=R),y("string","string")}}function H(k,O){for(var ae=!1,he;he=k.next();){if(he=="/"&&ae){O.tokenize=R;break}ae=he=="*"}return y("comment","comment")}function Z(k,O){for(var ae=!1,he;(he=k.next())!=null;){if(!ae&&(he=="`"||he=="$"&&k.eat("{"))){O.tokenize=R;break}ae=!ae&&he=="\\"}return y("quasi","string-2",k.current())}var ee="([{}])";function re(k,O){O.fatArrowAt&&(O.fatArrowAt=null);var ae=k.string.indexOf("=>",k.start);if(!(ae<0)){if(g){var he=/:\s*(?:\w+(?:<[^>]*>|\[\])?|\{[^}]*\})\s*$/.exec(k.string.slice(k.start,ae));he&&(ae=he.index)}for(var ne=0,ye=!1,Xe=ae-1;Xe>=0;--Xe){var pt=k.string.charAt(Xe),Et=ee.indexOf(pt);if(Et>=0&&Et<3){if(!ne){++Xe;break}if(--ne==0){pt=="("&&(ye=!0);break}}else if(Et>=3&&Et<6)++ne;else if(T.test(pt))ye=!0;else if(/["'\/`]/.test(pt))for(;;--Xe){if(Xe==0)return;var Zr=k.string.charAt(Xe-1);if(Zr==pt&&k.string.charAt(Xe-2)!="\\"){Xe--;break}}else if(ye&&!ne){++Xe;break}}ye&&!ne&&(O.fatArrowAt=Xe)}}var N={atom:!0,number:!0,variable:!0,string:!0,regexp:!0,this:!0,import:!0,"jsonld-keyword":!0};function F(k,O,ae,he,ne,ye){this.indented=k,this.column=O,this.type=ae,this.prev=ne,this.info=ye,he!=null&&(this.align=he)}function D(k,O){if(!h)return!1;for(var ae=k.localVars;ae;ae=ae.next)if(ae.name==O)return!0;for(var he=k.context;he;he=he.prev)for(var ae=he.vars;ae;ae=ae.next)if(ae.name==O)return!0}function Q(k,O,ae,he,ne){var ye=k.cc;for(j.state=k,j.stream=ne,j.marked=null,j.cc=ye,j.style=O,k.lexical.hasOwnProperty("align")||(k.lexical.align=!0);;){var Xe=ye.length?ye.pop():s?Se:Oe;if(Xe(ae,he)){for(;ye.length&&ye[ye.length-1].lex;)ye.pop()();return j.marked?j.marked:ae=="variable"&&D(k,he)?"variable-2":O}}}var j={state:null,column:null,marked:null,cc:null};function V(){for(var k=arguments.length-1;k>=0;k--)j.cc.push(arguments[k])}function _(){return V.apply(null,arguments),!0}function K(k,O){for(var ae=O;ae;ae=ae.next)if(ae.name==k)return!0;return!1}function X(k){var O=j.state;if(j.marked="def",!!h){if(O.context){if(O.lexical.info=="var"&&O.context&&O.context.block){var ae=I(k,O.context);if(ae!=null){O.context=ae;return}}else if(!K(k,O.localVars)){O.localVars=new xe(k,O.localVars);return}}v.globalVars&&!K(k,O.globalVars)&&(O.globalVars=new xe(k,O.globalVars))}}function I(k,O){if(O)if(O.block){var ae=I(k,O.prev);return ae?ae==O.prev?O:new le(ae,O.vars,!0):null}else return K(k,O.vars)?O:new le(O.prev,new xe(k,O.vars),!1);else return null}function B(k){return k=="public"||k=="private"||k=="protected"||k=="abstract"||k=="readonly"}function le(k,O,ae){this.prev=k,this.vars=O,this.block=ae}function xe(k,O){this.name=k,this.next=O}var q=new xe("this",new xe("arguments",null));function L(){j.state.context=new le(j.state.context,j.state.localVars,!1),j.state.localVars=q}function de(){j.state.context=new le(j.state.context,j.state.localVars,!0),j.state.localVars=null}L.lex=de.lex=!0;function ze(){j.state.localVars=j.state.context.vars,j.state.context=j.state.context.prev}ze.lex=!0;function pe(k,O){var ae=function(){var he=j.state,ne=he.indented;if(he.lexical.type=="stat")ne=he.lexical.indented;else for(var ye=he.lexical;ye&&ye.type==")"&&ye.align;ye=ye.prev)ne=ye.indented;he.lexical=new F(ne,j.stream.column(),k,null,he.lexical,O)};return ae.lex=!0,ae}function Ee(){var k=j.state;k.lexical.prev&&(k.lexical.type==")"&&(k.indented=k.lexical.indented),k.lexical=k.lexical.prev)}Ee.lex=!0;function ge(k){function O(ae){return ae==k?_():k==";"||ae=="}"||ae==")"||ae=="]"?V():_(O)}return O}function Oe(k,O){return k=="var"?_(pe("vardef",O),Hr,ge(";"),Ee):k=="keyword a"?_(pe("form"),Ze,Oe,Ee):k=="keyword b"?_(pe("form"),Oe,Ee):k=="keyword d"?j.stream.match(/^\s*$/,!1)?_():_(pe("stat"),Je,ge(";"),Ee):k=="debugger"?_(ge(";")):k=="{"?_(pe("}"),de,De,Ee,ze):k==";"?_():k=="if"?(j.state.lexical.info=="else"&&j.state.cc[j.state.cc.length-1]==Ee&&j.state.cc.pop()(),_(pe("form"),Ze,Oe,Ee,Br)):k=="function"?_(Bt):k=="for"?_(pe("form"),de,ei,Oe,ze,Ee):k=="class"||g&&O=="interface"?(j.marked="keyword",_(pe("form",k=="class"?k:O),Wr,Ee)):k=="variable"?g&&O=="declare"?(j.marked="keyword",_(Oe)):g&&(O=="module"||O=="enum"||O=="type")&&j.stream.match(/^\s*\w/,!1)?(j.marked="keyword",O=="enum"?_(Ae):O=="type"?_(ti,ge("operator"),Pe,ge(";")):_(pe("form"),Ct,ge("{"),pe("}"),De,Ee,Ee)):g&&O=="namespace"?(j.marked="keyword",_(pe("form"),Se,Oe,Ee)):g&&O=="abstract"?(j.marked="keyword",_(Oe)):_(pe("stat"),Ue):k=="switch"?_(pe("form"),Ze,ge("{"),pe("}","switch"),de,De,Ee,Ee,ze):k=="case"?_(Se,ge(":")):k=="default"?_(ge(":")):k=="catch"?_(pe("form"),L,qe,Oe,Ee,ze):k=="export"?_(pe("stat"),Ur,Ee):k=="import"?_(pe("stat"),gr,Ee):k=="async"?_(Oe):O=="@"?_(Se,Oe):V(pe("stat"),Se,ge(";"),Ee)}function qe(k){if(k=="(")return _($t,ge(")"))}function Se(k,O){return ke(k,O,!1)}function je(k,O){return ke(k,O,!0)}function Ze(k){return k!="("?V():_(pe(")"),Je,ge(")"),Ee)}function ke(k,O,ae){if(j.state.fatArrowAt==j.stream.start){var he=ae?Be:ce;if(k=="(")return _(L,pe(")"),W($t,")"),Ee,ge("=>"),he,ze);if(k=="variable")return V(L,Ct,ge("=>"),he,ze)}var ne=ae?Ge:He;return N.hasOwnProperty(k)?_(ne):k=="function"?_(Bt,ne):k=="class"||g&&O=="interface"?(j.marked="keyword",_(pe("form"),to,Ee)):k=="keyword c"||k=="async"?_(ae?je:Se):k=="("?_(pe(")"),Je,ge(")"),Ee,ne):k=="operator"||k=="spread"?_(ae?je:Se):k=="["?_(pe("]"),at,Ee,ne):k=="{"?se(Me,"}",null,ne):k=="quasi"?V(U,ne):k=="new"?_(te(ae)):_()}function Je(k){return k.match(/[;\}\)\],]/)?V():V(Se)}function He(k,O){return k==","?_(Je):Ge(k,O,!1)}function Ge(k,O,ae){var he=ae==!1?He:Ge,ne=ae==!1?Se:je;if(k=="=>")return _(L,ae?Be:ce,ze);if(k=="operator")return/\+\+|--/.test(O)||g&&O=="!"?_(he):g&&O=="<"&&j.stream.match(/^([^<>]|<[^<>]*>)*>\s*\(/,!1)?_(pe(">"),W(Pe,">"),Ee,he):O=="?"?_(Se,ge(":"),ne):_(ne);if(k=="quasi")return V(U,he);if(k!=";"){if(k=="(")return se(je,")","call",he);if(k==".")return _(we,he);if(k=="[")return _(pe("]"),Je,ge("]"),Ee,he);if(g&&O=="as")return j.marked="keyword",_(Pe,he);if(k=="regexp")return j.state.lastType=j.marked="operator",j.stream.backUp(j.stream.pos-j.stream.start-1),_(ne)}}function U(k,O){return k!="quasi"?V():O.slice(O.length-2)!="${"?_(U):_(Je,G)}function G(k){if(k=="}")return j.marked="string-2",j.state.tokenize=Z,_(U)}function ce(k){return re(j.stream,j.state),V(k=="{"?Oe:Se)}function Be(k){return re(j.stream,j.state),V(k=="{"?Oe:je)}function te(k){return function(O){return O=="."?_(k?oe:fe):O=="variable"&&g?_(Ft,k?Ge:He):V(k?je:Se)}}function fe(k,O){if(O=="target")return j.marked="keyword",_(He)}function oe(k,O){if(O=="target")return j.marked="keyword",_(Ge)}function Ue(k){return k==":"?_(Ee,Oe):V(He,ge(";"),Ee)}function we(k){if(k=="variable")return j.marked="property",_()}function Me(k,O){if(k=="async")return j.marked="property",_(Me);if(k=="variable"||j.style=="keyword"){if(j.marked="property",O=="get"||O=="set")return _(Le);var ae;return g&&j.state.fatArrowAt==j.stream.start&&(ae=j.stream.match(/^\s*:\s*/,!1))&&(j.state.fatArrowAt=j.stream.pos+ae[0].length),_($)}else{if(k=="number"||k=="string")return j.marked=S?"property":j.style+" property",_($);if(k=="jsonld-keyword")return _($);if(g&&B(O))return j.marked="keyword",_(Me);if(k=="[")return _(Se,nt,ge("]"),$);if(k=="spread")return _(je,$);if(O=="*")return j.marked="keyword",_(Me);if(k==":")return V($)}}function Le(k){return k!="variable"?V($):(j.marked="property",_(Bt))}function $(k){if(k==":")return _(je);if(k=="(")return V(Bt)}function W(k,O,ae){function he(ne,ye){if(ae?ae.indexOf(ne)>-1:ne==","){var Xe=j.state.lexical;return Xe.info=="call"&&(Xe.pos=(Xe.pos||0)+1),_(function(pt,Et){return pt==O||Et==O?V():V(k)},he)}return ne==O||ye==O?_():ae&&ae.indexOf(";")>-1?V(k):_(ge(O))}return function(ne,ye){return ne==O||ye==O?_():V(k,he)}}function se(k,O,ae){for(var he=3;he"),Pe);if(k=="quasi")return V(_t,Ht)}function xt(k){if(k=="=>")return _(Pe)}function Fe(k){return k.match(/[\}\)\]]/)?_():k==","||k==";"?_(Fe):V(nr,Fe)}function nr(k,O){if(k=="variable"||j.style=="keyword")return j.marked="property",_(nr);if(O=="?"||k=="number"||k=="string")return _(nr);if(k==":")return _(Pe);if(k=="[")return _(ge("variable"),dt,ge("]"),nr);if(k=="(")return V(hr,nr);if(!k.match(/[;\}\)\],]/))return _()}function _t(k,O){return k!="quasi"?V():O.slice(O.length-2)!="${"?_(_t):_(Pe,it)}function it(k){if(k=="}")return j.marked="string-2",j.state.tokenize=Z,_(_t)}function ot(k,O){return k=="variable"&&j.stream.match(/^\s*[?:]/,!1)||O=="?"?_(ot):k==":"?_(Pe):k=="spread"?_(ot):V(Pe)}function Ht(k,O){if(O=="<")return _(pe(">"),W(Pe,">"),Ee,Ht);if(O=="|"||k=="."||O=="&")return _(Pe);if(k=="[")return _(Pe,ge("]"),Ht);if(O=="extends"||O=="implements")return j.marked="keyword",_(Pe);if(O=="?")return _(Pe,ge(":"),Pe)}function Ft(k,O){if(O=="<")return _(pe(">"),W(Pe,">"),Ee,Ht)}function Wt(){return V(Pe,kt)}function kt(k,O){if(O=="=")return _(Pe)}function Hr(k,O){return O=="enum"?(j.marked="keyword",_(Ae)):V(Ct,nt,Ut,eo)}function Ct(k,O){if(g&&B(O))return j.marked="keyword",_(Ct);if(k=="variable")return X(O),_();if(k=="spread")return _(Ct);if(k=="[")return se(yn,"]");if(k=="{")return se(dr,"}")}function dr(k,O){return k=="variable"&&!j.stream.match(/^\s*:/,!1)?(X(O),_(Ut)):(k=="variable"&&(j.marked="property"),k=="spread"?_(Ct):k=="}"?V():k=="["?_(Se,ge("]"),ge(":"),dr):_(ge(":"),Ct,Ut))}function yn(){return V(Ct,Ut)}function Ut(k,O){if(O=="=")return _(je)}function eo(k){if(k==",")return _(Hr)}function Br(k,O){if(k=="keyword b"&&O=="else")return _(pe("form","else"),Oe,Ee)}function ei(k,O){if(O=="await")return _(ei);if(k=="(")return _(pe(")"),xn,Ee)}function xn(k){return k=="var"?_(Hr,pr):k=="variable"?_(pr):V(pr)}function pr(k,O){return k==")"?_():k==";"?_(pr):O=="in"||O=="of"?(j.marked="keyword",_(Se,pr)):V(Se,pr)}function Bt(k,O){if(O=="*")return j.marked="keyword",_(Bt);if(k=="variable")return X(O),_(Bt);if(k=="(")return _(L,pe(")"),W($t,")"),Ee,Pt,Oe,ze);if(g&&O=="<")return _(pe(">"),W(Wt,">"),Ee,Bt)}function hr(k,O){if(O=="*")return j.marked="keyword",_(hr);if(k=="variable")return X(O),_(hr);if(k=="(")return _(L,pe(")"),W($t,")"),Ee,Pt,ze);if(g&&O=="<")return _(pe(">"),W(Wt,">"),Ee,hr)}function ti(k,O){if(k=="keyword"||k=="variable")return j.marked="type",_(ti);if(O=="<")return _(pe(">"),W(Wt,">"),Ee)}function $t(k,O){return O=="@"&&_(Se,$t),k=="spread"?_($t):g&&B(O)?(j.marked="keyword",_($t)):g&&k=="this"?_(nt,Ut):V(Ct,nt,Ut)}function to(k,O){return k=="variable"?Wr(k,O):Kt(k,O)}function Wr(k,O){if(k=="variable")return X(O),_(Kt)}function Kt(k,O){if(O=="<")return _(pe(">"),W(Wt,">"),Ee,Kt);if(O=="extends"||O=="implements"||g&&k==",")return O=="implements"&&(j.marked="keyword"),_(g?Pe:Se,Kt);if(k=="{")return _(pe("}"),Gt,Ee)}function Gt(k,O){if(k=="async"||k=="variable"&&(O=="static"||O=="get"||O=="set"||g&&B(O))&&j.stream.match(/^\s+#?[\w$\xa1-\uffff]/,!1))return j.marked="keyword",_(Gt);if(k=="variable"||j.style=="keyword")return j.marked="property",_(Cr,Gt);if(k=="number"||k=="string")return _(Cr,Gt);if(k=="[")return _(Se,nt,ge("]"),Cr,Gt);if(O=="*")return j.marked="keyword",_(Gt);if(g&&k=="(")return V(hr,Gt);if(k==";"||k==",")return _(Gt);if(k=="}")return _();if(O=="@")return _(Se,Gt)}function Cr(k,O){if(O=="!"||O=="?")return _(Cr);if(k==":")return _(Pe,Ut);if(O=="=")return _(je);var ae=j.state.lexical.prev,he=ae&&ae.info=="interface";return V(he?hr:Bt)}function Ur(k,O){return O=="*"?(j.marked="keyword",_(Gr,ge(";"))):O=="default"?(j.marked="keyword",_(Se,ge(";"))):k=="{"?_(W($r,"}"),Gr,ge(";")):V(Oe)}function $r(k,O){if(O=="as")return j.marked="keyword",_(ge("variable"));if(k=="variable")return V(je,$r)}function gr(k){return k=="string"?_():k=="("?V(Se):k=="."?V(He):V(Kr,Vt,Gr)}function Kr(k,O){return k=="{"?se(Kr,"}"):(k=="variable"&&X(O),O=="*"&&(j.marked="keyword"),_(_n))}function Vt(k){if(k==",")return _(Kr,Vt)}function _n(k,O){if(O=="as")return j.marked="keyword",_(Kr)}function Gr(k,O){if(O=="from")return j.marked="keyword",_(Se)}function at(k){return k=="]"?_():V(W(je,"]"))}function Ae(){return V(pe("form"),Ct,ge("{"),pe("}"),W(ir,"}"),Ee,Ee)}function ir(){return V(Ct,Ut)}function kn(k,O){return k.lastType=="operator"||k.lastType==","||c.test(O.charAt(0))||/[,.]/.test(O.charAt(0))}function jt(k,O,ae){return O.tokenize==R&&/^(?:operator|sof|keyword [bcd]|case|new|export|default|spread|[\[{}\(,;:]|=>)$/.test(O.lastType)||O.lastType=="quasi"&&/\{\s*$/.test(k.string.slice(0,k.pos-(ae||0)))}return{startState:function(k){var O={tokenize:R,lastType:"sof",cc:[],lexical:new F((k||0)-C,0,"block",!1),localVars:v.localVars,context:v.localVars&&new le(null,null,!1),indented:k||0};return v.globalVars&&typeof v.globalVars=="object"&&(O.globalVars=v.globalVars),O},token:function(k,O){if(k.sol()&&(O.lexical.hasOwnProperty("align")||(O.lexical.align=!1),O.indented=k.indentation(),re(k,O)),O.tokenize!=H&&k.eatSpace())return null;var ae=O.tokenize(k,O);return E=="comment"?ae:(O.lastType=E=="operator"&&(z=="++"||z=="--")?"incdec":E,Q(O,ae,E,z,k))},indent:function(k,O){if(k.tokenize==H||k.tokenize==Z)return o.Pass;if(k.tokenize!=R)return 0;var ae=O&&O.charAt(0),he=k.lexical,ne;if(!/^\s*else\b/.test(O))for(var ye=k.cc.length-1;ye>=0;--ye){var Xe=k.cc[ye];if(Xe==Ee)he=he.prev;else if(Xe!=Br&&Xe!=ze)break}for(;(he.type=="stat"||he.type=="form")&&(ae=="}"||(ne=k.cc[k.cc.length-1])&&(ne==He||ne==Ge)&&!/^[,\.=+\-*:?[\(]/.test(O));)he=he.prev;b&&he.type==")"&&he.prev.type=="stat"&&(he=he.prev);var pt=he.type,Et=ae==pt;return pt=="vardef"?he.indented+(k.lastType=="operator"||k.lastType==","?he.info.length+1:0):pt=="form"&&ae=="{"?he.indented:pt=="form"?he.indented+C:pt=="stat"?he.indented+(kn(k,O)?b||C:0):he.info=="switch"&&!Et&&v.doubleIndentSwitch!=!1?he.indented+(/^(?:case|default)\b/.test(O)?C:2*C):he.align?he.column+(Et?0:1):he.indented+(Et?0:C)},electricInput:/^\s*(?:case .*?:|default:|\{|\})$/,blockCommentStart:s?null:"/*",blockCommentEnd:s?null:"*/",blockCommentContinue:s?null:" * ",lineComment:s?null:"//",fold:"brace",closeBrackets:"()[]{}''\"\"``",helperType:s?"json":"javascript",jsonldMode:S,jsonMode:s,expressionAllowed:jt,skipExpression:function(k){Q(k,"atom","atom","true",new o.StringStream("",2,null))}}}),o.registerHelper("wordChars","javascript",/[\w$]/),o.defineMIME("text/javascript","javascript"),o.defineMIME("text/ecmascript","javascript"),o.defineMIME("application/javascript","javascript"),o.defineMIME("application/x-javascript","javascript"),o.defineMIME("application/ecmascript","javascript"),o.defineMIME("application/json",{name:"javascript",json:!0}),o.defineMIME("application/x-json",{name:"javascript",json:!0}),o.defineMIME("application/manifest+json",{name:"javascript",json:!0}),o.defineMIME("application/ld+json",{name:"javascript",jsonld:!0}),o.defineMIME("text/typescript",{name:"javascript",typescript:!0}),o.defineMIME("application/typescript",{name:"javascript",typescript:!0})})});var Qn=Ke((Os,Ps)=>{(function(o){typeof Os=="object"&&typeof Ps=="object"?o(We(),mn(),vn(),gn()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../xml/xml","../javascript/javascript","../css/css"],o):o(CodeMirror)})(function(o){"use strict";var p={script:[["lang",/(javascript|babel)/i,"javascript"],["type",/^(?:text|application)\/(?:x-)?(?:java|ecma)script$|^module$|^$/i,"javascript"],["type",/./,"text/plain"],[null,null,"javascript"]],style:[["lang",/^css$/i,"css"],["type",/^(text\/)?(x-)?(stylesheet|css)$/i,"css"],["type",/./,"text/plain"],[null,null,"css"]]};function v(T,x,c){var d=T.current(),w=d.search(x);return w>-1?T.backUp(d.length-w):d.match(/<\/?$/)&&(T.backUp(d.length),T.match(x,!1)||T.match(d)),c}var C={};function b(T){var x=C[T];return x||(C[T]=new RegExp("\\s+"+T+`\\s*=\\s*('|")?([^'"]+)('|")?\\s*`))}function S(T,x){var c=T.match(b(x));return c?/^\s*(.*?)\s*$/.exec(c[2])[1]:""}function s(T,x){return new RegExp((x?"^":"")+"","i")}function h(T,x){for(var c in T)for(var d=x[c]||(x[c]=[]),w=T[c],E=w.length-1;E>=0;E--)d.unshift(w[E])}function g(T,x){for(var c=0;c=0;z--)d.script.unshift(["type",E[z].matches,E[z].mode]);function y(R,M){var H=c.token(R,M.htmlState),Z=/\btag\b/.test(H),ee;if(Z&&!/[<>\s\/]/.test(R.current())&&(ee=M.htmlState.tagName&&M.htmlState.tagName.toLowerCase())&&d.hasOwnProperty(ee))M.inTag=ee+" ";else if(M.inTag&&Z&&/>$/.test(R.current())){var re=/^([\S]+) (.*)/.exec(M.inTag);M.inTag=null;var N=R.current()==">"&&g(d[re[1]],re[2]),F=o.getMode(T,N),D=s(re[1],!0),Q=s(re[1],!1);M.token=function(j,V){return j.match(D,!1)?(V.token=y,V.localState=V.localMode=null,null):v(j,Q,V.localMode.token(j,V.localState))},M.localMode=F,M.localState=o.startState(F,c.indent(M.htmlState,"",""))}else M.inTag&&(M.inTag+=R.current(),R.eol()&&(M.inTag+=" "));return H}return{startState:function(){var R=o.startState(c);return{token:y,inTag:null,localMode:null,localState:null,htmlState:R}},copyState:function(R){var M;return R.localState&&(M=o.copyState(R.localMode,R.localState)),{token:R.token,inTag:R.inTag,localMode:R.localMode,localState:M,htmlState:o.copyState(c,R.htmlState)}},token:function(R,M){return M.token(R,M)},indent:function(R,M,H){return!R.localMode||/^\s*<\//.test(M)?c.indent(R.htmlState,M,H):R.localMode.indent?R.localMode.indent(R.localState,M,H):o.Pass},innerMode:function(R){return{state:R.localState||R.htmlState,mode:R.localMode||c}}}},"xml","javascript","css"),o.defineMIME("text/html","htmlmixed")})});var Hs=Ke((js,Rs)=>{(function(o){typeof js=="object"&&typeof Rs=="object"?o(We(),Qn(),Yn()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../htmlmixed/htmlmixed","../../addon/mode/overlay"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("django:inner",function(){var p=["block","endblock","for","endfor","true","false","filter","endfilter","loop","none","self","super","if","elif","endif","as","else","import","with","endwith","without","context","ifequal","endifequal","ifnotequal","endifnotequal","extends","include","load","comment","endcomment","empty","url","static","trans","blocktrans","endblocktrans","now","regroup","lorem","ifchanged","endifchanged","firstof","debug","cycle","csrf_token","autoescape","endautoescape","spaceless","endspaceless","ssi","templatetag","verbatim","endverbatim","widthratio"],v=["add","addslashes","capfirst","center","cut","date","default","default_if_none","dictsort","dictsortreversed","divisibleby","escape","escapejs","filesizeformat","first","floatformat","force_escape","get_digit","iriencode","join","last","length","length_is","linebreaks","linebreaksbr","linenumbers","ljust","lower","make_list","phone2numeric","pluralize","pprint","random","removetags","rjust","safe","safeseq","slice","slugify","stringformat","striptags","time","timesince","timeuntil","title","truncatechars","truncatechars_html","truncatewords","truncatewords_html","unordered_list","upper","urlencode","urlize","urlizetrunc","wordcount","wordwrap","yesno"],C=["==","!=","<",">","<=",">="],b=["in","not","or","and"];p=new RegExp("^\\b("+p.join("|")+")\\b"),v=new RegExp("^\\b("+v.join("|")+")\\b"),C=new RegExp("^\\b("+C.join("|")+")\\b"),b=new RegExp("^\\b("+b.join("|")+")\\b");function S(c,d){if(c.match("{{"))return d.tokenize=h,"tag";if(c.match("{%"))return d.tokenize=g,"tag";if(c.match("{#"))return d.tokenize=T,"comment";for(;c.next()!=null&&!c.match(/\{[{%#]/,!1););return null}function s(c,d){return function(w,E){if(!E.escapeNext&&w.eat(c))E.tokenize=d;else{E.escapeNext&&(E.escapeNext=!1);var z=w.next();z=="\\"&&(E.escapeNext=!0)}return"string"}}function h(c,d){if(d.waitDot){if(d.waitDot=!1,c.peek()!=".")return"null";if(c.match(/\.\W+/))return"error";if(c.eat("."))return d.waitProperty=!0,"null";throw Error("Unexpected error while waiting for property.")}if(d.waitPipe){if(d.waitPipe=!1,c.peek()!="|")return"null";if(c.match(/\.\W+/))return"error";if(c.eat("|"))return d.waitFilter=!0,"null";throw Error("Unexpected error while waiting for filter.")}return d.waitProperty&&(d.waitProperty=!1,c.match(/\b(\w+)\b/))?(d.waitDot=!0,d.waitPipe=!0,"property"):d.waitFilter&&(d.waitFilter=!1,c.match(v))?"variable-2":c.eatSpace()?(d.waitProperty=!1,"null"):c.match(/\b\d+(\.\d+)?\b/)?"number":c.match("'")?(d.tokenize=s("'",d.tokenize),"string"):c.match('"')?(d.tokenize=s('"',d.tokenize),"string"):c.match(/\b(\w+)\b/)&&!d.foundVariable?(d.waitDot=!0,d.waitPipe=!0,"variable"):c.match("}}")?(d.waitProperty=null,d.waitFilter=null,d.waitDot=null,d.waitPipe=null,d.tokenize=S,"tag"):(c.next(),"null")}function g(c,d){if(d.waitDot){if(d.waitDot=!1,c.peek()!=".")return"null";if(c.match(/\.\W+/))return"error";if(c.eat("."))return d.waitProperty=!0,"null";throw Error("Unexpected error while waiting for property.")}if(d.waitPipe){if(d.waitPipe=!1,c.peek()!="|")return"null";if(c.match(/\.\W+/))return"error";if(c.eat("|"))return d.waitFilter=!0,"null";throw Error("Unexpected error while waiting for filter.")}if(d.waitProperty&&(d.waitProperty=!1,c.match(/\b(\w+)\b/)))return d.waitDot=!0,d.waitPipe=!0,"property";if(d.waitFilter&&(d.waitFilter=!1,c.match(v)))return"variable-2";if(c.eatSpace())return d.waitProperty=!1,"null";if(c.match(/\b\d+(\.\d+)?\b/))return"number";if(c.match("'"))return d.tokenize=s("'",d.tokenize),"string";if(c.match('"'))return d.tokenize=s('"',d.tokenize),"string";if(c.match(C))return"operator";if(c.match(b))return"keyword";var w=c.match(p);return w?(w[0]=="comment"&&(d.blockCommentTag=!0),"keyword"):c.match(/\b(\w+)\b/)?(d.waitDot=!0,d.waitPipe=!0,"variable"):c.match("%}")?(d.waitProperty=null,d.waitFilter=null,d.waitDot=null,d.waitPipe=null,d.blockCommentTag?(d.blockCommentTag=!1,d.tokenize=x):d.tokenize=S,"tag"):(c.next(),"null")}function T(c,d){return c.match(/^.*?#\}/)?d.tokenize=S:c.skipToEnd(),"comment"}function x(c,d){return c.match(/\{%\s*endcomment\s*%\}/,!1)?(d.tokenize=g,c.match("{%"),"tag"):(c.next(),"comment")}return{startState:function(){return{tokenize:S}},token:function(c,d){return d.tokenize(c,d)},blockCommentStart:"{% comment %}",blockCommentEnd:"{% endcomment %}"}}),o.defineMode("django",function(p){var v=o.getMode(p,"text/html"),C=o.getMode(p,"django:inner");return o.overlayMode(v,C)}),o.defineMIME("text/x-django","django")})});var Di=Ke((Bs,Ws)=>{(function(o){typeof Bs=="object"&&typeof Ws=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineSimpleMode=function(x,c){o.defineMode(x,function(d){return o.simpleMode(d,c)})},o.simpleMode=function(x,c){p(c,"start");var d={},w=c.meta||{},E=!1;for(var z in c)if(z!=w&&c.hasOwnProperty(z))for(var y=d[z]=[],R=c[z],M=0;M2&&H.token&&typeof H.token!="string"){for(var re=2;re-1)return o.Pass;var z=d.indent.length-1,y=x[d.state];e:for(;;){for(var R=0;R{(function(o){typeof Us=="object"&&typeof $s=="object"?o(We(),Di()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../../addon/mode/simple"],o):o(CodeMirror)})(function(o){"use strict";var p="from",v=new RegExp("^(\\s*)\\b("+p+")\\b","i"),C=["run","cmd","entrypoint","shell"],b=new RegExp("^(\\s*)("+C.join("|")+")(\\s+\\[)","i"),S="expose",s=new RegExp("^(\\s*)("+S+")(\\s+)","i"),h=["arg","from","maintainer","label","env","add","copy","volume","user","workdir","onbuild","stopsignal","healthcheck","shell"],g=[p,S].concat(C).concat(h),T="("+g.join("|")+")",x=new RegExp("^(\\s*)"+T+"(\\s*)(#.*)?$","i"),c=new RegExp("^(\\s*)"+T+"(\\s+)","i");o.defineSimpleMode("dockerfile",{start:[{regex:/^\s*#.*$/,sol:!0,token:"comment"},{regex:v,token:[null,"keyword"],sol:!0,next:"from"},{regex:x,token:[null,"keyword",null,"error"],sol:!0},{regex:b,token:[null,"keyword",null],sol:!0,next:"array"},{regex:s,token:[null,"keyword",null],sol:!0,next:"expose"},{regex:c,token:[null,"keyword",null],sol:!0,next:"arguments"},{regex:/./,token:null}],from:[{regex:/\s*$/,token:null,next:"start"},{regex:/(\s*)(#.*)$/,token:[null,"error"],next:"start"},{regex:/(\s*\S+\s+)(as)/i,token:[null,"keyword"],next:"start"},{token:null,next:"start"}],single:[{regex:/(?:[^\\']|\\.)/,token:"string"},{regex:/'/,token:"string",pop:!0}],double:[{regex:/(?:[^\\"]|\\.)/,token:"string"},{regex:/"/,token:"string",pop:!0}],array:[{regex:/\]/,token:null,next:"start"},{regex:/"(?:[^\\"]|\\.)*"?/,token:"string"}],expose:[{regex:/\d+$/,token:"number",next:"start"},{regex:/[^\d]+$/,token:null,next:"start"},{regex:/\d+/,token:"number"},{regex:/[^\d]+/,token:null},{token:null,next:"start"}],arguments:[{regex:/^\s*#.*$/,sol:!0,token:"comment"},{regex:/"(?:[^\\"]|\\.)*"?$/,token:"string",next:"start"},{regex:/"/,token:"string",push:"double"},{regex:/'(?:[^\\']|\\.)*'?$/,token:"string",next:"start"},{regex:/'/,token:"string",push:"single"},{regex:/[^#"']+[\\`]$/,token:null},{regex:/[^#"']+$/,token:null,next:"start"},{regex:/[^#"']+/,token:null},{token:null,next:"start"}],meta:{lineComment:"#"}}),o.defineMIME("text/x-dockerfile","dockerfile")})});var Xs=Ke((Gs,Zs)=>{(function(o){typeof Gs=="object"&&typeof Zs=="object"?o(We()):typeof define=="function"&&define.amd?define(["../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.modeInfo=[{name:"APL",mime:"text/apl",mode:"apl",ext:["dyalog","apl"]},{name:"PGP",mimes:["application/pgp","application/pgp-encrypted","application/pgp-keys","application/pgp-signature"],mode:"asciiarmor",ext:["asc","pgp","sig"]},{name:"ASN.1",mime:"text/x-ttcn-asn",mode:"asn.1",ext:["asn","asn1"]},{name:"Asterisk",mime:"text/x-asterisk",mode:"asterisk",file:/^extensions\.conf$/i},{name:"Brainfuck",mime:"text/x-brainfuck",mode:"brainfuck",ext:["b","bf"]},{name:"C",mime:"text/x-csrc",mode:"clike",ext:["c","h","ino"]},{name:"C++",mime:"text/x-c++src",mode:"clike",ext:["cpp","c++","cc","cxx","hpp","h++","hh","hxx"],alias:["cpp"]},{name:"Cobol",mime:"text/x-cobol",mode:"cobol",ext:["cob","cpy","cbl"]},{name:"C#",mime:"text/x-csharp",mode:"clike",ext:["cs"],alias:["csharp","cs"]},{name:"Clojure",mime:"text/x-clojure",mode:"clojure",ext:["clj","cljc","cljx"]},{name:"ClojureScript",mime:"text/x-clojurescript",mode:"clojure",ext:["cljs"]},{name:"Closure Stylesheets (GSS)",mime:"text/x-gss",mode:"css",ext:["gss"]},{name:"CMake",mime:"text/x-cmake",mode:"cmake",ext:["cmake","cmake.in"],file:/^CMakeLists\.txt$/},{name:"CoffeeScript",mimes:["application/vnd.coffeescript","text/coffeescript","text/x-coffeescript"],mode:"coffeescript",ext:["coffee"],alias:["coffee","coffee-script"]},{name:"Common Lisp",mime:"text/x-common-lisp",mode:"commonlisp",ext:["cl","lisp","el"],alias:["lisp"]},{name:"Cypher",mime:"application/x-cypher-query",mode:"cypher",ext:["cyp","cypher"]},{name:"Cython",mime:"text/x-cython",mode:"python",ext:["pyx","pxd","pxi"]},{name:"Crystal",mime:"text/x-crystal",mode:"crystal",ext:["cr"]},{name:"CSS",mime:"text/css",mode:"css",ext:["css"]},{name:"CQL",mime:"text/x-cassandra",mode:"sql",ext:["cql"]},{name:"D",mime:"text/x-d",mode:"d",ext:["d"]},{name:"Dart",mimes:["application/dart","text/x-dart"],mode:"dart",ext:["dart"]},{name:"diff",mime:"text/x-diff",mode:"diff",ext:["diff","patch"]},{name:"Django",mime:"text/x-django",mode:"django"},{name:"Dockerfile",mime:"text/x-dockerfile",mode:"dockerfile",file:/^Dockerfile$/},{name:"DTD",mime:"application/xml-dtd",mode:"dtd",ext:["dtd"]},{name:"Dylan",mime:"text/x-dylan",mode:"dylan",ext:["dylan","dyl","intr"]},{name:"EBNF",mime:"text/x-ebnf",mode:"ebnf"},{name:"ECL",mime:"text/x-ecl",mode:"ecl",ext:["ecl"]},{name:"edn",mime:"application/edn",mode:"clojure",ext:["edn"]},{name:"Eiffel",mime:"text/x-eiffel",mode:"eiffel",ext:["e"]},{name:"Elm",mime:"text/x-elm",mode:"elm",ext:["elm"]},{name:"Embedded JavaScript",mime:"application/x-ejs",mode:"htmlembedded",ext:["ejs"]},{name:"Embedded Ruby",mime:"application/x-erb",mode:"htmlembedded",ext:["erb"]},{name:"Erlang",mime:"text/x-erlang",mode:"erlang",ext:["erl"]},{name:"Esper",mime:"text/x-esper",mode:"sql"},{name:"Factor",mime:"text/x-factor",mode:"factor",ext:["factor"]},{name:"FCL",mime:"text/x-fcl",mode:"fcl"},{name:"Forth",mime:"text/x-forth",mode:"forth",ext:["forth","fth","4th"]},{name:"Fortran",mime:"text/x-fortran",mode:"fortran",ext:["f","for","f77","f90","f95"]},{name:"F#",mime:"text/x-fsharp",mode:"mllike",ext:["fs"],alias:["fsharp"]},{name:"Gas",mime:"text/x-gas",mode:"gas",ext:["s"]},{name:"Gherkin",mime:"text/x-feature",mode:"gherkin",ext:["feature"]},{name:"GitHub Flavored Markdown",mime:"text/x-gfm",mode:"gfm",file:/^(readme|contributing|history)\.md$/i},{name:"Go",mime:"text/x-go",mode:"go",ext:["go"]},{name:"Groovy",mime:"text/x-groovy",mode:"groovy",ext:["groovy","gradle"],file:/^Jenkinsfile$/},{name:"HAML",mime:"text/x-haml",mode:"haml",ext:["haml"]},{name:"Haskell",mime:"text/x-haskell",mode:"haskell",ext:["hs"]},{name:"Haskell (Literate)",mime:"text/x-literate-haskell",mode:"haskell-literate",ext:["lhs"]},{name:"Haxe",mime:"text/x-haxe",mode:"haxe",ext:["hx"]},{name:"HXML",mime:"text/x-hxml",mode:"haxe",ext:["hxml"]},{name:"ASP.NET",mime:"application/x-aspx",mode:"htmlembedded",ext:["aspx"],alias:["asp","aspx"]},{name:"HTML",mime:"text/html",mode:"htmlmixed",ext:["html","htm","handlebars","hbs"],alias:["xhtml"]},{name:"HTTP",mime:"message/http",mode:"http"},{name:"IDL",mime:"text/x-idl",mode:"idl",ext:["pro"]},{name:"Pug",mime:"text/x-pug",mode:"pug",ext:["jade","pug"],alias:["jade"]},{name:"Java",mime:"text/x-java",mode:"clike",ext:["java"]},{name:"Java Server Pages",mime:"application/x-jsp",mode:"htmlembedded",ext:["jsp"],alias:["jsp"]},{name:"JavaScript",mimes:["text/javascript","text/ecmascript","application/javascript","application/x-javascript","application/ecmascript"],mode:"javascript",ext:["js"],alias:["ecmascript","js","node"]},{name:"JSON",mimes:["application/json","application/x-json"],mode:"javascript",ext:["json","map"],alias:["json5"]},{name:"JSON-LD",mime:"application/ld+json",mode:"javascript",ext:["jsonld"],alias:["jsonld"]},{name:"JSX",mime:"text/jsx",mode:"jsx",ext:["jsx"]},{name:"Jinja2",mime:"text/jinja2",mode:"jinja2",ext:["j2","jinja","jinja2"]},{name:"Julia",mime:"text/x-julia",mode:"julia",ext:["jl"],alias:["jl"]},{name:"Kotlin",mime:"text/x-kotlin",mode:"clike",ext:["kt"]},{name:"LESS",mime:"text/x-less",mode:"css",ext:["less"]},{name:"LiveScript",mime:"text/x-livescript",mode:"livescript",ext:["ls"],alias:["ls"]},{name:"Lua",mime:"text/x-lua",mode:"lua",ext:["lua"]},{name:"Markdown",mime:"text/x-markdown",mode:"markdown",ext:["markdown","md","mkd"]},{name:"mIRC",mime:"text/mirc",mode:"mirc"},{name:"MariaDB SQL",mime:"text/x-mariadb",mode:"sql"},{name:"Mathematica",mime:"text/x-mathematica",mode:"mathematica",ext:["m","nb","wl","wls"]},{name:"Modelica",mime:"text/x-modelica",mode:"modelica",ext:["mo"]},{name:"MUMPS",mime:"text/x-mumps",mode:"mumps",ext:["mps"]},{name:"MS SQL",mime:"text/x-mssql",mode:"sql"},{name:"mbox",mime:"application/mbox",mode:"mbox",ext:["mbox"]},{name:"MySQL",mime:"text/x-mysql",mode:"sql"},{name:"Nginx",mime:"text/x-nginx-conf",mode:"nginx",file:/nginx.*\.conf$/i},{name:"NSIS",mime:"text/x-nsis",mode:"nsis",ext:["nsh","nsi"]},{name:"NTriples",mimes:["application/n-triples","application/n-quads","text/n-triples"],mode:"ntriples",ext:["nt","nq"]},{name:"Objective-C",mime:"text/x-objectivec",mode:"clike",ext:["m"],alias:["objective-c","objc"]},{name:"Objective-C++",mime:"text/x-objectivec++",mode:"clike",ext:["mm"],alias:["objective-c++","objc++"]},{name:"OCaml",mime:"text/x-ocaml",mode:"mllike",ext:["ml","mli","mll","mly"]},{name:"Octave",mime:"text/x-octave",mode:"octave",ext:["m"]},{name:"Oz",mime:"text/x-oz",mode:"oz",ext:["oz"]},{name:"Pascal",mime:"text/x-pascal",mode:"pascal",ext:["p","pas"]},{name:"PEG.js",mime:"null",mode:"pegjs",ext:["jsonld"]},{name:"Perl",mime:"text/x-perl",mode:"perl",ext:["pl","pm"]},{name:"PHP",mimes:["text/x-php","application/x-httpd-php","application/x-httpd-php-open"],mode:"php",ext:["php","php3","php4","php5","php7","phtml"]},{name:"Pig",mime:"text/x-pig",mode:"pig",ext:["pig"]},{name:"Plain Text",mime:"text/plain",mode:"null",ext:["txt","text","conf","def","list","log"]},{name:"PLSQL",mime:"text/x-plsql",mode:"sql",ext:["pls"]},{name:"PostgreSQL",mime:"text/x-pgsql",mode:"sql"},{name:"PowerShell",mime:"application/x-powershell",mode:"powershell",ext:["ps1","psd1","psm1"]},{name:"Properties files",mime:"text/x-properties",mode:"properties",ext:["properties","ini","in"],alias:["ini","properties"]},{name:"ProtoBuf",mime:"text/x-protobuf",mode:"protobuf",ext:["proto"]},{name:"Python",mime:"text/x-python",mode:"python",ext:["BUILD","bzl","py","pyw"],file:/^(BUCK|BUILD)$/},{name:"Puppet",mime:"text/x-puppet",mode:"puppet",ext:["pp"]},{name:"Q",mime:"text/x-q",mode:"q",ext:["q"]},{name:"R",mime:"text/x-rsrc",mode:"r",ext:["r","R"],alias:["rscript"]},{name:"reStructuredText",mime:"text/x-rst",mode:"rst",ext:["rst"],alias:["rst"]},{name:"RPM Changes",mime:"text/x-rpm-changes",mode:"rpm"},{name:"RPM Spec",mime:"text/x-rpm-spec",mode:"rpm",ext:["spec"]},{name:"Ruby",mime:"text/x-ruby",mode:"ruby",ext:["rb"],alias:["jruby","macruby","rake","rb","rbx"]},{name:"Rust",mime:"text/x-rustsrc",mode:"rust",ext:["rs"]},{name:"SAS",mime:"text/x-sas",mode:"sas",ext:["sas"]},{name:"Sass",mime:"text/x-sass",mode:"sass",ext:["sass"]},{name:"Scala",mime:"text/x-scala",mode:"clike",ext:["scala"]},{name:"Scheme",mime:"text/x-scheme",mode:"scheme",ext:["scm","ss"]},{name:"SCSS",mime:"text/x-scss",mode:"css",ext:["scss"]},{name:"Shell",mimes:["text/x-sh","application/x-sh"],mode:"shell",ext:["sh","ksh","bash"],alias:["bash","sh","zsh"],file:/^PKGBUILD$/},{name:"Sieve",mime:"application/sieve",mode:"sieve",ext:["siv","sieve"]},{name:"Slim",mimes:["text/x-slim","application/x-slim"],mode:"slim",ext:["slim"]},{name:"Smalltalk",mime:"text/x-stsrc",mode:"smalltalk",ext:["st"]},{name:"Smarty",mime:"text/x-smarty",mode:"smarty",ext:["tpl"]},{name:"Solr",mime:"text/x-solr",mode:"solr"},{name:"SML",mime:"text/x-sml",mode:"mllike",ext:["sml","sig","fun","smackspec"]},{name:"Soy",mime:"text/x-soy",mode:"soy",ext:["soy"],alias:["closure template"]},{name:"SPARQL",mime:"application/sparql-query",mode:"sparql",ext:["rq","sparql"],alias:["sparul"]},{name:"Spreadsheet",mime:"text/x-spreadsheet",mode:"spreadsheet",alias:["excel","formula"]},{name:"SQL",mime:"text/x-sql",mode:"sql",ext:["sql"]},{name:"SQLite",mime:"text/x-sqlite",mode:"sql"},{name:"Squirrel",mime:"text/x-squirrel",mode:"clike",ext:["nut"]},{name:"Stylus",mime:"text/x-styl",mode:"stylus",ext:["styl"]},{name:"Swift",mime:"text/x-swift",mode:"swift",ext:["swift"]},{name:"sTeX",mime:"text/x-stex",mode:"stex"},{name:"LaTeX",mime:"text/x-latex",mode:"stex",ext:["text","ltx","tex"],alias:["tex"]},{name:"SystemVerilog",mime:"text/x-systemverilog",mode:"verilog",ext:["v","sv","svh"]},{name:"Tcl",mime:"text/x-tcl",mode:"tcl",ext:["tcl"]},{name:"Textile",mime:"text/x-textile",mode:"textile",ext:["textile"]},{name:"TiddlyWiki",mime:"text/x-tiddlywiki",mode:"tiddlywiki"},{name:"Tiki wiki",mime:"text/tiki",mode:"tiki"},{name:"TOML",mime:"text/x-toml",mode:"toml",ext:["toml"]},{name:"Tornado",mime:"text/x-tornado",mode:"tornado"},{name:"troff",mime:"text/troff",mode:"troff",ext:["1","2","3","4","5","6","7","8","9"]},{name:"TTCN",mime:"text/x-ttcn",mode:"ttcn",ext:["ttcn","ttcn3","ttcnpp"]},{name:"TTCN_CFG",mime:"text/x-ttcn-cfg",mode:"ttcn-cfg",ext:["cfg"]},{name:"Turtle",mime:"text/turtle",mode:"turtle",ext:["ttl"]},{name:"TypeScript",mime:"application/typescript",mode:"javascript",ext:["ts"],alias:["ts"]},{name:"TypeScript-JSX",mime:"text/typescript-jsx",mode:"jsx",ext:["tsx"],alias:["tsx"]},{name:"Twig",mime:"text/x-twig",mode:"twig"},{name:"Web IDL",mime:"text/x-webidl",mode:"webidl",ext:["webidl"]},{name:"VB.NET",mime:"text/x-vb",mode:"vb",ext:["vb"]},{name:"VBScript",mime:"text/vbscript",mode:"vbscript",ext:["vbs"]},{name:"Velocity",mime:"text/velocity",mode:"velocity",ext:["vtl"]},{name:"Verilog",mime:"text/x-verilog",mode:"verilog",ext:["v"]},{name:"VHDL",mime:"text/x-vhdl",mode:"vhdl",ext:["vhd","vhdl"]},{name:"Vue.js Component",mimes:["script/x-vue","text/x-vue"],mode:"vue",ext:["vue"]},{name:"XML",mimes:["application/xml","text/xml"],mode:"xml",ext:["xml","xsl","xsd","svg"],alias:["rss","wsdl","xsd"]},{name:"XQuery",mime:"application/xquery",mode:"xquery",ext:["xy","xquery"]},{name:"Yacas",mime:"text/x-yacas",mode:"yacas",ext:["ys"]},{name:"YAML",mimes:["text/x-yaml","text/yaml"],mode:"yaml",ext:["yaml","yml"],alias:["yml"]},{name:"Z80",mime:"text/x-z80",mode:"z80",ext:["z80"]},{name:"mscgen",mime:"text/x-mscgen",mode:"mscgen",ext:["mscgen","mscin","msc"]},{name:"xu",mime:"text/x-xu",mode:"mscgen",ext:["xu"]},{name:"msgenny",mime:"text/x-msgenny",mode:"mscgen",ext:["msgenny"]},{name:"WebAssembly",mime:"text/webassembly",mode:"wast",ext:["wat","wast"]}];for(var p=0;p-1&&C.substring(s+1,C.length);if(h)return o.findModeByExtension(h)},o.findModeByName=function(C){C=C.toLowerCase();for(var b=0;b{(function(o){typeof Ys=="object"&&typeof Qs=="object"?o(We(),mn(),Xs()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../xml/xml","../meta"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("markdown",function(p,v){var C=o.getMode(p,"text/html"),b=C.name=="null";function S(q){if(o.findModeByName){var L=o.findModeByName(q);L&&(q=L.mime||L.mimes[0])}var de=o.getMode(p,q);return de.name=="null"?null:de}v.highlightFormatting===void 0&&(v.highlightFormatting=!1),v.maxBlockquoteDepth===void 0&&(v.maxBlockquoteDepth=0),v.taskLists===void 0&&(v.taskLists=!1),v.strikethrough===void 0&&(v.strikethrough=!1),v.emoji===void 0&&(v.emoji=!1),v.fencedCodeBlockHighlighting===void 0&&(v.fencedCodeBlockHighlighting=!0),v.fencedCodeBlockDefaultMode===void 0&&(v.fencedCodeBlockDefaultMode="text/plain"),v.xml===void 0&&(v.xml=!0),v.tokenTypeOverrides===void 0&&(v.tokenTypeOverrides={});var s={header:"header",code:"comment",quote:"quote",list1:"variable-2",list2:"variable-3",list3:"keyword",hr:"hr",image:"image",imageAltText:"image-alt-text",imageMarker:"image-marker",formatting:"formatting",linkInline:"link",linkEmail:"link",linkText:"link",linkHref:"string",em:"em",strong:"strong",strikethrough:"strikethrough",emoji:"builtin"};for(var h in s)s.hasOwnProperty(h)&&v.tokenTypeOverrides[h]&&(s[h]=v.tokenTypeOverrides[h]);var g=/^([*\-_])(?:\s*\1){2,}\s*$/,T=/^(?:[*\-+]|^[0-9]+([.)]))\s+/,x=/^\[(x| )\](?=\s)/i,c=v.allowAtxHeaderWithoutSpace?/^(#+)/:/^(#+)(?: |$)/,d=/^ {0,3}(?:\={1,}|-{2,})\s*$/,w=/^[^#!\[\]*_\\<>` "'(~:]+/,E=/^(~~~+|```+)[ \t]*([\w\/+#-]*)[^\n`]*$/,z=/^\s*\[[^\]]+?\]:.*$/,y=/[!"#$%&'()*+,\-.\/:;<=>?@\[\\\]^_`{|}~\xA1\xA7\xAB\xB6\xB7\xBB\xBF\u037E\u0387\u055A-\u055F\u0589\u058A\u05BE\u05C0\u05C3\u05C6\u05F3\u05F4\u0609\u060A\u060C\u060D\u061B\u061E\u061F\u066A-\u066D\u06D4\u0700-\u070D\u07F7-\u07F9\u0830-\u083E\u085E\u0964\u0965\u0970\u0AF0\u0DF4\u0E4F\u0E5A\u0E5B\u0F04-\u0F12\u0F14\u0F3A-\u0F3D\u0F85\u0FD0-\u0FD4\u0FD9\u0FDA\u104A-\u104F\u10FB\u1360-\u1368\u1400\u166D\u166E\u169B\u169C\u16EB-\u16ED\u1735\u1736\u17D4-\u17D6\u17D8-\u17DA\u1800-\u180A\u1944\u1945\u1A1E\u1A1F\u1AA0-\u1AA6\u1AA8-\u1AAD\u1B5A-\u1B60\u1BFC-\u1BFF\u1C3B-\u1C3F\u1C7E\u1C7F\u1CC0-\u1CC7\u1CD3\u2010-\u2027\u2030-\u2043\u2045-\u2051\u2053-\u205E\u207D\u207E\u208D\u208E\u2308-\u230B\u2329\u232A\u2768-\u2775\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2CF9-\u2CFC\u2CFE\u2CFF\u2D70\u2E00-\u2E2E\u2E30-\u2E42\u3001-\u3003\u3008-\u3011\u3014-\u301F\u3030\u303D\u30A0\u30FB\uA4FE\uA4FF\uA60D-\uA60F\uA673\uA67E\uA6F2-\uA6F7\uA874-\uA877\uA8CE\uA8CF\uA8F8-\uA8FA\uA8FC\uA92E\uA92F\uA95F\uA9C1-\uA9CD\uA9DE\uA9DF\uAA5C-\uAA5F\uAADE\uAADF\uAAF0\uAAF1\uABEB\uFD3E\uFD3F\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE61\uFE63\uFE68\uFE6A\uFE6B\uFF01-\uFF03\uFF05-\uFF0A\uFF0C-\uFF0F\uFF1A\uFF1B\uFF1F\uFF20\uFF3B-\uFF3D\uFF3F\uFF5B\uFF5D\uFF5F-\uFF65]|\uD800[\uDD00-\uDD02\uDF9F\uDFD0]|\uD801\uDD6F|\uD802[\uDC57\uDD1F\uDD3F\uDE50-\uDE58\uDE7F\uDEF0-\uDEF6\uDF39-\uDF3F\uDF99-\uDF9C]|\uD804[\uDC47-\uDC4D\uDCBB\uDCBC\uDCBE-\uDCC1\uDD40-\uDD43\uDD74\uDD75\uDDC5-\uDDC9\uDDCD\uDDDB\uDDDD-\uDDDF\uDE38-\uDE3D\uDEA9]|\uD805[\uDCC6\uDDC1-\uDDD7\uDE41-\uDE43\uDF3C-\uDF3E]|\uD809[\uDC70-\uDC74]|\uD81A[\uDE6E\uDE6F\uDEF5\uDF37-\uDF3B\uDF44]|\uD82F\uDC9F|\uD836[\uDE87-\uDE8B]/,R=" ";function M(q,L,de){return L.f=L.inline=de,de(q,L)}function H(q,L,de){return L.f=L.block=de,de(q,L)}function Z(q){return!q||!/\S/.test(q.string)}function ee(q){if(q.linkTitle=!1,q.linkHref=!1,q.linkText=!1,q.em=!1,q.strong=!1,q.strikethrough=!1,q.quote=0,q.indentedCode=!1,q.f==N){var L=b;if(!L){var de=o.innerMode(C,q.htmlState);L=de.mode.name=="xml"&&de.state.tagStart===null&&!de.state.context&&de.state.tokenize.isInText}L&&(q.f=j,q.block=re,q.htmlState=null)}return q.trailingSpace=0,q.trailingSpaceNewLine=!1,q.prevLine=q.thisLine,q.thisLine={stream:null},null}function re(q,L){var de=q.column()===L.indentation,ze=Z(L.prevLine.stream),pe=L.indentedCode,Ee=L.prevLine.hr,ge=L.list!==!1,Oe=(L.listStack[L.listStack.length-1]||0)+3;L.indentedCode=!1;var qe=L.indentation;if(L.indentationDiff===null&&(L.indentationDiff=L.indentation,ge)){for(L.list=null;qe=4&&(pe||L.prevLine.fencedCodeEnd||L.prevLine.header||ze))return q.skipToEnd(),L.indentedCode=!0,s.code;if(q.eatSpace())return null;if(de&&L.indentation<=Oe&&(Ze=q.match(c))&&Ze[1].length<=6)return L.quote=0,L.header=Ze[1].length,L.thisLine.header=!0,v.highlightFormatting&&(L.formatting="header"),L.f=L.inline,D(L);if(L.indentation<=Oe&&q.eat(">"))return L.quote=de?1:L.quote+1,v.highlightFormatting&&(L.formatting="quote"),q.eatSpace(),D(L);if(!je&&!L.setext&&de&&L.indentation<=Oe&&(Ze=q.match(T))){var ke=Ze[1]?"ol":"ul";return L.indentation=qe+q.current().length,L.list=!0,L.quote=0,L.listStack.push(L.indentation),L.em=!1,L.strong=!1,L.code=!1,L.strikethrough=!1,v.taskLists&&q.match(x,!1)&&(L.taskList=!0),L.f=L.inline,v.highlightFormatting&&(L.formatting=["list","list-"+ke]),D(L)}else{if(de&&L.indentation<=Oe&&(Ze=q.match(E,!0)))return L.quote=0,L.fencedEndRE=new RegExp(Ze[1]+"+ *$"),L.localMode=v.fencedCodeBlockHighlighting&&S(Ze[2]||v.fencedCodeBlockDefaultMode),L.localMode&&(L.localState=o.startState(L.localMode)),L.f=L.block=F,v.highlightFormatting&&(L.formatting="code-block"),L.code=-1,D(L);if(L.setext||(!Se||!ge)&&!L.quote&&L.list===!1&&!L.code&&!je&&!z.test(q.string)&&(Ze=q.lookAhead(1))&&(Ze=Ze.match(d)))return L.setext?(L.header=L.setext,L.setext=0,q.skipToEnd(),v.highlightFormatting&&(L.formatting="header")):(L.header=Ze[0].charAt(0)=="="?1:2,L.setext=L.header),L.thisLine.header=!0,L.f=L.inline,D(L);if(je)return q.skipToEnd(),L.hr=!0,L.thisLine.hr=!0,s.hr;if(q.peek()==="[")return M(q,L,I)}return M(q,L,L.inline)}function N(q,L){var de=C.token(q,L.htmlState);if(!b){var ze=o.innerMode(C,L.htmlState);(ze.mode.name=="xml"&&ze.state.tagStart===null&&!ze.state.context&&ze.state.tokenize.isInText||L.md_inside&&q.current().indexOf(">")>-1)&&(L.f=j,L.block=re,L.htmlState=null)}return de}function F(q,L){var de=L.listStack[L.listStack.length-1]||0,ze=L.indentation=q.quote?L.push(s.formatting+"-"+q.formatting[de]+"-"+q.quote):L.push("error"))}if(q.taskOpen)return L.push("meta"),L.length?L.join(" "):null;if(q.taskClosed)return L.push("property"),L.length?L.join(" "):null;if(q.linkHref?L.push(s.linkHref,"url"):(q.strong&&L.push(s.strong),q.em&&L.push(s.em),q.strikethrough&&L.push(s.strikethrough),q.emoji&&L.push(s.emoji),q.linkText&&L.push(s.linkText),q.code&&L.push(s.code),q.image&&L.push(s.image),q.imageAltText&&L.push(s.imageAltText,"link"),q.imageMarker&&L.push(s.imageMarker)),q.header&&L.push(s.header,s.header+"-"+q.header),q.quote&&(L.push(s.quote),!v.maxBlockquoteDepth||v.maxBlockquoteDepth>=q.quote?L.push(s.quote+"-"+q.quote):L.push(s.quote+"-"+v.maxBlockquoteDepth)),q.list!==!1){var ze=(q.listStack.length-1)%3;ze?ze===1?L.push(s.list2):L.push(s.list3):L.push(s.list1)}return q.trailingSpaceNewLine?L.push("trailing-space-new-line"):q.trailingSpace&&L.push("trailing-space-"+(q.trailingSpace%2?"a":"b")),L.length?L.join(" "):null}function Q(q,L){if(q.match(w,!0))return D(L)}function j(q,L){var de=L.text(q,L);if(typeof de<"u")return de;if(L.list)return L.list=null,D(L);if(L.taskList){var ze=q.match(x,!0)[1]===" ";return ze?L.taskOpen=!0:L.taskClosed=!0,v.highlightFormatting&&(L.formatting="task"),L.taskList=!1,D(L)}if(L.taskOpen=!1,L.taskClosed=!1,L.header&&q.match(/^#+$/,!0))return v.highlightFormatting&&(L.formatting="header"),D(L);var pe=q.next();if(L.linkTitle){L.linkTitle=!1;var Ee=pe;pe==="("&&(Ee=")"),Ee=(Ee+"").replace(/([.?*+^\[\]\\(){}|-])/g,"\\$1");var ge="^\\s*(?:[^"+Ee+"\\\\]+|\\\\\\\\|\\\\.)"+Ee;if(q.match(new RegExp(ge),!0))return s.linkHref}if(pe==="`"){var Oe=L.formatting;v.highlightFormatting&&(L.formatting="code"),q.eatWhile("`");var qe=q.current().length;if(L.code==0&&(!L.quote||qe==1))return L.code=qe,D(L);if(qe==L.code){var Se=D(L);return L.code=0,Se}else return L.formatting=Oe,D(L)}else if(L.code)return D(L);if(pe==="\\"&&(q.next(),v.highlightFormatting)){var je=D(L),Ze=s.formatting+"-escape";return je?je+" "+Ze:Ze}if(pe==="!"&&q.match(/\[[^\]]*\] ?(?:\(|\[)/,!1))return L.imageMarker=!0,L.image=!0,v.highlightFormatting&&(L.formatting="image"),D(L);if(pe==="["&&L.imageMarker&&q.match(/[^\]]*\](\(.*?\)| ?\[.*?\])/,!1))return L.imageMarker=!1,L.imageAltText=!0,v.highlightFormatting&&(L.formatting="image"),D(L);if(pe==="]"&&L.imageAltText){v.highlightFormatting&&(L.formatting="image");var je=D(L);return L.imageAltText=!1,L.image=!1,L.inline=L.f=_,je}if(pe==="["&&!L.image)return L.linkText&&q.match(/^.*?\]/)||(L.linkText=!0,v.highlightFormatting&&(L.formatting="link")),D(L);if(pe==="]"&&L.linkText){v.highlightFormatting&&(L.formatting="link");var je=D(L);return L.linkText=!1,L.inline=L.f=q.match(/\(.*?\)| ?\[.*?\]/,!1)?_:j,je}if(pe==="<"&&q.match(/^(https?|ftps?):\/\/(?:[^\\>]|\\.)+>/,!1)){L.f=L.inline=V,v.highlightFormatting&&(L.formatting="link");var je=D(L);return je?je+=" ":je="",je+s.linkInline}if(pe==="<"&&q.match(/^[^> \\]+@(?:[^\\>]|\\.)+>/,!1)){L.f=L.inline=V,v.highlightFormatting&&(L.formatting="link");var je=D(L);return je?je+=" ":je="",je+s.linkEmail}if(v.xml&&pe==="<"&&q.match(/^(!--|\?|!\[CDATA\[|[a-z][a-z0-9-]*(?:\s+[a-z_:.\-]+(?:\s*=\s*[^>]+)?)*\s*(?:>|$))/i,!1)){var ke=q.string.indexOf(">",q.pos);if(ke!=-1){var Je=q.string.substring(q.start,ke);/markdown\s*=\s*('|"){0,1}1('|"){0,1}/.test(Je)&&(L.md_inside=!0)}return q.backUp(1),L.htmlState=o.startState(C),H(q,L,N)}if(v.xml&&pe==="<"&&q.match(/^\/\w*?>/))return L.md_inside=!1,"tag";if(pe==="*"||pe==="_"){for(var He=1,Ge=q.pos==1?" ":q.string.charAt(q.pos-2);He<3&&q.eat(pe);)He++;var U=q.peek()||" ",G=!/\s/.test(U)&&(!y.test(U)||/\s/.test(Ge)||y.test(Ge)),ce=!/\s/.test(Ge)&&(!y.test(Ge)||/\s/.test(U)||y.test(U)),Be=null,te=null;if(He%2&&(!L.em&&G&&(pe==="*"||!ce||y.test(Ge))?Be=!0:L.em==pe&&ce&&(pe==="*"||!G||y.test(U))&&(Be=!1)),He>1&&(!L.strong&&G&&(pe==="*"||!ce||y.test(Ge))?te=!0:L.strong==pe&&ce&&(pe==="*"||!G||y.test(U))&&(te=!1)),te!=null||Be!=null){v.highlightFormatting&&(L.formatting=Be==null?"strong":te==null?"em":"strong em"),Be===!0&&(L.em=pe),te===!0&&(L.strong=pe);var Se=D(L);return Be===!1&&(L.em=!1),te===!1&&(L.strong=!1),Se}}else if(pe===" "&&(q.eat("*")||q.eat("_"))){if(q.peek()===" ")return D(L);q.backUp(1)}if(v.strikethrough){if(pe==="~"&&q.eatWhile(pe)){if(L.strikethrough){v.highlightFormatting&&(L.formatting="strikethrough");var Se=D(L);return L.strikethrough=!1,Se}else if(q.match(/^[^\s]/,!1))return L.strikethrough=!0,v.highlightFormatting&&(L.formatting="strikethrough"),D(L)}else if(pe===" "&&q.match("~~",!0)){if(q.peek()===" ")return D(L);q.backUp(2)}}if(v.emoji&&pe===":"&&q.match(/^(?:[a-z_\d+][a-z_\d+-]*|\-[a-z_\d+][a-z_\d+-]*):/)){L.emoji=!0,v.highlightFormatting&&(L.formatting="emoji");var fe=D(L);return L.emoji=!1,fe}return pe===" "&&(q.match(/^ +$/,!1)?L.trailingSpace++:L.trailingSpace&&(L.trailingSpaceNewLine=!0)),D(L)}function V(q,L){var de=q.next();if(de===">"){L.f=L.inline=j,v.highlightFormatting&&(L.formatting="link");var ze=D(L);return ze?ze+=" ":ze="",ze+s.linkInline}return q.match(/^[^>]+/,!0),s.linkInline}function _(q,L){if(q.eatSpace())return null;var de=q.next();return de==="("||de==="["?(L.f=L.inline=X(de==="("?")":"]"),v.highlightFormatting&&(L.formatting="link-string"),L.linkHref=!0,D(L)):"error"}var K={")":/^(?:[^\\\(\)]|\\.|\((?:[^\\\(\)]|\\.)*\))*?(?=\))/,"]":/^(?:[^\\\[\]]|\\.|\[(?:[^\\\[\]]|\\.)*\])*?(?=\])/};function X(q){return function(L,de){var ze=L.next();if(ze===q){de.f=de.inline=j,v.highlightFormatting&&(de.formatting="link-string");var pe=D(de);return de.linkHref=!1,pe}return L.match(K[q]),de.linkHref=!0,D(de)}}function I(q,L){return q.match(/^([^\]\\]|\\.)*\]:/,!1)?(L.f=B,q.next(),v.highlightFormatting&&(L.formatting="link"),L.linkText=!0,D(L)):M(q,L,j)}function B(q,L){if(q.match("]:",!0)){L.f=L.inline=le,v.highlightFormatting&&(L.formatting="link");var de=D(L);return L.linkText=!1,de}return q.match(/^([^\]\\]|\\.)+/,!0),s.linkText}function le(q,L){return q.eatSpace()?null:(q.match(/^[^\s]+/,!0),q.peek()===void 0?L.linkTitle=!0:q.match(/^(?:\s+(?:"(?:[^"\\]|\\.)+"|'(?:[^'\\]|\\.)+'|\((?:[^)\\]|\\.)+\)))?/,!0),L.f=L.inline=j,s.linkHref+" url")}var xe={startState:function(){return{f:re,prevLine:{stream:null},thisLine:{stream:null},block:re,htmlState:null,indentation:0,inline:j,text:Q,formatting:!1,linkText:!1,linkHref:!1,linkTitle:!1,code:0,em:!1,strong:!1,header:0,setext:0,hr:!1,taskList:!1,list:!1,listStack:[],quote:0,trailingSpace:0,trailingSpaceNewLine:!1,strikethrough:!1,emoji:!1,fencedEndRE:null}},copyState:function(q){return{f:q.f,prevLine:q.prevLine,thisLine:q.thisLine,block:q.block,htmlState:q.htmlState&&o.copyState(C,q.htmlState),indentation:q.indentation,localMode:q.localMode,localState:q.localMode?o.copyState(q.localMode,q.localState):null,inline:q.inline,text:q.text,formatting:!1,linkText:q.linkText,linkTitle:q.linkTitle,linkHref:q.linkHref,code:q.code,em:q.em,strong:q.strong,strikethrough:q.strikethrough,emoji:q.emoji,header:q.header,setext:q.setext,hr:q.hr,taskList:q.taskList,list:q.list,listStack:q.listStack.slice(0),quote:q.quote,indentedCode:q.indentedCode,trailingSpace:q.trailingSpace,trailingSpaceNewLine:q.trailingSpaceNewLine,md_inside:q.md_inside,fencedEndRE:q.fencedEndRE}},token:function(q,L){if(L.formatting=!1,q!=L.thisLine.stream){if(L.header=0,L.hr=!1,q.match(/^\s*$/,!0))return ee(L),null;if(L.prevLine=L.thisLine,L.thisLine={stream:q},L.taskList=!1,L.trailingSpace=0,L.trailingSpaceNewLine=!1,!L.localState&&(L.f=L.block,L.f!=N)){var de=q.match(/^\s*/,!0)[0].replace(/\t/g,R).length;if(L.indentation=de,L.indentationDiff=null,de>0)return null}}return L.f(q,L)},innerMode:function(q){return q.block==N?{state:q.htmlState,mode:C}:q.localState?{state:q.localState,mode:q.localMode}:{state:q,mode:xe}},indent:function(q,L,de){return q.block==N&&C.indent?C.indent(q.htmlState,L,de):q.localState&&q.localMode.indent?q.localMode.indent(q.localState,L,de):o.Pass},blankLine:ee,getType:D,blockCommentStart:"",closeBrackets:"()[]{}''\"\"``",fold:"markdown"};return xe},"xml"),o.defineMIME("text/markdown","markdown"),o.defineMIME("text/x-markdown","markdown")})});var eu=Ke((Vs,Js)=>{(function(o){typeof Vs=="object"&&typeof Js=="object"?o(We(),Jo(),Yn()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../markdown/markdown","../../addon/mode/overlay"],o):o(CodeMirror)})(function(o){"use strict";var p=/^((?:(?:aaas?|about|acap|adiumxtra|af[ps]|aim|apt|attachment|aw|beshare|bitcoin|bolo|callto|cap|chrome(?:-extension)?|cid|coap|com-eventbrite-attendee|content|crid|cvs|data|dav|dict|dlna-(?:playcontainer|playsingle)|dns|doi|dtn|dvb|ed2k|facetime|feed|file|finger|fish|ftp|geo|gg|git|gizmoproject|go|gopher|gtalk|h323|hcp|https?|iax|icap|icon|im|imap|info|ipn|ipp|irc[6s]?|iris(?:\.beep|\.lwz|\.xpc|\.xpcs)?|itms|jar|javascript|jms|keyparc|lastfm|ldaps?|magnet|mailto|maps|market|message|mid|mms|ms-help|msnim|msrps?|mtqp|mumble|mupdate|mvn|news|nfs|nih?|nntp|notes|oid|opaquelocktoken|palm|paparazzi|platform|pop|pres|proxy|psyc|query|res(?:ource)?|rmi|rsync|rtmp|rtsp|secondlife|service|session|sftp|sgn|shttp|sieve|sips?|skype|sm[bs]|snmp|soap\.beeps?|soldat|spotify|ssh|steam|svn|tag|teamspeak|tel(?:net)?|tftp|things|thismessage|tip|tn3270|tv|udp|unreal|urn|ut2004|vemmi|ventrilo|view-source|webcal|wss?|wtai|wyciwyg|xcon(?:-userid)?|xfire|xmlrpc\.beeps?|xmpp|xri|ymsgr|z39\.50[rs]?):(?:\/{1,3}|[a-z0-9%])|www\d{0,3}[.]|[a-z0-9.\-]+[.][a-z]{2,4}\/)(?:[^\s()<>]|\([^\s()<>]*\))+(?:\([^\s()<>]*\)|[^\s`*!()\[\]{};:'".,<>?«»“”‘’]))/i;o.defineMode("gfm",function(v,C){var b=0;function S(T){return T.code=!1,null}var s={startState:function(){return{code:!1,codeBlock:!1,ateSpace:!1}},copyState:function(T){return{code:T.code,codeBlock:T.codeBlock,ateSpace:T.ateSpace}},token:function(T,x){if(x.combineTokens=null,x.codeBlock)return T.match(/^```+/)?(x.codeBlock=!1,null):(T.skipToEnd(),null);if(T.sol()&&(x.code=!1),T.sol()&&T.match(/^```+/))return T.skipToEnd(),x.codeBlock=!0,null;if(T.peek()==="`"){T.next();var c=T.pos;T.eatWhile("`");var d=1+T.pos-c;return x.code?d===b&&(x.code=!1):(b=d,x.code=!0),null}else if(x.code)return T.next(),null;if(T.eatSpace())return x.ateSpace=!0,null;if((T.sol()||x.ateSpace)&&(x.ateSpace=!1,C.gitHubSpice!==!1)){if(T.match(/^(?:[a-zA-Z0-9\-_]+\/)?(?:[a-zA-Z0-9\-_]+@)?(?=.{0,6}\d)(?:[a-f0-9]{7,40}\b)/))return x.combineTokens=!0,"link";if(T.match(/^(?:[a-zA-Z0-9\-_]+\/)?(?:[a-zA-Z0-9\-_]+)?#[0-9]+\b/))return x.combineTokens=!0,"link"}return T.match(p)&&T.string.slice(T.start-2,T.start)!="]("&&(T.start==0||/\W/.test(T.string.charAt(T.start-1)))?(x.combineTokens=!0,"link"):(T.next(),null)},blankLine:S},h={taskLists:!0,strikethrough:!0,emoji:!0};for(var g in C)h[g]=C[g];return h.name="markdown",o.overlayMode(o.getMode(v,h),s)},"markdown"),o.defineMIME("text/x-gfm","gfm")})});var nu=Ke((tu,ru)=>{(function(o){typeof tu=="object"&&typeof ru=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("go",function(p){var v=p.indentUnit,C={break:!0,case:!0,chan:!0,const:!0,continue:!0,default:!0,defer:!0,else:!0,fallthrough:!0,for:!0,func:!0,go:!0,goto:!0,if:!0,import:!0,interface:!0,map:!0,package:!0,range:!0,return:!0,select:!0,struct:!0,switch:!0,type:!0,var:!0,bool:!0,byte:!0,complex64:!0,complex128:!0,float32:!0,float64:!0,int8:!0,int16:!0,int32:!0,int64:!0,string:!0,uint8:!0,uint16:!0,uint32:!0,uint64:!0,int:!0,uint:!0,uintptr:!0,error:!0,rune:!0,any:!0,comparable:!0},b={true:!0,false:!0,iota:!0,nil:!0,append:!0,cap:!0,close:!0,complex:!0,copy:!0,delete:!0,imag:!0,len:!0,make:!0,new:!0,panic:!0,print:!0,println:!0,real:!0,recover:!0},S=/[+\-*&^%:=<>!|\/]/,s;function h(w,E){var z=w.next();if(z=='"'||z=="'"||z=="`")return E.tokenize=g(z),E.tokenize(w,E);if(/[\d\.]/.test(z))return z=="."?w.match(/^[0-9_]+([eE][\-+]?[0-9_]+)?/):z=="0"?w.match(/^[xX][0-9a-fA-F_]+/)||w.match(/^[0-7_]+/):w.match(/^[0-9_]*\.?[0-9_]*([eE][\-+]?[0-9_]+)?/),"number";if(/[\[\]{}\(\),;\:\.]/.test(z))return s=z,null;if(z=="/"){if(w.eat("*"))return E.tokenize=T,T(w,E);if(w.eat("/"))return w.skipToEnd(),"comment"}if(S.test(z))return w.eatWhile(S),"operator";w.eatWhile(/[\w\$_\xa1-\uffff]/);var y=w.current();return C.propertyIsEnumerable(y)?((y=="case"||y=="default")&&(s="case"),"keyword"):b.propertyIsEnumerable(y)?"atom":"variable"}function g(w){return function(E,z){for(var y=!1,R,M=!1;(R=E.next())!=null;){if(R==w&&!y){M=!0;break}y=!y&&w!="`"&&R=="\\"}return(M||!(y||w=="`"))&&(z.tokenize=h),"string"}}function T(w,E){for(var z=!1,y;y=w.next();){if(y=="/"&&z){E.tokenize=h;break}z=y=="*"}return"comment"}function x(w,E,z,y,R){this.indented=w,this.column=E,this.type=z,this.align=y,this.prev=R}function c(w,E,z){return w.context=new x(w.indented,E,z,null,w.context)}function d(w){if(w.context.prev){var E=w.context.type;return(E==")"||E=="]"||E=="}")&&(w.indented=w.context.indented),w.context=w.context.prev}}return{startState:function(w){return{tokenize:null,context:new x((w||0)-v,0,"top",!1),indented:0,startOfLine:!0}},token:function(w,E){var z=E.context;if(w.sol()&&(z.align==null&&(z.align=!1),E.indented=w.indentation(),E.startOfLine=!0,z.type=="case"&&(z.type="}")),w.eatSpace())return null;s=null;var y=(E.tokenize||h)(w,E);return y=="comment"||(z.align==null&&(z.align=!0),s=="{"?c(E,w.column(),"}"):s=="["?c(E,w.column(),"]"):s=="("?c(E,w.column(),")"):s=="case"?z.type="case":(s=="}"&&z.type=="}"||s==z.type)&&d(E),E.startOfLine=!1),y},indent:function(w,E){if(w.tokenize!=h&&w.tokenize!=null)return o.Pass;var z=w.context,y=E&&E.charAt(0);if(z.type=="case"&&/^(?:case|default)\b/.test(E))return w.context.type="}",z.indented;var R=y==z.type;return z.align?z.column+(R?0:1):z.indented+(R?0:v)},electricChars:"{}):",closeBrackets:"()[]{}''\"\"``",fold:"brace",blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:"//"}}),o.defineMIME("text/x-go","go")})});var au=Ke((iu,ou)=>{(function(o){typeof iu=="object"&&typeof ou=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("http",function(){function p(T,x){return T.skipToEnd(),x.cur=h,"error"}function v(T,x){return T.match(/^HTTP\/\d\.\d/)?(x.cur=C,"keyword"):T.match(/^[A-Z]+/)&&/[ \t]/.test(T.peek())?(x.cur=S,"keyword"):p(T,x)}function C(T,x){var c=T.match(/^\d+/);if(!c)return p(T,x);x.cur=b;var d=Number(c[0]);return d>=100&&d<200?"positive informational":d>=200&&d<300?"positive success":d>=300&&d<400?"positive redirect":d>=400&&d<500?"negative client-error":d>=500&&d<600?"negative server-error":"error"}function b(T,x){return T.skipToEnd(),x.cur=h,null}function S(T,x){return T.eatWhile(/\S/),x.cur=s,"string-2"}function s(T,x){return T.match(/^HTTP\/\d\.\d$/)?(x.cur=h,"keyword"):p(T,x)}function h(T){return T.sol()&&!T.eat(/[ \t]/)?T.match(/^.*?:/)?"atom":(T.skipToEnd(),"error"):(T.skipToEnd(),"string")}function g(T){return T.skipToEnd(),null}return{token:function(T,x){var c=x.cur;return c!=h&&c!=g&&T.eatSpace()?null:c(T,x)},blankLine:function(T){T.cur=g},startState:function(){return{cur:v}}}}),o.defineMIME("message/http","http")})});var uu=Ke((lu,su)=>{(function(o){typeof lu=="object"&&typeof su=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("jinja2",function(){var p=["and","as","block","endblock","by","cycle","debug","else","elif","extends","filter","endfilter","firstof","do","for","endfor","if","endif","ifchanged","endifchanged","ifequal","endifequal","ifnotequal","set","raw","endraw","endifnotequal","in","include","load","not","now","or","parsed","regroup","reversed","spaceless","call","endcall","macro","endmacro","endspaceless","ssi","templatetag","openblock","closeblock","openvariable","closevariable","without","context","openbrace","closebrace","opencomment","closecomment","widthratio","url","with","endwith","get_current_language","trans","endtrans","noop","blocktrans","endblocktrans","get_available_languages","get_current_language_bidi","pluralize","autoescape","endautoescape"],v=/^[+\-*&%=<>!?|~^]/,C=/^[:\[\(\{]/,b=["true","false"],S=/^(\d[+\-\*\/])?\d+(\.\d+)?/;p=new RegExp("(("+p.join(")|(")+"))\\b"),b=new RegExp("(("+b.join(")|(")+"))\\b");function s(h,g){var T=h.peek();if(g.incomment)return h.skipTo("#}")?(h.eatWhile(/\#|}/),g.incomment=!1):h.skipToEnd(),"comment";if(g.intag){if(g.operator){if(g.operator=!1,h.match(b))return"atom";if(h.match(S))return"number"}if(g.sign){if(g.sign=!1,h.match(b))return"atom";if(h.match(S))return"number"}if(g.instring)return T==g.instring&&(g.instring=!1),h.next(),"string";if(T=="'"||T=='"')return g.instring=T,h.next(),"string";if(g.inbraces>0&&T==")")h.next(),g.inbraces--;else if(T=="(")h.next(),g.inbraces++;else if(g.inbrackets>0&&T=="]")h.next(),g.inbrackets--;else if(T=="[")h.next(),g.inbrackets++;else{if(!g.lineTag&&(h.match(g.intag+"}")||h.eat("-")&&h.match(g.intag+"}")))return g.intag=!1,"tag";if(h.match(v))return g.operator=!0,"operator";if(h.match(C))g.sign=!0;else{if(h.column()==1&&g.lineTag&&h.match(p))return"keyword";if(h.eat(" ")||h.sol()){if(h.match(p))return"keyword";if(h.match(b))return"atom";if(h.match(S))return"number";h.sol()&&h.next()}else h.next()}}return"variable"}else if(h.eat("{")){if(h.eat("#"))return g.incomment=!0,h.skipTo("#}")?(h.eatWhile(/\#|}/),g.incomment=!1):h.skipToEnd(),"comment";if(T=h.eat(/\{|%/))return g.intag=T,g.inbraces=0,g.inbrackets=0,T=="{"&&(g.intag="}"),h.eat("-"),"tag"}else if(h.eat("#")){if(h.peek()=="#")return h.skipToEnd(),"comment";if(!h.eol())return g.intag=!0,g.lineTag=!0,g.inbraces=0,g.inbrackets=0,"tag"}h.next()}return{startState:function(){return{tokenize:s,inbrackets:0,inbraces:0}},token:function(h,g){var T=g.tokenize(h,g);return h.eol()&&g.lineTag&&!g.instring&&g.inbraces==0&&g.inbrackets==0&&(g.intag=!1,g.lineTag=!1),T},blockCommentStart:"{#",blockCommentEnd:"#}",lineComment:"##"}}),o.defineMIME("text/jinja2","jinja2")})});var du=Ke((cu,fu)=>{(function(o){typeof cu=="object"&&typeof fu=="object"?o(We(),mn(),vn()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../xml/xml","../javascript/javascript"],o):o(CodeMirror)})(function(o){"use strict";function p(C,b,S,s){this.state=C,this.mode=b,this.depth=S,this.prev=s}function v(C){return new p(o.copyState(C.mode,C.state),C.mode,C.depth,C.prev&&v(C.prev))}o.defineMode("jsx",function(C,b){var S=o.getMode(C,{name:"xml",allowMissing:!0,multilineTagIndentPastTag:!1,allowMissingTagName:!0}),s=o.getMode(C,b&&b.base||"javascript");function h(c){var d=c.tagName;c.tagName=null;var w=S.indent(c,"","");return c.tagName=d,w}function g(c,d){return d.context.mode==S?T(c,d,d.context):x(c,d,d.context)}function T(c,d,w){if(w.depth==2)return c.match(/^.*?\*\//)?w.depth=1:c.skipToEnd(),"comment";if(c.peek()=="{"){S.skipAttribute(w.state);var E=h(w.state),z=w.state.context;if(z&&c.match(/^[^>]*>\s*$/,!1)){for(;z.prev&&!z.startOfLine;)z=z.prev;z.startOfLine?E-=C.indentUnit:w.prev.state.lexical&&(E=w.prev.state.lexical.indented)}else w.depth==1&&(E+=C.indentUnit);return d.context=new p(o.startState(s,E),s,0,d.context),null}if(w.depth==1){if(c.peek()=="<")return S.skipAttribute(w.state),d.context=new p(o.startState(S,h(w.state)),S,0,d.context),null;if(c.match("//"))return c.skipToEnd(),"comment";if(c.match("/*"))return w.depth=2,g(c,d)}var y=S.token(c,w.state),R=c.current(),M;return/\btag\b/.test(y)?/>$/.test(R)?w.state.context?w.depth=0:d.context=d.context.prev:/^-1&&c.backUp(R.length-M),y}function x(c,d,w){if(c.peek()=="<"&&!c.match(/^<([^<>]|<[^>]*>)+,\s*>/,!1)&&s.expressionAllowed(c,w.state))return d.context=new p(o.startState(S,s.indent(w.state,"","")),S,0,d.context),s.skipExpression(w.state),null;var E=s.token(c,w.state);if(!E&&w.depth!=null){var z=c.current();z=="{"?w.depth++:z=="}"&&--w.depth==0&&(d.context=d.context.prev)}return E}return{startState:function(){return{context:new p(o.startState(s),s)}},copyState:function(c){return{context:v(c.context)}},token:g,indent:function(c,d,w){return c.context.mode.indent(c.context.state,d,w)},innerMode:function(c){return c.context}}},"xml","javascript"),o.defineMIME("text/jsx","jsx"),o.defineMIME("text/typescript-jsx",{name:"jsx",base:{name:"javascript",typescript:!0}})})});var gu=Ke((pu,hu)=>{(function(o){typeof pu=="object"&&typeof hu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("nginx",function(p){function v(w){for(var E={},z=w.split(" "),y=0;y*\/]/.test(y)?g(null,"select-op"):/[;{}:\[\]]/.test(y)?g(null,y):(w.eatWhile(/[\w\\\-]/),g("variable","variable"))}function x(w,E){for(var z=!1,y;(y=w.next())!=null;){if(z&&y=="/"){E.tokenize=T;break}z=y=="*"}return g("comment","comment")}function c(w,E){for(var z=0,y;(y=w.next())!=null;){if(z>=2&&y==">"){E.tokenize=T;break}z=y=="-"?z+1:0}return g("comment","comment")}function d(w){return function(E,z){for(var y=!1,R;(R=E.next())!=null&&!(R==w&&!y);)y=!y&&R=="\\";return y||(z.tokenize=T),g("string","string")}}return{startState:function(w){return{tokenize:T,baseIndent:w||0,stack:[]}},token:function(w,E){if(w.eatSpace())return null;h=null;var z=E.tokenize(w,E),y=E.stack[E.stack.length-1];return h=="hash"&&y=="rule"?z="atom":z=="variable"&&(y=="rule"?z="number":(!y||y=="@media{")&&(z="tag")),y=="rule"&&/^[\{\};]$/.test(h)&&E.stack.pop(),h=="{"?y=="@media"?E.stack[E.stack.length-1]="@media{":E.stack.push("{"):h=="}"?E.stack.pop():h=="@media"?E.stack.push("@media"):y=="{"&&h!="comment"&&E.stack.push("rule"),z},indent:function(w,E){var z=w.stack.length;return/^\}/.test(E)&&(z-=w.stack[w.stack.length-1]=="rule"?2:1),w.baseIndent+z*s},electricChars:"}"}}),o.defineMIME("text/x-nginx-conf","nginx")})});var bu=Ke((mu,vu)=>{(function(o){typeof mu=="object"&&typeof vu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("pascal",function(){function p(T){for(var x={},c=T.split(" "),d=0;d!?|\/]/;function S(T,x){var c=T.next();if(c=="#"&&x.startOfLine)return T.skipToEnd(),"meta";if(c=='"'||c=="'")return x.tokenize=s(c),x.tokenize(T,x);if(c=="("&&T.eat("*"))return x.tokenize=h,h(T,x);if(c=="{")return x.tokenize=g,g(T,x);if(/[\[\]\(\),;\:\.]/.test(c))return null;if(/\d/.test(c))return T.eatWhile(/[\w\.]/),"number";if(c=="/"&&T.eat("/"))return T.skipToEnd(),"comment";if(b.test(c))return T.eatWhile(b),"operator";T.eatWhile(/[\w\$_]/);var d=T.current();return v.propertyIsEnumerable(d)?"keyword":C.propertyIsEnumerable(d)?"atom":"variable"}function s(T){return function(x,c){for(var d=!1,w,E=!1;(w=x.next())!=null;){if(w==T&&!d){E=!0;break}d=!d&&w=="\\"}return(E||!d)&&(c.tokenize=null),"string"}}function h(T,x){for(var c=!1,d;d=T.next();){if(d==")"&&c){x.tokenize=null;break}c=d=="*"}return"comment"}function g(T,x){for(var c;c=T.next();)if(c=="}"){x.tokenize=null;break}return"comment"}return{startState:function(){return{tokenize:null}},token:function(T,x){if(T.eatSpace())return null;var c=(x.tokenize||S)(T,x);return c=="comment"||c=="meta",c},electricChars:"{}"}}),o.defineMIME("text/x-pascal","pascal")})});var _u=Ke((yu,xu)=>{(function(o){typeof yu=="object"&&typeof xu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("perl",function(){var S={"->":4,"++":4,"--":4,"**":4,"=~":4,"!~":4,"*":4,"/":4,"%":4,x:4,"+":4,"-":4,".":4,"<<":4,">>":4,"<":4,">":4,"<=":4,">=":4,lt:4,gt:4,le:4,ge:4,"==":4,"!=":4,"<=>":4,eq:4,ne:4,cmp:4,"~~":4,"&":4,"|":4,"^":4,"&&":4,"||":4,"//":4,"..":4,"...":4,"?":4,":":4,"=":4,"+=":4,"-=":4,"*=":4,",":4,"=>":4,"::":4,not:4,and:4,or:4,xor:4,BEGIN:[5,1],END:[5,1],PRINT:[5,1],PRINTF:[5,1],GETC:[5,1],READ:[5,1],READLINE:[5,1],DESTROY:[5,1],TIE:[5,1],TIEHANDLE:[5,1],UNTIE:[5,1],STDIN:5,STDIN_TOP:5,STDOUT:5,STDOUT_TOP:5,STDERR:5,STDERR_TOP:5,$ARG:5,$_:5,"@ARG":5,"@_":5,$LIST_SEPARATOR:5,'$"':5,$PROCESS_ID:5,$PID:5,$$:5,$REAL_GROUP_ID:5,$GID:5,"$(":5,$EFFECTIVE_GROUP_ID:5,$EGID:5,"$)":5,$PROGRAM_NAME:5,$0:5,$SUBSCRIPT_SEPARATOR:5,$SUBSEP:5,"$;":5,$REAL_USER_ID:5,$UID:5,"$<":5,$EFFECTIVE_USER_ID:5,$EUID:5,"$>":5,$a:5,$b:5,$COMPILING:5,"$^C":5,$DEBUGGING:5,"$^D":5,"${^ENCODING}":5,$ENV:5,"%ENV":5,$SYSTEM_FD_MAX:5,"$^F":5,"@F":5,"${^GLOBAL_PHASE}":5,"$^H":5,"%^H":5,"@INC":5,"%INC":5,$INPLACE_EDIT:5,"$^I":5,"$^M":5,$OSNAME:5,"$^O":5,"${^OPEN}":5,$PERLDB:5,"$^P":5,$SIG:5,"%SIG":5,$BASETIME:5,"$^T":5,"${^TAINT}":5,"${^UNICODE}":5,"${^UTF8CACHE}":5,"${^UTF8LOCALE}":5,$PERL_VERSION:5,"$^V":5,"${^WIN32_SLOPPY_STAT}":5,$EXECUTABLE_NAME:5,"$^X":5,$1:5,$MATCH:5,"$&":5,"${^MATCH}":5,$PREMATCH:5,"$`":5,"${^PREMATCH}":5,$POSTMATCH:5,"$'":5,"${^POSTMATCH}":5,$LAST_PAREN_MATCH:5,"$+":5,$LAST_SUBMATCH_RESULT:5,"$^N":5,"@LAST_MATCH_END":5,"@+":5,"%LAST_PAREN_MATCH":5,"%+":5,"@LAST_MATCH_START":5,"@-":5,"%LAST_MATCH_START":5,"%-":5,$LAST_REGEXP_CODE_RESULT:5,"$^R":5,"${^RE_DEBUG_FLAGS}":5,"${^RE_TRIE_MAXBUF}":5,$ARGV:5,"@ARGV":5,ARGV:5,ARGVOUT:5,$OUTPUT_FIELD_SEPARATOR:5,$OFS:5,"$,":5,$INPUT_LINE_NUMBER:5,$NR:5,"$.":5,$INPUT_RECORD_SEPARATOR:5,$RS:5,"$/":5,$OUTPUT_RECORD_SEPARATOR:5,$ORS:5,"$\\":5,$OUTPUT_AUTOFLUSH:5,"$|":5,$ACCUMULATOR:5,"$^A":5,$FORMAT_FORMFEED:5,"$^L":5,$FORMAT_PAGE_NUMBER:5,"$%":5,$FORMAT_LINES_LEFT:5,"$-":5,$FORMAT_LINE_BREAK_CHARACTERS:5,"$:":5,$FORMAT_LINES_PER_PAGE:5,"$=":5,$FORMAT_TOP_NAME:5,"$^":5,$FORMAT_NAME:5,"$~":5,"${^CHILD_ERROR_NATIVE}":5,$EXTENDED_OS_ERROR:5,"$^E":5,$EXCEPTIONS_BEING_CAUGHT:5,"$^S":5,$WARNING:5,"$^W":5,"${^WARNING_BITS}":5,$OS_ERROR:5,$ERRNO:5,"$!":5,"%OS_ERROR":5,"%ERRNO":5,"%!":5,$CHILD_ERROR:5,"$?":5,$EVAL_ERROR:5,"$@":5,$OFMT:5,"$#":5,"$*":5,$ARRAY_BASE:5,"$[":5,$OLD_PERL_VERSION:5,"$]":5,if:[1,1],elsif:[1,1],else:[1,1],while:[1,1],unless:[1,1],for:[1,1],foreach:[1,1],abs:1,accept:1,alarm:1,atan2:1,bind:1,binmode:1,bless:1,bootstrap:1,break:1,caller:1,chdir:1,chmod:1,chomp:1,chop:1,chown:1,chr:1,chroot:1,close:1,closedir:1,connect:1,continue:[1,1],cos:1,crypt:1,dbmclose:1,dbmopen:1,default:1,defined:1,delete:1,die:1,do:1,dump:1,each:1,endgrent:1,endhostent:1,endnetent:1,endprotoent:1,endpwent:1,endservent:1,eof:1,eval:1,exec:1,exists:1,exit:1,exp:1,fcntl:1,fileno:1,flock:1,fork:1,format:1,formline:1,getc:1,getgrent:1,getgrgid:1,getgrnam:1,gethostbyaddr:1,gethostbyname:1,gethostent:1,getlogin:1,getnetbyaddr:1,getnetbyname:1,getnetent:1,getpeername:1,getpgrp:1,getppid:1,getpriority:1,getprotobyname:1,getprotobynumber:1,getprotoent:1,getpwent:1,getpwnam:1,getpwuid:1,getservbyname:1,getservbyport:1,getservent:1,getsockname:1,getsockopt:1,given:1,glob:1,gmtime:1,goto:1,grep:1,hex:1,import:1,index:1,int:1,ioctl:1,join:1,keys:1,kill:1,last:1,lc:1,lcfirst:1,length:1,link:1,listen:1,local:2,localtime:1,lock:1,log:1,lstat:1,m:null,map:1,mkdir:1,msgctl:1,msgget:1,msgrcv:1,msgsnd:1,my:2,new:1,next:1,no:1,oct:1,open:1,opendir:1,ord:1,our:2,pack:1,package:1,pipe:1,pop:1,pos:1,print:1,printf:1,prototype:1,push:1,q:null,qq:null,qr:null,quotemeta:null,qw:null,qx:null,rand:1,read:1,readdir:1,readline:1,readlink:1,readpipe:1,recv:1,redo:1,ref:1,rename:1,require:1,reset:1,return:1,reverse:1,rewinddir:1,rindex:1,rmdir:1,s:null,say:1,scalar:1,seek:1,seekdir:1,select:1,semctl:1,semget:1,semop:1,send:1,setgrent:1,sethostent:1,setnetent:1,setpgrp:1,setpriority:1,setprotoent:1,setpwent:1,setservent:1,setsockopt:1,shift:1,shmctl:1,shmget:1,shmread:1,shmwrite:1,shutdown:1,sin:1,sleep:1,socket:1,socketpair:1,sort:1,splice:1,split:1,sprintf:1,sqrt:1,srand:1,stat:1,state:1,study:1,sub:1,substr:1,symlink:1,syscall:1,sysopen:1,sysread:1,sysseek:1,system:1,syswrite:1,tell:1,telldir:1,tie:1,tied:1,time:1,times:1,tr:null,truncate:1,uc:1,ucfirst:1,umask:1,undef:1,unlink:1,unpack:1,unshift:1,untie:1,use:1,utime:1,values:1,vec:1,wait:1,waitpid:1,wantarray:1,warn:1,when:1,write:1,y:null},s="string-2",h=/[goseximacplud]/;function g(c,d,w,E,z){return d.chain=null,d.style=null,d.tail=null,d.tokenize=function(y,R){for(var M=!1,H,Z=0;H=y.next();){if(H===w[Z]&&!M)return w[++Z]!==void 0?(R.chain=w[Z],R.style=E,R.tail=z):z&&y.eatWhile(z),R.tokenize=x,E;M=!M&&H=="\\"}return E},d.tokenize(c,d)}function T(c,d,w){return d.tokenize=function(E,z){return E.string==w&&(z.tokenize=x),E.skipToEnd(),"string"},d.tokenize(c,d)}function x(c,d){if(c.eatSpace())return null;if(d.chain)return g(c,d,d.chain,d.style,d.tail);if(c.match(/^(\-?((\d[\d_]*)?\.\d+(e[+-]?\d+)?|\d+\.\d*)|0x[\da-fA-F_]+|0b[01_]+|\d[\d_]*(e[+-]?\d+)?)/))return"number";if(c.match(/^<<(?=[_a-zA-Z])/))return c.eatWhile(/\w/),T(c,d,c.current().substr(2));if(c.sol()&&c.match(/^\=item(?!\w)/))return T(c,d,"=cut");var w=c.next();if(w=='"'||w=="'"){if(v(c,3)=="<<"+w){var E=c.pos;c.eatWhile(/\w/);var z=c.current().substr(1);if(z&&c.eat(w))return T(c,d,z);c.pos=E}return g(c,d,[w],"string")}if(w=="q"){var y=p(c,-2);if(!(y&&/\w/.test(y))){if(y=p(c,0),y=="x"){if(y=p(c,1),y=="(")return b(c,2),g(c,d,[")"],s,h);if(y=="[")return b(c,2),g(c,d,["]"],s,h);if(y=="{")return b(c,2),g(c,d,["}"],s,h);if(y=="<")return b(c,2),g(c,d,[">"],s,h);if(/[\^'"!~\/]/.test(y))return b(c,1),g(c,d,[c.eat(y)],s,h)}else if(y=="q"){if(y=p(c,1),y=="(")return b(c,2),g(c,d,[")"],"string");if(y=="[")return b(c,2),g(c,d,["]"],"string");if(y=="{")return b(c,2),g(c,d,["}"],"string");if(y=="<")return b(c,2),g(c,d,[">"],"string");if(/[\^'"!~\/]/.test(y))return b(c,1),g(c,d,[c.eat(y)],"string")}else if(y=="w"){if(y=p(c,1),y=="(")return b(c,2),g(c,d,[")"],"bracket");if(y=="[")return b(c,2),g(c,d,["]"],"bracket");if(y=="{")return b(c,2),g(c,d,["}"],"bracket");if(y=="<")return b(c,2),g(c,d,[">"],"bracket");if(/[\^'"!~\/]/.test(y))return b(c,1),g(c,d,[c.eat(y)],"bracket")}else if(y=="r"){if(y=p(c,1),y=="(")return b(c,2),g(c,d,[")"],s,h);if(y=="[")return b(c,2),g(c,d,["]"],s,h);if(y=="{")return b(c,2),g(c,d,["}"],s,h);if(y=="<")return b(c,2),g(c,d,[">"],s,h);if(/[\^'"!~\/]/.test(y))return b(c,1),g(c,d,[c.eat(y)],s,h)}else if(/[\^'"!~\/(\[{<]/.test(y)){if(y=="(")return b(c,1),g(c,d,[")"],"string");if(y=="[")return b(c,1),g(c,d,["]"],"string");if(y=="{")return b(c,1),g(c,d,["}"],"string");if(y=="<")return b(c,1),g(c,d,[">"],"string");if(/[\^'"!~\/]/.test(y))return g(c,d,[c.eat(y)],"string")}}}if(w=="m"){var y=p(c,-2);if(!(y&&/\w/.test(y))&&(y=c.eat(/[(\[{<\^'"!~\/]/),y)){if(/[\^'"!~\/]/.test(y))return g(c,d,[y],s,h);if(y=="(")return g(c,d,[")"],s,h);if(y=="[")return g(c,d,["]"],s,h);if(y=="{")return g(c,d,["}"],s,h);if(y=="<")return g(c,d,[">"],s,h)}}if(w=="s"){var y=/[\/>\]})\w]/.test(p(c,-2));if(!y&&(y=c.eat(/[(\[{<\^'"!~\/]/),y))return y=="["?g(c,d,["]","]"],s,h):y=="{"?g(c,d,["}","}"],s,h):y=="<"?g(c,d,[">",">"],s,h):y=="("?g(c,d,[")",")"],s,h):g(c,d,[y,y],s,h)}if(w=="y"){var y=/[\/>\]})\w]/.test(p(c,-2));if(!y&&(y=c.eat(/[(\[{<\^'"!~\/]/),y))return y=="["?g(c,d,["]","]"],s,h):y=="{"?g(c,d,["}","}"],s,h):y=="<"?g(c,d,[">",">"],s,h):y=="("?g(c,d,[")",")"],s,h):g(c,d,[y,y],s,h)}if(w=="t"){var y=/[\/>\]})\w]/.test(p(c,-2));if(!y&&(y=c.eat("r"),y&&(y=c.eat(/[(\[{<\^'"!~\/]/),y)))return y=="["?g(c,d,["]","]"],s,h):y=="{"?g(c,d,["}","}"],s,h):y=="<"?g(c,d,[">",">"],s,h):y=="("?g(c,d,[")",")"],s,h):g(c,d,[y,y],s,h)}if(w=="`")return g(c,d,[w],"variable-2");if(w=="/")return/~\s*$/.test(v(c))?g(c,d,[w],s,h):"operator";if(w=="$"){var E=c.pos;if(c.eatWhile(/\d/)||c.eat("{")&&c.eatWhile(/\d/)&&c.eat("}"))return"variable-2";c.pos=E}if(/[$@%]/.test(w)){var E=c.pos;if(c.eat("^")&&c.eat(/[A-Z]/)||!/[@$%&]/.test(p(c,-2))&&c.eat(/[=|\\\-#?@;:&`~\^!\[\]*'"$+.,\/<>()]/)){var y=c.current();if(S[y])return"variable-2"}c.pos=E}if(/[$@%&]/.test(w)&&(c.eatWhile(/[\w$]/)||c.eat("{")&&c.eatWhile(/[\w$]/)&&c.eat("}"))){var y=c.current();return S[y]?"variable-2":"variable"}if(w=="#"&&p(c,-2)!="$")return c.skipToEnd(),"comment";if(/[:+\-\^*$&%@=<>!?|\/~\.]/.test(w)){var E=c.pos;if(c.eatWhile(/[:+\-\^*$&%@=<>!?|\/~\.]/),S[c.current()])return"operator";c.pos=E}if(w=="_"&&c.pos==1){if(C(c,6)=="_END__")return g(c,d,["\0"],"comment");if(C(c,7)=="_DATA__")return g(c,d,["\0"],"variable-2");if(C(c,7)=="_C__")return g(c,d,["\0"],"string")}if(/\w/.test(w)){var E=c.pos;if(p(c,-2)=="{"&&(p(c,0)=="}"||c.eatWhile(/\w/)&&p(c,0)=="}"))return"string";c.pos=E}if(/[A-Z]/.test(w)){var R=p(c,-2),E=c.pos;if(c.eatWhile(/[A-Z_]/),/[\da-z]/.test(p(c,0)))c.pos=E;else{var y=S[c.current()];return y?(y[1]&&(y=y[0]),R!=":"?y==1?"keyword":y==2?"def":y==3?"atom":y==4?"operator":y==5?"variable-2":"meta":"meta"):"meta"}}if(/[a-zA-Z_]/.test(w)){var R=p(c,-2);c.eatWhile(/\w/);var y=S[c.current()];return y?(y[1]&&(y=y[0]),R!=":"?y==1?"keyword":y==2?"def":y==3?"atom":y==4?"operator":y==5?"variable-2":"meta":"meta"):"meta"}return null}return{startState:function(){return{tokenize:x,chain:null,style:null,tail:null}},token:function(c,d){return(d.tokenize||x)(c,d)},lineComment:"#"}}),o.registerHelper("wordChars","perl",/[\w$]/),o.defineMIME("text/x-perl","perl");function p(S,s){return S.string.charAt(S.pos+(s||0))}function v(S,s){if(s){var h=S.pos-s;return S.string.substr(h>=0?h:0,s)}else return S.string.substr(0,S.pos-1)}function C(S,s){var h=S.string.length,g=h-S.pos+1;return S.string.substr(S.pos,s&&s=(g=S.string.length-1)?S.pos=g:S.pos=h}})});var Su=Ke((ku,wu)=>{(function(o){typeof ku=="object"&&typeof wu=="object"?o(We(),Qn(),Vo()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../htmlmixed/htmlmixed","../clike/clike"],o):o(CodeMirror)})(function(o){"use strict";function p(T){for(var x={},c=T.split(" "),d=0;d\w/,!1)&&(x.tokenize=v([[["->",null]],[[/[\w]+/,"variable"]]],c,d)),"variable-2";for(var w=!1;!T.eol()&&(w||d===!1||!T.match("{$",!1)&&!T.match(/^(\$[a-zA-Z_][a-zA-Z0-9_]*|\$\{)/,!1));){if(!w&&T.match(c)){x.tokenize=null,x.tokStack.pop(),x.tokStack.pop();break}w=T.next()=="\\"&&!w}return"string"}var S="abstract and array as break case catch class clone const continue declare default do else elseif enddeclare endfor endforeach endif endswitch endwhile enum extends final for foreach function global goto if implements interface instanceof namespace new or private protected public static switch throw trait try use var while xor die echo empty exit eval include include_once isset list require require_once return print unset __halt_compiler self static parent yield insteadof finally readonly match",s="true false null TRUE FALSE NULL __CLASS__ __DIR__ __FILE__ __LINE__ __METHOD__ __FUNCTION__ __NAMESPACE__ __TRAIT__",h="func_num_args func_get_arg func_get_args strlen strcmp strncmp strcasecmp strncasecmp each error_reporting define defined trigger_error user_error set_error_handler restore_error_handler get_declared_classes get_loaded_extensions extension_loaded get_extension_funcs debug_backtrace constant bin2hex hex2bin sleep usleep time mktime gmmktime strftime gmstrftime strtotime date gmdate getdate localtime checkdate flush wordwrap htmlspecialchars htmlentities html_entity_decode md5 md5_file crc32 getimagesize image_type_to_mime_type phpinfo phpversion phpcredits strnatcmp strnatcasecmp substr_count strspn strcspn strtok strtoupper strtolower strpos strrpos strrev hebrev hebrevc nl2br basename dirname pathinfo stripslashes stripcslashes strstr stristr strrchr str_shuffle str_word_count strcoll substr substr_replace quotemeta ucfirst ucwords strtr addslashes addcslashes rtrim str_replace str_repeat count_chars chunk_split trim ltrim strip_tags similar_text explode implode setlocale localeconv parse_str str_pad chop strchr sprintf printf vprintf vsprintf sscanf fscanf parse_url urlencode urldecode rawurlencode rawurldecode readlink linkinfo link unlink exec system escapeshellcmd escapeshellarg passthru shell_exec proc_open proc_close rand srand getrandmax mt_rand mt_srand mt_getrandmax base64_decode base64_encode abs ceil floor round is_finite is_nan is_infinite bindec hexdec octdec decbin decoct dechex base_convert number_format fmod ip2long long2ip getenv putenv getopt microtime gettimeofday getrusage uniqid quoted_printable_decode set_time_limit get_cfg_var magic_quotes_runtime set_magic_quotes_runtime get_magic_quotes_gpc get_magic_quotes_runtime import_request_variables error_log serialize unserialize memory_get_usage memory_get_peak_usage var_dump var_export debug_zval_dump print_r highlight_file show_source highlight_string ini_get ini_get_all ini_set ini_alter ini_restore get_include_path set_include_path restore_include_path setcookie header headers_sent connection_aborted connection_status ignore_user_abort parse_ini_file is_uploaded_file move_uploaded_file intval floatval doubleval strval gettype settype is_null is_resource is_bool is_long is_float is_int is_integer is_double is_real is_numeric is_string is_array is_object is_scalar ereg ereg_replace eregi eregi_replace split spliti join sql_regcase dl pclose popen readfile rewind rmdir umask fclose feof fgetc fgets fgetss fread fopen fpassthru ftruncate fstat fseek ftell fflush fwrite fputs mkdir rename copy tempnam tmpfile file file_get_contents file_put_contents stream_select stream_context_create stream_context_set_params stream_context_set_option stream_context_get_options stream_filter_prepend stream_filter_append fgetcsv flock get_meta_tags stream_set_write_buffer set_file_buffer set_socket_blocking stream_set_blocking socket_set_blocking stream_get_meta_data stream_register_wrapper stream_wrapper_register stream_set_timeout socket_set_timeout socket_get_status realpath fnmatch fsockopen pfsockopen pack unpack get_browser crypt opendir closedir chdir getcwd rewinddir readdir dir glob fileatime filectime filegroup fileinode filemtime fileowner fileperms filesize filetype file_exists is_writable is_writeable is_readable is_executable is_file is_dir is_link stat lstat chown touch clearstatcache mail ob_start ob_flush ob_clean ob_end_flush ob_end_clean ob_get_flush ob_get_clean ob_get_length ob_get_level ob_get_status ob_get_contents ob_implicit_flush ob_list_handlers ksort krsort natsort natcasesort asort arsort sort rsort usort uasort uksort shuffle array_walk count end prev next reset current key min max in_array array_search extract compact array_fill range array_multisort array_push array_pop array_shift array_unshift array_splice array_slice array_merge array_merge_recursive array_keys array_values array_count_values array_reverse array_reduce array_pad array_flip array_change_key_case array_rand array_unique array_intersect array_intersect_assoc array_diff array_diff_assoc array_sum array_filter array_map array_chunk array_key_exists array_intersect_key array_combine array_column pos sizeof key_exists assert assert_options version_compare ftok str_rot13 aggregate session_name session_module_name session_save_path session_id session_regenerate_id session_decode session_register session_unregister session_is_registered session_encode session_start session_destroy session_unset session_set_save_handler session_cache_limiter session_cache_expire session_set_cookie_params session_get_cookie_params session_write_close preg_match preg_match_all preg_replace preg_replace_callback preg_split preg_quote preg_grep overload ctype_alnum ctype_alpha ctype_cntrl ctype_digit ctype_lower ctype_graph ctype_print ctype_punct ctype_space ctype_upper ctype_xdigit virtual apache_request_headers apache_note apache_lookup_uri apache_child_terminate apache_setenv apache_response_headers apache_get_version getallheaders mysql_connect mysql_pconnect mysql_close mysql_select_db mysql_create_db mysql_drop_db mysql_query mysql_unbuffered_query mysql_db_query mysql_list_dbs mysql_list_tables mysql_list_fields mysql_list_processes mysql_error mysql_errno mysql_affected_rows mysql_insert_id mysql_result mysql_num_rows mysql_num_fields mysql_fetch_row mysql_fetch_array mysql_fetch_assoc mysql_fetch_object mysql_data_seek mysql_fetch_lengths mysql_fetch_field mysql_field_seek mysql_free_result mysql_field_name mysql_field_table mysql_field_len mysql_field_type mysql_field_flags mysql_escape_string mysql_real_escape_string mysql_stat mysql_thread_id mysql_client_encoding mysql_get_client_info mysql_get_host_info mysql_get_proto_info mysql_get_server_info mysql_info mysql mysql_fieldname mysql_fieldtable mysql_fieldlen mysql_fieldtype mysql_fieldflags mysql_selectdb mysql_createdb mysql_dropdb mysql_freeresult mysql_numfields mysql_numrows mysql_listdbs mysql_listtables mysql_listfields mysql_db_name mysql_dbname mysql_tablename mysql_table_name pg_connect pg_pconnect pg_close pg_connection_status pg_connection_busy pg_connection_reset pg_host pg_dbname pg_port pg_tty pg_options pg_ping pg_query pg_send_query pg_cancel_query pg_fetch_result pg_fetch_row pg_fetch_assoc pg_fetch_array pg_fetch_object pg_fetch_all pg_affected_rows pg_get_result pg_result_seek pg_result_status pg_free_result pg_last_oid pg_num_rows pg_num_fields pg_field_name pg_field_num pg_field_size pg_field_type pg_field_prtlen pg_field_is_null pg_get_notify pg_get_pid pg_result_error pg_last_error pg_last_notice pg_put_line pg_end_copy pg_copy_to pg_copy_from pg_trace pg_untrace pg_lo_create pg_lo_unlink pg_lo_open pg_lo_close pg_lo_read pg_lo_write pg_lo_read_all pg_lo_import pg_lo_export pg_lo_seek pg_lo_tell pg_escape_string pg_escape_bytea pg_unescape_bytea pg_client_encoding pg_set_client_encoding pg_meta_data pg_convert pg_insert pg_update pg_delete pg_select pg_exec pg_getlastoid pg_cmdtuples pg_errormessage pg_numrows pg_numfields pg_fieldname pg_fieldsize pg_fieldtype pg_fieldnum pg_fieldprtlen pg_fieldisnull pg_freeresult pg_result pg_loreadall pg_locreate pg_lounlink pg_loopen pg_loclose pg_loread pg_lowrite pg_loimport pg_loexport http_response_code get_declared_traits getimagesizefromstring socket_import_stream stream_set_chunk_size trait_exists header_register_callback class_uses session_status session_register_shutdown echo print global static exit array empty eval isset unset die include require include_once require_once json_decode json_encode json_last_error json_last_error_msg curl_close curl_copy_handle curl_errno curl_error curl_escape curl_exec curl_file_create curl_getinfo curl_init curl_multi_add_handle curl_multi_close curl_multi_exec curl_multi_getcontent curl_multi_info_read curl_multi_init curl_multi_remove_handle curl_multi_select curl_multi_setopt curl_multi_strerror curl_pause curl_reset curl_setopt_array curl_setopt curl_share_close curl_share_init curl_share_setopt curl_strerror curl_unescape curl_version mysqli_affected_rows mysqli_autocommit mysqli_change_user mysqli_character_set_name mysqli_close mysqli_commit mysqli_connect_errno mysqli_connect_error mysqli_connect mysqli_data_seek mysqli_debug mysqli_dump_debug_info mysqli_errno mysqli_error_list mysqli_error mysqli_fetch_all mysqli_fetch_array mysqli_fetch_assoc mysqli_fetch_field_direct mysqli_fetch_field mysqli_fetch_fields mysqli_fetch_lengths mysqli_fetch_object mysqli_fetch_row mysqli_field_count mysqli_field_seek mysqli_field_tell mysqli_free_result mysqli_get_charset mysqli_get_client_info mysqli_get_client_stats mysqli_get_client_version mysqli_get_connection_stats mysqli_get_host_info mysqli_get_proto_info mysqli_get_server_info mysqli_get_server_version mysqli_info mysqli_init mysqli_insert_id mysqli_kill mysqli_more_results mysqli_multi_query mysqli_next_result mysqli_num_fields mysqli_num_rows mysqli_options mysqli_ping mysqli_prepare mysqli_query mysqli_real_connect mysqli_real_escape_string mysqli_real_query mysqli_reap_async_query mysqli_refresh mysqli_rollback mysqli_select_db mysqli_set_charset mysqli_set_local_infile_default mysqli_set_local_infile_handler mysqli_sqlstate mysqli_ssl_set mysqli_stat mysqli_stmt_init mysqli_store_result mysqli_thread_id mysqli_thread_safe mysqli_use_result mysqli_warning_count";o.registerHelper("hintWords","php",[S,s,h].join(" ").split(" ")),o.registerHelper("wordChars","php",/[\w$]/);var g={name:"clike",helperType:"php",keywords:p(S),blockKeywords:p("catch do else elseif for foreach if switch try while finally"),defKeywords:p("class enum function interface namespace trait"),atoms:p(s),builtin:p(h),multiLineStrings:!0,hooks:{$:function(T){return T.eatWhile(/[\w\$_]/),"variable-2"},"<":function(T,x){var c;if(c=T.match(/^<<\s*/)){var d=T.eat(/['"]/);T.eatWhile(/[\w\.]/);var w=T.current().slice(c[0].length+(d?2:1));if(d&&T.eat(d),w)return(x.tokStack||(x.tokStack=[])).push(w,0),x.tokenize=C(w,d!="'"),"string"}return!1},"#":function(T){for(;!T.eol()&&!T.match("?>",!1);)T.next();return"comment"},"/":function(T){if(T.eat("/")){for(;!T.eol()&&!T.match("?>",!1);)T.next();return"comment"}return!1},'"':function(T,x){return(x.tokStack||(x.tokStack=[])).push('"',0),x.tokenize=C('"'),"string"},"{":function(T,x){return x.tokStack&&x.tokStack.length&&x.tokStack[x.tokStack.length-1]++,!1},"}":function(T,x){return x.tokStack&&x.tokStack.length>0&&!--x.tokStack[x.tokStack.length-1]&&(x.tokenize=C(x.tokStack[x.tokStack.length-2])),!1}}};o.defineMode("php",function(T,x){var c=o.getMode(T,x&&x.htmlMode||"text/html"),d=o.getMode(T,g);function w(E,z){var y=z.curMode==d;if(E.sol()&&z.pending&&z.pending!='"'&&z.pending!="'"&&(z.pending=null),y)return y&&z.php.tokenize==null&&E.match("?>")?(z.curMode=c,z.curState=z.html,z.php.context.prev||(z.php=null),"meta"):d.token(E,z.curState);if(E.match(/^<\?\w*/))return z.curMode=d,z.php||(z.php=o.startState(d,c.indent(z.html,"",""))),z.curState=z.php,"meta";if(z.pending=='"'||z.pending=="'"){for(;!E.eol()&&E.next()!=z.pending;);var R="string"}else if(z.pending&&E.pos/.test(M)?z.pending=Z[0]:z.pending={end:E.pos,style:R},E.backUp(M.length-H)),R}return{startState:function(){var E=o.startState(c),z=x.startOpen?o.startState(d):null;return{html:E,php:z,curMode:x.startOpen?d:c,curState:x.startOpen?z:E,pending:null}},copyState:function(E){var z=E.html,y=o.copyState(c,z),R=E.php,M=R&&o.copyState(d,R),H;return E.curMode==c?H=y:H=M,{html:y,php:M,curMode:E.curMode,curState:H,pending:E.pending}},token:w,indent:function(E,z,y){return E.curMode!=d&&/^\s*<\//.test(z)||E.curMode==d&&/^\?>/.test(z)?c.indent(E.html,z,y):E.curMode.indent(E.curState,z,y)},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:"//",innerMode:function(E){return{state:E.curState,mode:E.curMode}}}},"htmlmixed","clike"),o.defineMIME("application/x-httpd-php","php"),o.defineMIME("application/x-httpd-php-open",{name:"php",startOpen:!0}),o.defineMIME("text/x-php",g)})});var Cu=Ke((Tu,Lu)=>{(function(o){typeof Tu=="object"&&typeof Lu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";function p(s){return new RegExp("^(("+s.join(")|(")+"))\\b","i")}var v=["package","message","import","syntax","required","optional","repeated","reserved","default","extensions","packed","bool","bytes","double","enum","float","string","int32","int64","uint32","uint64","sint32","sint64","fixed32","fixed64","sfixed32","sfixed64","option","service","rpc","returns"],C=p(v);o.registerHelper("hintWords","protobuf",v);var b=new RegExp("^[_A-Za-z\xA1-\uFFFF][_A-Za-z0-9\xA1-\uFFFF]*");function S(s){return s.eatSpace()?null:s.match("//")?(s.skipToEnd(),"comment"):s.match(/^[0-9\.+-]/,!1)&&(s.match(/^[+-]?0x[0-9a-fA-F]+/)||s.match(/^[+-]?\d*\.\d+([EeDd][+-]?\d+)?/)||s.match(/^[+-]?\d+([EeDd][+-]?\d+)?/))?"number":s.match(/^"([^"]|(""))*"/)||s.match(/^'([^']|(''))*'/)?"string":s.match(C)?"keyword":s.match(b)?"variable":(s.next(),null)}o.defineMode("protobuf",function(){return{token:S,fold:"brace"}}),o.defineMIME("text/x-protobuf","protobuf")})});var Mu=Ke((Eu,zu)=>{(function(o){typeof Eu=="object"&&typeof zu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";function p(h){return new RegExp("^(("+h.join(")|(")+"))\\b")}var v=p(["and","or","not","is"]),C=["as","assert","break","class","continue","def","del","elif","else","except","finally","for","from","global","if","import","lambda","pass","raise","return","try","while","with","yield","in","False","True"],b=["abs","all","any","bin","bool","bytearray","callable","chr","classmethod","compile","complex","delattr","dict","dir","divmod","enumerate","eval","filter","float","format","frozenset","getattr","globals","hasattr","hash","help","hex","id","input","int","isinstance","issubclass","iter","len","list","locals","map","max","memoryview","min","next","object","oct","open","ord","pow","property","range","repr","reversed","round","set","setattr","slice","sorted","staticmethod","str","sum","super","tuple","type","vars","zip","__import__","NotImplemented","Ellipsis","__debug__"];o.registerHelper("hintWords","python",C.concat(b).concat(["exec","print"]));function S(h){return h.scopes[h.scopes.length-1]}o.defineMode("python",function(h,g){for(var T="error",x=g.delimiters||g.singleDelimiters||/^[\(\)\[\]\{\}@,:`=;\.\\]/,c=[g.singleOperators,g.doubleOperators,g.doubleDelimiters,g.tripleDelimiters,g.operators||/^([-+*/%\/&|^]=?|[<>=]+|\/\/=?|\*\*=?|!=|[~!@]|\.\.\.)/],d=0;dB?D(X):le0&&j(K,X)&&(xe+=" "+T),xe}}return re(K,X)}function re(K,X,I){if(K.eatSpace())return null;if(!I&&K.match(/^#.*/))return"comment";if(K.match(/^[0-9\.]/,!1)){var B=!1;if(K.match(/^[\d_]*\.\d+(e[\+\-]?\d+)?/i)&&(B=!0),K.match(/^[\d_]+\.\d*/)&&(B=!0),K.match(/^\.\d+/)&&(B=!0),B)return K.eat(/J/i),"number";var le=!1;if(K.match(/^0x[0-9a-f_]+/i)&&(le=!0),K.match(/^0b[01_]+/i)&&(le=!0),K.match(/^0o[0-7_]+/i)&&(le=!0),K.match(/^[1-9][\d_]*(e[\+\-]?[\d_]+)?/)&&(K.eat(/J/i),le=!0),K.match(/^0(?![\dx])/i)&&(le=!0),le)return K.eat(/L/i),"number"}if(K.match(M)){var xe=K.current().toLowerCase().indexOf("f")!==-1;return xe?(X.tokenize=N(K.current(),X.tokenize),X.tokenize(K,X)):(X.tokenize=F(K.current(),X.tokenize),X.tokenize(K,X))}for(var q=0;q=0;)K=K.substr(1);var I=K.length==1,B="string";function le(q){return function(L,de){var ze=re(L,de,!0);return ze=="punctuation"&&(L.current()=="{"?de.tokenize=le(q+1):L.current()=="}"&&(q>1?de.tokenize=le(q-1):de.tokenize=xe)),ze}}function xe(q,L){for(;!q.eol();)if(q.eatWhile(/[^'"\{\}\\]/),q.eat("\\")){if(q.next(),I&&q.eol())return B}else{if(q.match(K))return L.tokenize=X,B;if(q.match("{{"))return B;if(q.match("{",!1))return L.tokenize=le(0),q.current()?B:L.tokenize(q,L);if(q.match("}}"))return B;if(q.match("}"))return T;q.eat(/['"]/)}if(I){if(g.singleLineStringErrors)return T;L.tokenize=X}return B}return xe.isString=!0,xe}function F(K,X){for(;"rubf".indexOf(K.charAt(0).toLowerCase())>=0;)K=K.substr(1);var I=K.length==1,B="string";function le(xe,q){for(;!xe.eol();)if(xe.eatWhile(/[^'"\\]/),xe.eat("\\")){if(xe.next(),I&&xe.eol())return B}else{if(xe.match(K))return q.tokenize=X,B;xe.eat(/['"]/)}if(I){if(g.singleLineStringErrors)return T;q.tokenize=X}return B}return le.isString=!0,le}function D(K){for(;S(K).type!="py";)K.scopes.pop();K.scopes.push({offset:S(K).offset+h.indentUnit,type:"py",align:null})}function Q(K,X,I){var B=K.match(/^[\s\[\{\(]*(?:#|$)/,!1)?null:K.column()+1;X.scopes.push({offset:X.indent+w,type:I,align:B})}function j(K,X){for(var I=K.indentation();X.scopes.length>1&&S(X).offset>I;){if(S(X).type!="py")return!0;X.scopes.pop()}return S(X).offset!=I}function V(K,X){K.sol()&&(X.beginningOfLine=!0,X.dedent=!1);var I=X.tokenize(K,X),B=K.current();if(X.beginningOfLine&&B=="@")return K.match(R,!1)?"meta":y?"operator":T;if(/\S/.test(B)&&(X.beginningOfLine=!1),(I=="variable"||I=="builtin")&&X.lastToken=="meta"&&(I="meta"),(B=="pass"||B=="return")&&(X.dedent=!0),B=="lambda"&&(X.lambda=!0),B==":"&&!X.lambda&&S(X).type=="py"&&K.match(/^\s*(?:#|$)/,!1)&&D(X),B.length==1&&!/string|comment/.test(I)){var le="[({".indexOf(B);if(le!=-1&&Q(K,X,"])}".slice(le,le+1)),le="])}".indexOf(B),le!=-1)if(S(X).type==B)X.indent=X.scopes.pop().offset-w;else return T}return X.dedent&&K.eol()&&S(X).type=="py"&&X.scopes.length>1&&X.scopes.pop(),I}var _={startState:function(K){return{tokenize:ee,scopes:[{offset:K||0,type:"py",align:null}],indent:K||0,lastToken:null,lambda:!1,dedent:0}},token:function(K,X){var I=X.errorToken;I&&(X.errorToken=!1);var B=V(K,X);return B&&B!="comment"&&(X.lastToken=B=="keyword"||B=="punctuation"?K.current():B),B=="punctuation"&&(B=null),K.eol()&&X.lambda&&(X.lambda=!1),I?B+" "+T:B},indent:function(K,X){if(K.tokenize!=ee)return K.tokenize.isString?o.Pass:0;var I=S(K),B=I.type==X.charAt(0)||I.type=="py"&&!K.dedent&&/^(else:|elif |except |finally:)/.test(X);return I.align!=null?I.align-(B?1:0):I.offset-(B?w:0)},electricInput:/^\s*([\}\]\)]|else:|elif |except |finally:)$/,closeBrackets:{triples:`'"`},lineComment:"#",fold:"indent"};return _}),o.defineMIME("text/x-python","python");var s=function(h){return h.split(" ")};o.defineMIME("text/x-cython",{name:"python",extra_keywords:s("by cdef cimport cpdef ctypedef enum except extern gil include nogil property public readonly struct union DEF IF ELIF ELSE")})})});var qu=Ke((Au,Du)=>{(function(o){typeof Au=="object"&&typeof Du=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";function p(g){for(var T={},x=0,c=g.length;x]/)?(M.eat(/[\<\>]/),"atom"):M.eat(/[\+\-\*\/\&\|\:\!]/)?"atom":M.eat(/[a-zA-Z$@_\xa1-\uffff]/)?(M.eatWhile(/[\w$\xa1-\uffff]/),M.eat(/[\?\!\=]/),"atom"):"operator";if(Z=="@"&&M.match(/^@?[a-zA-Z_\xa1-\uffff]/))return M.eat("@"),M.eatWhile(/[\w\xa1-\uffff]/),"variable-2";if(Z=="$")return M.eat(/[a-zA-Z_]/)?M.eatWhile(/[\w]/):M.eat(/\d/)?M.eat(/\d/):M.next(),"variable-3";if(/[a-zA-Z_\xa1-\uffff]/.test(Z))return M.eatWhile(/[\w\xa1-\uffff]/),M.eat(/[\?\!]/),M.eat(":")?"atom":"ident";if(Z=="|"&&(H.varList||H.lastTok=="{"||H.lastTok=="do"))return T="|",null;if(/[\(\)\[\]{}\\;]/.test(Z))return T=Z,null;if(Z=="-"&&M.eat(">"))return"arrow";if(/[=+\-\/*:\.^%<>~|]/.test(Z)){var D=M.eatWhile(/[=+\-\/*:\.^%<>~|]/);return Z=="."&&!D&&(T="."),"operator"}else return null}}}function d(M){for(var H=M.pos,Z=0,ee,re=!1,N=!1;(ee=M.next())!=null;)if(N)N=!1;else{if("[{(".indexOf(ee)>-1)Z++;else if("]})".indexOf(ee)>-1){if(Z--,Z<0)break}else if(ee=="/"&&Z==0){re=!0;break}N=ee=="\\"}return M.backUp(M.pos-H),re}function w(M){return M||(M=1),function(H,Z){if(H.peek()=="}"){if(M==1)return Z.tokenize.pop(),Z.tokenize[Z.tokenize.length-1](H,Z);Z.tokenize[Z.tokenize.length-1]=w(M-1)}else H.peek()=="{"&&(Z.tokenize[Z.tokenize.length-1]=w(M+1));return c(H,Z)}}function E(){var M=!1;return function(H,Z){return M?(Z.tokenize.pop(),Z.tokenize[Z.tokenize.length-1](H,Z)):(M=!0,c(H,Z))}}function z(M,H,Z,ee){return function(re,N){var F=!1,D;for(N.context.type==="read-quoted-paused"&&(N.context=N.context.prev,re.eat("}"));(D=re.next())!=null;){if(D==M&&(ee||!F)){N.tokenize.pop();break}if(Z&&D=="#"&&!F){if(re.eat("{")){M=="}"&&(N.context={prev:N.context,type:"read-quoted-paused"}),N.tokenize.push(w());break}else if(/[@\$]/.test(re.peek())){N.tokenize.push(E());break}}F=!F&&D=="\\"}return H}}function y(M,H){return function(Z,ee){return H&&Z.eatSpace(),Z.match(M)?ee.tokenize.pop():Z.skipToEnd(),"string"}}function R(M,H){return M.sol()&&M.match("=end")&&M.eol()&&H.tokenize.pop(),M.skipToEnd(),"comment"}return{startState:function(){return{tokenize:[c],indented:0,context:{type:"top",indented:-g.indentUnit},continuedLine:!1,lastTok:null,varList:!1}},token:function(M,H){T=null,M.sol()&&(H.indented=M.indentation());var Z=H.tokenize[H.tokenize.length-1](M,H),ee,re=T;if(Z=="ident"){var N=M.current();Z=H.lastTok=="."?"property":C.propertyIsEnumerable(M.current())?"keyword":/^[A-Z]/.test(N)?"tag":H.lastTok=="def"||H.lastTok=="class"||H.varList?"def":"variable",Z=="keyword"&&(re=N,b.propertyIsEnumerable(N)?ee="indent":S.propertyIsEnumerable(N)?ee="dedent":((N=="if"||N=="unless")&&M.column()==M.indentation()||N=="do"&&H.context.indented{(function(o){typeof Iu=="object"&&typeof Fu=="object"?o(We(),Di()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../../addon/mode/simple"],o):o(CodeMirror)})(function(o){"use strict";o.defineSimpleMode("rust",{start:[{regex:/b?"/,token:"string",next:"string"},{regex:/b?r"/,token:"string",next:"string_raw"},{regex:/b?r#+"/,token:"string",next:"string_raw_hash"},{regex:/'(?:[^'\\]|\\(?:[nrt0'"]|x[\da-fA-F]{2}|u\{[\da-fA-F]{6}\}))'/,token:"string-2"},{regex:/b'(?:[^']|\\(?:['\\nrt0]|x[\da-fA-F]{2}))'/,token:"string-2"},{regex:/(?:(?:[0-9][0-9_]*)(?:(?:[Ee][+-]?[0-9_]+)|\.[0-9_]+(?:[Ee][+-]?[0-9_]+)?)(?:f32|f64)?)|(?:0(?:b[01_]+|(?:o[0-7_]+)|(?:x[0-9a-fA-F_]+))|(?:[0-9][0-9_]*))(?:u8|u16|u32|u64|i8|i16|i32|i64|isize|usize)?/,token:"number"},{regex:/(let(?:\s+mut)?|fn|enum|mod|struct|type|union)(\s+)([a-zA-Z_][a-zA-Z0-9_]*)/,token:["keyword",null,"def"]},{regex:/(?:abstract|alignof|as|async|await|box|break|continue|const|crate|do|dyn|else|enum|extern|fn|for|final|if|impl|in|loop|macro|match|mod|move|offsetof|override|priv|proc|pub|pure|ref|return|self|sizeof|static|struct|super|trait|type|typeof|union|unsafe|unsized|use|virtual|where|while|yield)\b/,token:"keyword"},{regex:/\b(?:Self|isize|usize|char|bool|u8|u16|u32|u64|f16|f32|f64|i8|i16|i32|i64|str|Option)\b/,token:"atom"},{regex:/\b(?:true|false|Some|None|Ok|Err)\b/,token:"builtin"},{regex:/\b(fn)(\s+)([a-zA-Z_][a-zA-Z0-9_]*)/,token:["keyword",null,"def"]},{regex:/#!?\[.*\]/,token:"meta"},{regex:/\/\/.*/,token:"comment"},{regex:/\/\*/,token:"comment",next:"comment"},{regex:/[-+\/*=<>!]+/,token:"operator"},{regex:/[a-zA-Z_]\w*!/,token:"variable-3"},{regex:/[a-zA-Z_]\w*/,token:"variable"},{regex:/[\{\[\(]/,indent:!0},{regex:/[\}\]\)]/,dedent:!0}],string:[{regex:/"/,token:"string",next:"start"},{regex:/(?:[^\\"]|\\(?:.|$))*/,token:"string"}],string_raw:[{regex:/"/,token:"string",next:"start"},{regex:/[^"]*/,token:"string"}],string_raw_hash:[{regex:/"#+/,token:"string",next:"start"},{regex:/(?:[^"]|"(?!#))*/,token:"string"}],comment:[{regex:/.*?\*\//,token:"comment",next:"start"},{regex:/.*/,token:"comment"}],meta:{dontIndentStates:["comment"],electricInput:/^\s*\}$/,blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:"//",fold:"brace"}}),o.defineMIME("text/x-rustsrc","rust"),o.defineMIME("text/rust","rust")})});var ea=Ke((Ou,Pu)=>{(function(o){typeof Ou=="object"&&typeof Pu=="object"?o(We(),gn()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../css/css"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("sass",function(p){var v=o.mimeModes["text/css"],C=v.propertyKeywords||{},b=v.colorKeywords||{},S=v.valueKeywords||{},s=v.fontProperties||{};function h(N){return new RegExp("^"+N.join("|"))}var g=["true","false","null","auto"],T=new RegExp("^"+g.join("|")),x=["\\(","\\)","=",">","<","==",">=","<=","\\+","-","\\!=","/","\\*","%","and","or","not",";","\\{","\\}",":"],c=h(x),d=/^::?[a-zA-Z_][\w\-]*/,w;function E(N){return!N.peek()||N.match(/\s+$/,!1)}function z(N,F){var D=N.peek();return D===")"?(N.next(),F.tokenizer=ee,"operator"):D==="("?(N.next(),N.eatSpace(),"operator"):D==="'"||D==='"'?(F.tokenizer=R(N.next()),"string"):(F.tokenizer=R(")",!1),"string")}function y(N,F){return function(D,Q){return D.sol()&&D.indentation()<=N?(Q.tokenizer=ee,ee(D,Q)):(F&&D.skipTo("*/")?(D.next(),D.next(),Q.tokenizer=ee):D.skipToEnd(),"comment")}}function R(N,F){F==null&&(F=!0);function D(Q,j){var V=Q.next(),_=Q.peek(),K=Q.string.charAt(Q.pos-2),X=V!=="\\"&&_===N||V===N&&K!=="\\";return X?(V!==N&&F&&Q.next(),E(Q)&&(j.cursorHalf=0),j.tokenizer=ee,"string"):V==="#"&&_==="{"?(j.tokenizer=M(D),Q.next(),"operator"):"string"}return D}function M(N){return function(F,D){return F.peek()==="}"?(F.next(),D.tokenizer=N,"operator"):ee(F,D)}}function H(N){if(N.indentCount==0){N.indentCount++;var F=N.scopes[0].offset,D=F+p.indentUnit;N.scopes.unshift({offset:D})}}function Z(N){N.scopes.length!=1&&N.scopes.shift()}function ee(N,F){var D=N.peek();if(N.match("/*"))return F.tokenizer=y(N.indentation(),!0),F.tokenizer(N,F);if(N.match("//"))return F.tokenizer=y(N.indentation(),!1),F.tokenizer(N,F);if(N.match("#{"))return F.tokenizer=M(ee),"operator";if(D==='"'||D==="'")return N.next(),F.tokenizer=R(D),"string";if(F.cursorHalf){if(D==="#"&&(N.next(),N.match(/[0-9a-fA-F]{6}|[0-9a-fA-F]{3}/))||N.match(/^-?[0-9\.]+/))return E(N)&&(F.cursorHalf=0),"number";if(N.match(/^(px|em|in)\b/))return E(N)&&(F.cursorHalf=0),"unit";if(N.match(T))return E(N)&&(F.cursorHalf=0),"keyword";if(N.match(/^url/)&&N.peek()==="(")return F.tokenizer=z,E(N)&&(F.cursorHalf=0),"atom";if(D==="$")return N.next(),N.eatWhile(/[\w-]/),E(N)&&(F.cursorHalf=0),"variable-2";if(D==="!")return N.next(),F.cursorHalf=0,N.match(/^[\w]+/)?"keyword":"operator";if(N.match(c))return E(N)&&(F.cursorHalf=0),"operator";if(N.eatWhile(/[\w-]/))return E(N)&&(F.cursorHalf=0),w=N.current().toLowerCase(),S.hasOwnProperty(w)?"atom":b.hasOwnProperty(w)?"keyword":C.hasOwnProperty(w)?(F.prevProp=N.current().toLowerCase(),"property"):"tag";if(E(N))return F.cursorHalf=0,null}else{if(D==="-"&&N.match(/^-\w+-/))return"meta";if(D==="."){if(N.next(),N.match(/^[\w-]+/))return H(F),"qualifier";if(N.peek()==="#")return H(F),"tag"}if(D==="#"){if(N.next(),N.match(/^[\w-]+/))return H(F),"builtin";if(N.peek()==="#")return H(F),"tag"}if(D==="$")return N.next(),N.eatWhile(/[\w-]/),"variable-2";if(N.match(/^-?[0-9\.]+/))return"number";if(N.match(/^(px|em|in)\b/))return"unit";if(N.match(T))return"keyword";if(N.match(/^url/)&&N.peek()==="(")return F.tokenizer=z,"atom";if(D==="="&&N.match(/^=[\w-]+/))return H(F),"meta";if(D==="+"&&N.match(/^\+[\w-]+/))return"variable-3";if(D==="@"&&N.match("@extend")&&(N.match(/\s*[\w]/)||Z(F)),N.match(/^@(else if|if|media|else|for|each|while|mixin|function)/))return H(F),"def";if(D==="@")return N.next(),N.eatWhile(/[\w-]/),"def";if(N.eatWhile(/[\w-]/))if(N.match(/ *: *[\w-\+\$#!\("']/,!1)){w=N.current().toLowerCase();var Q=F.prevProp+"-"+w;return C.hasOwnProperty(Q)?"property":C.hasOwnProperty(w)?(F.prevProp=w,"property"):s.hasOwnProperty(w)?"property":"tag"}else return N.match(/ *:/,!1)?(H(F),F.cursorHalf=1,F.prevProp=N.current().toLowerCase(),"property"):(N.match(/ *,/,!1)||H(F),"tag");if(D===":")return N.match(d)?"variable-3":(N.next(),F.cursorHalf=1,"operator")}return N.match(c)?"operator":(N.next(),null)}function re(N,F){N.sol()&&(F.indentCount=0);var D=F.tokenizer(N,F),Q=N.current();if((Q==="@return"||Q==="}")&&Z(F),D!==null){for(var j=N.pos-Q.length,V=j+p.indentUnit*F.indentCount,_=[],K=0;K{(function(o){typeof ju=="object"&&typeof Ru=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("shell",function(){var p={};function v(d,w){for(var E=0;E1&&d.eat("$");var E=d.next();return/['"({]/.test(E)?(w.tokens[0]=h(E,E=="("?"quote":E=="{"?"def":"string"),c(d,w)):(/\d/.test(E)||d.eatWhile(/\w/),w.tokens.shift(),"def")};function x(d){return function(w,E){return w.sol()&&w.string==d&&E.tokens.shift(),w.skipToEnd(),"string-2"}}function c(d,w){return(w.tokens[0]||s)(d,w)}return{startState:function(){return{tokens:[]}},token:function(d,w){return c(d,w)},closeBrackets:"()[]{}''\"\"``",lineComment:"#",fold:"brace"}}),o.defineMIME("text/x-sh","shell"),o.defineMIME("application/x-sh","shell")})});var Uu=Ke((Bu,Wu)=>{(function(o){typeof Bu=="object"&&typeof Wu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("sql",function(g,T){var x=T.client||{},c=T.atoms||{false:!0,true:!0,null:!0},d=T.builtin||s(h),w=T.keywords||s(S),E=T.operatorChars||/^[*+\-%<>!=&|~^\/]/,z=T.support||{},y=T.hooks||{},R=T.dateSQL||{date:!0,time:!0,timestamp:!0},M=T.backslashStringEscapes!==!1,H=T.brackets||/^[\{}\(\)\[\]]/,Z=T.punctuation||/^[;.,:]/;function ee(Q,j){var V=Q.next();if(y[V]){var _=y[V](Q,j);if(_!==!1)return _}if(z.hexNumber&&(V=="0"&&Q.match(/^[xX][0-9a-fA-F]+/)||(V=="x"||V=="X")&&Q.match(/^'[0-9a-fA-F]*'/)))return"number";if(z.binaryNumber&&((V=="b"||V=="B")&&Q.match(/^'[01]*'/)||V=="0"&&Q.match(/^b[01]+/)))return"number";if(V.charCodeAt(0)>47&&V.charCodeAt(0)<58)return Q.match(/^[0-9]*(\.[0-9]+)?([eE][-+]?[0-9]+)?/),z.decimallessFloat&&Q.match(/^\.(?!\.)/),"number";if(V=="?"&&(Q.eatSpace()||Q.eol()||Q.eat(";")))return"variable-3";if(V=="'"||V=='"'&&z.doubleQuote)return j.tokenize=re(V),j.tokenize(Q,j);if((z.nCharCast&&(V=="n"||V=="N")||z.charsetCast&&V=="_"&&Q.match(/[a-z][a-z0-9]*/i))&&(Q.peek()=="'"||Q.peek()=='"'))return"keyword";if(z.escapeConstant&&(V=="e"||V=="E")&&(Q.peek()=="'"||Q.peek()=='"'&&z.doubleQuote))return j.tokenize=function(X,I){return(I.tokenize=re(X.next(),!0))(X,I)},"keyword";if(z.commentSlashSlash&&V=="/"&&Q.eat("/"))return Q.skipToEnd(),"comment";if(z.commentHash&&V=="#"||V=="-"&&Q.eat("-")&&(!z.commentSpaceRequired||Q.eat(" ")))return Q.skipToEnd(),"comment";if(V=="/"&&Q.eat("*"))return j.tokenize=N(1),j.tokenize(Q,j);if(V=="."){if(z.zerolessFloat&&Q.match(/^(?:\d+(?:e[+-]?\d+)?)/i))return"number";if(Q.match(/^\.+/))return null;if(Q.match(/^[\w\d_$#]+/))return"variable-2"}else{if(E.test(V))return Q.eatWhile(E),"operator";if(H.test(V))return"bracket";if(Z.test(V))return Q.eatWhile(Z),"punctuation";if(V=="{"&&(Q.match(/^( )*(d|D|t|T|ts|TS)( )*'[^']*'( )*}/)||Q.match(/^( )*(d|D|t|T|ts|TS)( )*"[^"]*"( )*}/)))return"number";Q.eatWhile(/^[_\w\d]/);var K=Q.current().toLowerCase();return R.hasOwnProperty(K)&&(Q.match(/^( )+'[^']*'/)||Q.match(/^( )+"[^"]*"/))?"number":c.hasOwnProperty(K)?"atom":d.hasOwnProperty(K)?"type":w.hasOwnProperty(K)?"keyword":x.hasOwnProperty(K)?"builtin":null}}function re(Q,j){return function(V,_){for(var K=!1,X;(X=V.next())!=null;){if(X==Q&&!K){_.tokenize=ee;break}K=(M||j)&&!K&&X=="\\"}return"string"}}function N(Q){return function(j,V){var _=j.match(/^.*?(\/\*|\*\/)/);return _?_[1]=="/*"?V.tokenize=N(Q+1):Q>1?V.tokenize=N(Q-1):V.tokenize=ee:j.skipToEnd(),"comment"}}function F(Q,j,V){j.context={prev:j.context,indent:Q.indentation(),col:Q.column(),type:V}}function D(Q){Q.indent=Q.context.indent,Q.context=Q.context.prev}return{startState:function(){return{tokenize:ee,context:null}},token:function(Q,j){if(Q.sol()&&j.context&&j.context.align==null&&(j.context.align=!1),j.tokenize==ee&&Q.eatSpace())return null;var V=j.tokenize(Q,j);if(V=="comment")return V;j.context&&j.context.align==null&&(j.context.align=!0);var _=Q.current();return _=="("?F(Q,j,")"):_=="["?F(Q,j,"]"):j.context&&j.context.type==_&&D(j),V},indent:function(Q,j){var V=Q.context;if(!V)return o.Pass;var _=j.charAt(0)==V.type;return V.align?V.col+(_?0:1):V.indent+(_?0:g.indentUnit)},blockCommentStart:"/*",blockCommentEnd:"*/",lineComment:z.commentSlashSlash?"//":z.commentHash?"#":"--",closeBrackets:"()[]{}''\"\"``",config:T}});function p(g){for(var T;(T=g.next())!=null;)if(T=="`"&&!g.eat("`"))return"variable-2";return g.backUp(g.current().length-1),g.eatWhile(/\w/)?"variable-2":null}function v(g){for(var T;(T=g.next())!=null;)if(T=='"'&&!g.eat('"'))return"variable-2";return g.backUp(g.current().length-1),g.eatWhile(/\w/)?"variable-2":null}function C(g){return g.eat("@")&&(g.match("session."),g.match("local."),g.match("global.")),g.eat("'")?(g.match(/^.*'/),"variable-2"):g.eat('"')?(g.match(/^.*"/),"variable-2"):g.eat("`")?(g.match(/^.*`/),"variable-2"):g.match(/^[0-9a-zA-Z$\.\_]+/)?"variable-2":null}function b(g){return g.eat("N")?"atom":g.match(/^[a-zA-Z.#!?]/)?"variable-2":null}var S="alter and as asc between by count create delete desc distinct drop from group having in insert into is join like not on or order select set table union update values where limit ";function s(g){for(var T={},x=g.split(" "),c=0;c!=^\&|\/]/,brackets:/^[\{}\(\)]/,punctuation:/^[;.,:/]/,backslashStringEscapes:!1,dateSQL:s("date datetimeoffset datetime2 smalldatetime datetime time"),hooks:{"@":C}}),o.defineMIME("text/x-mysql",{name:"sql",client:s("charset clear connect edit ego exit go help nopager notee nowarning pager print prompt quit rehash source status system tee"),keywords:s(S+"accessible action add after algorithm all analyze asensitive at authors auto_increment autocommit avg avg_row_length before binary binlog both btree cache call cascade cascaded case catalog_name chain change changed character check checkpoint checksum class_origin client_statistics close coalesce code collate collation collations column columns comment commit committed completion concurrent condition connection consistent constraint contains continue contributors convert cross current current_date current_time current_timestamp current_user cursor data database databases day_hour day_microsecond day_minute day_second deallocate dec declare default delay_key_write delayed delimiter des_key_file describe deterministic dev_pop dev_samp deviance diagnostics directory disable discard distinctrow div dual dumpfile each elseif enable enclosed end ends engine engines enum errors escape escaped even event events every execute exists exit explain extended fast fetch field fields first flush for force foreign found_rows full fulltext function general get global grant grants group group_concat handler hash help high_priority hosts hour_microsecond hour_minute hour_second if ignore ignore_server_ids import index index_statistics infile inner innodb inout insensitive insert_method install interval invoker isolation iterate key keys kill language last leading leave left level limit linear lines list load local localtime localtimestamp lock logs low_priority master master_heartbeat_period master_ssl_verify_server_cert masters match max max_rows maxvalue message_text middleint migrate min min_rows minute_microsecond minute_second mod mode modifies modify mutex mysql_errno natural next no no_write_to_binlog offline offset one online open optimize option optionally out outer outfile pack_keys parser partition partitions password phase plugin plugins prepare preserve prev primary privileges procedure processlist profile profiles purge query quick range read read_write reads real rebuild recover references regexp relaylog release remove rename reorganize repair repeatable replace require resignal restrict resume return returns revoke right rlike rollback rollup row row_format rtree savepoint schedule schema schema_name schemas second_microsecond security sensitive separator serializable server session share show signal slave slow smallint snapshot soname spatial specific sql sql_big_result sql_buffer_result sql_cache sql_calc_found_rows sql_no_cache sql_small_result sqlexception sqlstate sqlwarning ssl start starting starts status std stddev stddev_pop stddev_samp storage straight_join subclass_origin sum suspend table_name table_statistics tables tablespace temporary terminated to trailing transaction trigger triggers truncate uncommitted undo uninstall unique unlock upgrade usage use use_frm user user_resources user_statistics using utc_date utc_time utc_timestamp value variables varying view views warnings when while with work write xa xor year_month zerofill begin do then else loop repeat"),builtin:s("bool boolean bit blob decimal double float long longblob longtext medium mediumblob mediumint mediumtext time timestamp tinyblob tinyint tinytext text bigint int int1 int2 int3 int4 int8 integer float float4 float8 double char varbinary varchar varcharacter precision date datetime year unsigned signed numeric"),atoms:s("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^]/,dateSQL:s("date time timestamp"),support:s("decimallessFloat zerolessFloat binaryNumber hexNumber doubleQuote nCharCast charsetCast commentHash commentSpaceRequired"),hooks:{"@":C,"`":p,"\\":b}}),o.defineMIME("text/x-mariadb",{name:"sql",client:s("charset clear connect edit ego exit go help nopager notee nowarning pager print prompt quit rehash source status system tee"),keywords:s(S+"accessible action add after algorithm all always analyze asensitive at authors auto_increment autocommit avg avg_row_length before binary binlog both btree cache call cascade cascaded case catalog_name chain change changed character check checkpoint checksum class_origin client_statistics close coalesce code collate collation collations column columns comment commit committed completion concurrent condition connection consistent constraint contains continue contributors convert cross current current_date current_time current_timestamp current_user cursor data database databases day_hour day_microsecond day_minute day_second deallocate dec declare default delay_key_write delayed delimiter des_key_file describe deterministic dev_pop dev_samp deviance diagnostics directory disable discard distinctrow div dual dumpfile each elseif enable enclosed end ends engine engines enum errors escape escaped even event events every execute exists exit explain extended fast fetch field fields first flush for force foreign found_rows full fulltext function general generated get global grant grants group group_concat handler hard hash help high_priority hosts hour_microsecond hour_minute hour_second if ignore ignore_server_ids import index index_statistics infile inner innodb inout insensitive insert_method install interval invoker isolation iterate key keys kill language last leading leave left level limit linear lines list load local localtime localtimestamp lock logs low_priority master master_heartbeat_period master_ssl_verify_server_cert masters match max max_rows maxvalue message_text middleint migrate min min_rows minute_microsecond minute_second mod mode modifies modify mutex mysql_errno natural next no no_write_to_binlog offline offset one online open optimize option optionally out outer outfile pack_keys parser partition partitions password persistent phase plugin plugins prepare preserve prev primary privileges procedure processlist profile profiles purge query quick range read read_write reads real rebuild recover references regexp relaylog release remove rename reorganize repair repeatable replace require resignal restrict resume return returns revoke right rlike rollback rollup row row_format rtree savepoint schedule schema schema_name schemas second_microsecond security sensitive separator serializable server session share show shutdown signal slave slow smallint snapshot soft soname spatial specific sql sql_big_result sql_buffer_result sql_cache sql_calc_found_rows sql_no_cache sql_small_result sqlexception sqlstate sqlwarning ssl start starting starts status std stddev stddev_pop stddev_samp storage straight_join subclass_origin sum suspend table_name table_statistics tables tablespace temporary terminated to trailing transaction trigger triggers truncate uncommitted undo uninstall unique unlock upgrade usage use use_frm user user_resources user_statistics using utc_date utc_time utc_timestamp value variables varying view views virtual warnings when while with work write xa xor year_month zerofill begin do then else loop repeat"),builtin:s("bool boolean bit blob decimal double float long longblob longtext medium mediumblob mediumint mediumtext time timestamp tinyblob tinyint tinytext text bigint int int1 int2 int3 int4 int8 integer float float4 float8 double char varbinary varchar varcharacter precision date datetime year unsigned signed numeric"),atoms:s("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^]/,dateSQL:s("date time timestamp"),support:s("decimallessFloat zerolessFloat binaryNumber hexNumber doubleQuote nCharCast charsetCast commentHash commentSpaceRequired"),hooks:{"@":C,"`":p,"\\":b}}),o.defineMIME("text/x-sqlite",{name:"sql",client:s("auth backup bail binary changes check clone databases dbinfo dump echo eqp exit explain fullschema headers help import imposter indexes iotrace limit lint load log mode nullvalue once open output print prompt quit read restore save scanstats schema separator session shell show stats system tables testcase timeout timer trace vfsinfo vfslist vfsname width"),keywords:s(S+"abort action add after all analyze attach autoincrement before begin cascade case cast check collate column commit conflict constraint cross current_date current_time current_timestamp database default deferrable deferred detach each else end escape except exclusive exists explain fail for foreign full glob if ignore immediate index indexed initially inner instead intersect isnull key left limit match natural no notnull null of offset outer plan pragma primary query raise recursive references regexp reindex release rename replace restrict right rollback row savepoint temp temporary then to transaction trigger unique using vacuum view virtual when with without"),builtin:s("bool boolean bit blob decimal double float long longblob longtext medium mediumblob mediumint mediumtext time timestamp tinyblob tinyint tinytext text clob bigint int int2 int8 integer float double char varchar date datetime year unsigned signed numeric real"),atoms:s("null current_date current_time current_timestamp"),operatorChars:/^[*+\-%<>!=&|/~]/,dateSQL:s("date time timestamp datetime"),support:s("decimallessFloat zerolessFloat"),identifierQuote:'"',hooks:{"@":C,":":C,"?":C,$:C,'"':v,"`":p}}),o.defineMIME("text/x-cassandra",{name:"sql",client:{},keywords:s("add all allow alter and any apply as asc authorize batch begin by clustering columnfamily compact consistency count create custom delete desc distinct drop each_quorum exists filtering from grant if in index insert into key keyspace keyspaces level limit local_one local_quorum modify nan norecursive nosuperuser not of on one order password permission permissions primary quorum rename revoke schema select set storage superuser table three to token truncate ttl two type unlogged update use user users using values where with writetime"),builtin:s("ascii bigint blob boolean counter decimal double float frozen inet int list map static text timestamp timeuuid tuple uuid varchar varint"),atoms:s("false true infinity NaN"),operatorChars:/^[<>=]/,dateSQL:{},support:s("commentSlashSlash decimallessFloat"),hooks:{}}),o.defineMIME("text/x-plsql",{name:"sql",client:s("appinfo arraysize autocommit autoprint autorecovery autotrace blockterminator break btitle cmdsep colsep compatibility compute concat copycommit copytypecheck define describe echo editfile embedded escape exec execute feedback flagger flush heading headsep instance linesize lno loboffset logsource long longchunksize markup native newpage numformat numwidth pagesize pause pno recsep recsepchar release repfooter repheader serveroutput shiftinout show showmode size spool sqlblanklines sqlcase sqlcode sqlcontinue sqlnumber sqlpluscompatibility sqlprefix sqlprompt sqlterminator suffix tab term termout time timing trimout trimspool ttitle underline verify version wrap"),keywords:s("abort accept access add all alter and any array arraylen as asc assert assign at attributes audit authorization avg base_table begin between binary_integer body boolean by case cast char char_base check close cluster clusters colauth column comment commit compress connect connected constant constraint crash create current currval cursor data_base database date dba deallocate debugoff debugon decimal declare default definition delay delete desc digits dispose distinct do drop else elseif elsif enable end entry escape exception exception_init exchange exclusive exists exit external fast fetch file for force form from function generic goto grant group having identified if immediate in increment index indexes indicator initial initrans insert interface intersect into is key level library like limited local lock log logging long loop master maxextents maxtrans member minextents minus mislabel mode modify multiset new next no noaudit nocompress nologging noparallel not nowait number_base object of off offline on online only open option or order out package parallel partition pctfree pctincrease pctused pls_integer positive positiven pragma primary prior private privileges procedure public raise range raw read rebuild record ref references refresh release rename replace resource restrict return returning returns reverse revoke rollback row rowid rowlabel rownum rows run savepoint schema segment select separate session set share snapshot some space split sql start statement storage subtype successful synonym tabauth table tables tablespace task terminate then to trigger truncate type union unique unlimited unrecoverable unusable update use using validate value values variable view views when whenever where while with work"),builtin:s("abs acos add_months ascii asin atan atan2 average bfile bfilename bigserial bit blob ceil character chartorowid chr clob concat convert cos cosh count dec decode deref dual dump dup_val_on_index empty error exp false float floor found glb greatest hextoraw initcap instr instrb int integer isopen last_day least length lengthb ln lower lpad ltrim lub make_ref max min mlslabel mod months_between natural naturaln nchar nclob new_time next_day nextval nls_charset_decl_len nls_charset_id nls_charset_name nls_initcap nls_lower nls_sort nls_upper nlssort no_data_found notfound null number numeric nvarchar2 nvl others power rawtohex real reftohex round rowcount rowidtochar rowtype rpad rtrim serial sign signtype sin sinh smallint soundex sqlcode sqlerrm sqrt stddev string substr substrb sum sysdate tan tanh to_char text to_date to_label to_multi_byte to_number to_single_byte translate true trunc uid unlogged upper user userenv varchar varchar2 variance varying vsize xml"),operatorChars:/^[*\/+\-%<>!=~]/,dateSQL:s("date time timestamp"),support:s("doubleQuote nCharCast zerolessFloat binaryNumber hexNumber")}),o.defineMIME("text/x-hive",{name:"sql",keywords:s("select alter $elem$ $key$ $value$ add after all analyze and archive as asc before between binary both bucket buckets by cascade case cast change cluster clustered clusterstatus collection column columns comment compute concatenate continue create cross cursor data database databases dbproperties deferred delete delimited desc describe directory disable distinct distribute drop else enable end escaped exclusive exists explain export extended external fetch fields fileformat first format formatted from full function functions grant group having hold_ddltime idxproperties if import in index indexes inpath inputdriver inputformat insert intersect into is items join keys lateral left like limit lines load local location lock locks mapjoin materialized minus msck no_drop nocompress not of offline on option or order out outer outputdriver outputformat overwrite partition partitioned partitions percent plus preserve procedure purge range rcfile read readonly reads rebuild recordreader recordwriter recover reduce regexp rename repair replace restrict revoke right rlike row schema schemas semi sequencefile serde serdeproperties set shared show show_database sort sorted ssl statistics stored streamtable table tables tablesample tblproperties temporary terminated textfile then tmp to touch transform trigger unarchive undo union uniquejoin unlock update use using utc utc_tmestamp view when where while with admin authorization char compact compactions conf cube current current_date current_timestamp day decimal defined dependency directories elem_type exchange file following for grouping hour ignore inner interval jar less logical macro minute month more none noscan over owner partialscan preceding pretty principals protection reload rewrite role roles rollup rows second server sets skewed transactions truncate unbounded unset uri user values window year"),builtin:s("bool boolean long timestamp tinyint smallint bigint int float double date datetime unsigned string array struct map uniontype key_type utctimestamp value_type varchar"),atoms:s("false true null unknown"),operatorChars:/^[*+\-%<>!=]/,dateSQL:s("date timestamp"),support:s("doubleQuote binaryNumber hexNumber")}),o.defineMIME("text/x-pgsql",{name:"sql",client:s("source"),keywords:s(S+"a abort abs absent absolute access according action ada add admin after aggregate alias all allocate also alter always analyse analyze and any are array array_agg array_max_cardinality as asc asensitive assert assertion assignment asymmetric at atomic attach attribute attributes authorization avg backward base64 before begin begin_frame begin_partition bernoulli between bigint binary bit bit_length blob blocked bom boolean both breadth by c cache call called cardinality cascade cascaded case cast catalog catalog_name ceil ceiling chain char char_length character character_length character_set_catalog character_set_name character_set_schema characteristics characters check checkpoint class class_origin clob close cluster coalesce cobol collate collation collation_catalog collation_name collation_schema collect column column_name columns command_function command_function_code comment comments commit committed concurrently condition condition_number configuration conflict connect connection connection_name constant constraint constraint_catalog constraint_name constraint_schema constraints constructor contains content continue control conversion convert copy corr corresponding cost count covar_pop covar_samp create cross csv cube cume_dist current current_catalog current_date current_default_transform_group current_path current_role current_row current_schema current_time current_timestamp current_transform_group_for_type current_user cursor cursor_name cycle data database datalink datatype date datetime_interval_code datetime_interval_precision day db deallocate debug dec decimal declare default defaults deferrable deferred defined definer degree delete delimiter delimiters dense_rank depends depth deref derived desc describe descriptor detach detail deterministic diagnostics dictionary disable discard disconnect dispatch distinct dlnewcopy dlpreviouscopy dlurlcomplete dlurlcompleteonly dlurlcompletewrite dlurlpath dlurlpathonly dlurlpathwrite dlurlscheme dlurlserver dlvalue do document domain double drop dump dynamic dynamic_function dynamic_function_code each element else elseif elsif empty enable encoding encrypted end end_frame end_partition endexec enforced enum equals errcode error escape event every except exception exclude excluding exclusive exec execute exists exit exp explain expression extension external extract false family fetch file filter final first first_value flag float floor following for force foreach foreign fortran forward found frame_row free freeze from fs full function functions fusion g general generated get global go goto grant granted greatest group grouping groups handler having header hex hierarchy hint hold hour id identity if ignore ilike immediate immediately immutable implementation implicit import in include including increment indent index indexes indicator info inherit inherits initially inline inner inout input insensitive insert instance instantiable instead int integer integrity intersect intersection interval into invoker is isnull isolation join k key key_member key_type label lag language large last last_value lateral lead leading leakproof least left length level library like like_regex limit link listen ln load local localtime localtimestamp location locator lock locked log logged loop lower m map mapping match matched materialized max max_cardinality maxvalue member merge message message_length message_octet_length message_text method min minute minvalue mod mode modifies module month more move multiset mumps name names namespace national natural nchar nclob nesting new next nfc nfd nfkc nfkd nil no none normalize normalized not nothing notice notify notnull nowait nth_value ntile null nullable nullif nulls number numeric object occurrences_regex octet_length octets of off offset oids old on only open operator option options or order ordering ordinality others out outer output over overlaps overlay overriding owned owner p pad parallel parameter parameter_mode parameter_name parameter_ordinal_position parameter_specific_catalog parameter_specific_name parameter_specific_schema parser partial partition pascal passing passthrough password path percent percent_rank percentile_cont percentile_disc perform period permission pg_context pg_datatype_name pg_exception_context pg_exception_detail pg_exception_hint placing plans pli policy portion position position_regex power precedes preceding precision prepare prepared preserve primary print_strict_params prior privileges procedural procedure procedures program public publication query quote raise range rank read reads real reassign recheck recovery recursive ref references referencing refresh regr_avgx regr_avgy regr_count regr_intercept regr_r2 regr_slope regr_sxx regr_sxy regr_syy reindex relative release rename repeatable replace replica requiring reset respect restart restore restrict result result_oid return returned_cardinality returned_length returned_octet_length returned_sqlstate returning returns reverse revoke right role rollback rollup routine routine_catalog routine_name routine_schema routines row row_count row_number rows rowtype rule savepoint scale schema schema_name schemas scope scope_catalog scope_name scope_schema scroll search second section security select selective self sensitive sequence sequences serializable server server_name session session_user set setof sets share show similar simple size skip slice smallint snapshot some source space specific specific_name specifictype sql sqlcode sqlerror sqlexception sqlstate sqlwarning sqrt stable stacked standalone start state statement static statistics stddev_pop stddev_samp stdin stdout storage strict strip structure style subclass_origin submultiset subscription substring substring_regex succeeds sum symmetric sysid system system_time system_user t table table_name tables tablesample tablespace temp template temporary text then ties time timestamp timezone_hour timezone_minute to token top_level_count trailing transaction transaction_active transactions_committed transactions_rolled_back transform transforms translate translate_regex translation treat trigger trigger_catalog trigger_name trigger_schema trim trim_array true truncate trusted type types uescape unbounded uncommitted under unencrypted union unique unknown unlink unlisten unlogged unnamed unnest until untyped update upper uri usage use_column use_variable user user_defined_type_catalog user_defined_type_code user_defined_type_name user_defined_type_schema using vacuum valid validate validator value value_of values var_pop var_samp varbinary varchar variable_conflict variadic varying verbose version versioning view views volatile warning when whenever where while whitespace width_bucket window with within without work wrapper write xml xmlagg xmlattributes xmlbinary xmlcast xmlcomment xmlconcat xmldeclaration xmldocument xmlelement xmlexists xmlforest xmliterate xmlnamespaces xmlparse xmlpi xmlquery xmlroot xmlschema xmlserialize xmltable xmltext xmlvalidate year yes zone"),builtin:s("bigint int8 bigserial serial8 bit varying varbit boolean bool box bytea character char varchar cidr circle date double precision float8 inet integer int int4 interval json jsonb line lseg macaddr macaddr8 money numeric decimal path pg_lsn point polygon real float4 smallint int2 smallserial serial2 serial serial4 text time zone timetz timestamp timestamptz tsquery tsvector txid_snapshot uuid xml"),atoms:s("false true null unknown"),operatorChars:/^[*\/+\-%<>!=&|^\/#@?~]/,backslashStringEscapes:!1,dateSQL:s("date time timestamp"),support:s("decimallessFloat zerolessFloat binaryNumber hexNumber nCharCast charsetCast escapeConstant")}),o.defineMIME("text/x-gql",{name:"sql",keywords:s("ancestor and asc by contains desc descendant distinct from group has in is limit offset on order select superset where"),atoms:s("false true"),builtin:s("blob datetime first key __key__ string integer double boolean null"),operatorChars:/^[*+\-%<>!=]/}),o.defineMIME("text/x-gpsql",{name:"sql",client:s("source"),keywords:s("abort absolute access action active add admin after aggregate all also alter always analyse analyze and any array as asc assertion assignment asymmetric at authorization backward before begin between bigint binary bit boolean both by cache called cascade cascaded case cast chain char character characteristics check checkpoint class close cluster coalesce codegen collate column comment commit committed concurrency concurrently configuration connection constraint constraints contains content continue conversion copy cost cpu_rate_limit create createdb createexttable createrole createuser cross csv cube current current_catalog current_date current_role current_schema current_time current_timestamp current_user cursor cycle data database day deallocate dec decimal declare decode default defaults deferrable deferred definer delete delimiter delimiters deny desc dictionary disable discard distinct distributed do document domain double drop dxl each else enable encoding encrypted end enum errors escape every except exchange exclude excluding exclusive execute exists explain extension external extract false family fetch fields filespace fill filter first float following for force foreign format forward freeze from full function global grant granted greatest group group_id grouping handler hash having header hold host hour identity if ignore ilike immediate immutable implicit in including inclusive increment index indexes inherit inherits initially inline inner inout input insensitive insert instead int integer intersect interval into invoker is isnull isolation join key language large last leading least left level like limit list listen load local localtime localtimestamp location lock log login mapping master match maxvalue median merge minute minvalue missing mode modifies modify month move name names national natural nchar new newline next no nocreatedb nocreateexttable nocreaterole nocreateuser noinherit nologin none noovercommit nosuperuser not nothing notify notnull nowait null nullif nulls numeric object of off offset oids old on only operator option options or order ordered others out outer over overcommit overlaps overlay owned owner parser partial partition partitions passing password percent percentile_cont percentile_disc placing plans position preceding precision prepare prepared preserve primary prior privileges procedural procedure protocol queue quote randomly range read readable reads real reassign recheck recursive ref references reindex reject relative release rename repeatable replace replica reset resource restart restrict returning returns revoke right role rollback rollup rootpartition row rows rule savepoint scatter schema scroll search second security segment select sequence serializable session session_user set setof sets share show similar simple smallint some split sql stable standalone start statement statistics stdin stdout storage strict strip subpartition subpartitions substring superuser symmetric sysid system table tablespace temp template temporary text then threshold ties time timestamp to trailing transaction treat trigger trim true truncate trusted type unbounded uncommitted unencrypted union unique unknown unlisten until update user using vacuum valid validation validator value values varchar variadic varying verbose version view volatile web when where whitespace window with within without work writable write xml xmlattributes xmlconcat xmlelement xmlexists xmlforest xmlparse xmlpi xmlroot xmlserialize year yes zone"),builtin:s("bigint int8 bigserial serial8 bit varying varbit boolean bool box bytea character char varchar cidr circle date double precision float float8 inet integer int int4 interval json jsonb line lseg macaddr macaddr8 money numeric decimal path pg_lsn point polygon real float4 smallint int2 smallserial serial2 serial serial4 text time without zone with timetz timestamp timestamptz tsquery tsvector txid_snapshot uuid xml"),atoms:s("false true null unknown"),operatorChars:/^[*+\-%<>!=&|^\/#@?~]/,dateSQL:s("date time timestamp"),support:s("decimallessFloat zerolessFloat binaryNumber hexNumber nCharCast charsetCast")}),o.defineMIME("text/x-sparksql",{name:"sql",keywords:s("add after all alter analyze and anti archive array as asc at between bucket buckets by cache cascade case cast change clear cluster clustered codegen collection column columns comment commit compact compactions compute concatenate cost create cross cube current current_date current_timestamp database databases data dbproperties defined delete delimited deny desc describe dfs directories distinct distribute drop else end escaped except exchange exists explain export extended external false fields fileformat first following for format formatted from full function functions global grant group grouping having if ignore import in index indexes inner inpath inputformat insert intersect interval into is items join keys last lateral lazy left like limit lines list load local location lock locks logical macro map minus msck natural no not null nulls of on optimize option options or order out outer outputformat over overwrite partition partitioned partitions percent preceding principals purge range recordreader recordwriter recover reduce refresh regexp rename repair replace reset restrict revoke right rlike role roles rollback rollup row rows schema schemas select semi separated serde serdeproperties set sets show skewed sort sorted start statistics stored stratify struct table tables tablesample tblproperties temp temporary terminated then to touch transaction transactions transform true truncate unarchive unbounded uncache union unlock unset use using values view when where window with"),builtin:s("abs acos acosh add_months aggregate and any approx_count_distinct approx_percentile array array_contains array_distinct array_except array_intersect array_join array_max array_min array_position array_remove array_repeat array_sort array_union arrays_overlap arrays_zip ascii asin asinh assert_true atan atan2 atanh avg base64 between bigint bin binary bit_and bit_count bit_get bit_length bit_or bit_xor bool_and bool_or boolean bround btrim cardinality case cast cbrt ceil ceiling char char_length character_length chr coalesce collect_list collect_set concat concat_ws conv corr cos cosh cot count count_if count_min_sketch covar_pop covar_samp crc32 cume_dist current_catalog current_database current_date current_timestamp current_timezone current_user date date_add date_format date_from_unix_date date_part date_sub date_trunc datediff day dayofmonth dayofweek dayofyear decimal decode degrees delimited dense_rank div double e element_at elt encode every exists exp explode explode_outer expm1 extract factorial filter find_in_set first first_value flatten float floor forall format_number format_string from_csv from_json from_unixtime from_utc_timestamp get_json_object getbit greatest grouping grouping_id hash hex hour hypot if ifnull in initcap inline inline_outer input_file_block_length input_file_block_start input_file_name inputformat instr int isnan isnotnull isnull java_method json_array_length json_object_keys json_tuple kurtosis lag last last_day last_value lcase lead least left length levenshtein like ln locate log log10 log1p log2 lower lpad ltrim make_date make_dt_interval make_interval make_timestamp make_ym_interval map map_concat map_entries map_filter map_from_arrays map_from_entries map_keys map_values map_zip_with max max_by md5 mean min min_by minute mod monotonically_increasing_id month months_between named_struct nanvl negative next_day not now nth_value ntile nullif nvl nvl2 octet_length or outputformat overlay parse_url percent_rank percentile percentile_approx pi pmod posexplode posexplode_outer position positive pow power printf quarter radians raise_error rand randn random rank rcfile reflect regexp regexp_extract regexp_extract_all regexp_like regexp_replace repeat replace reverse right rint rlike round row_number rpad rtrim schema_of_csv schema_of_json second sentences sequence sequencefile serde session_window sha sha1 sha2 shiftleft shiftright shiftrightunsigned shuffle sign signum sin sinh size skewness slice smallint some sort_array soundex space spark_partition_id split sqrt stack std stddev stddev_pop stddev_samp str_to_map string struct substr substring substring_index sum tan tanh textfile timestamp timestamp_micros timestamp_millis timestamp_seconds tinyint to_csv to_date to_json to_timestamp to_unix_timestamp to_utc_timestamp transform transform_keys transform_values translate trim trunc try_add try_divide typeof ucase unbase64 unhex uniontype unix_date unix_micros unix_millis unix_seconds unix_timestamp upper uuid var_pop var_samp variance version weekday weekofyear when width_bucket window xpath xpath_boolean xpath_double xpath_float xpath_int xpath_long xpath_number xpath_short xpath_string xxhash64 year zip_with"),atoms:s("false true null"),operatorChars:/^[*\/+\-%<>!=~&|^]/,dateSQL:s("date time timestamp"),support:s("doubleQuote zerolessFloat")}),o.defineMIME("text/x-esper",{name:"sql",client:s("source"),keywords:s("alter and as asc between by count create delete desc distinct drop from group having in insert into is join like not on or order select set table union update values where limit after all and as at asc avedev avg between by case cast coalesce count create current_timestamp day days delete define desc distinct else end escape events every exists false first from full group having hour hours in inner insert instanceof into irstream is istream join last lastweekday left limit like max match_recognize matches median measures metadatasql min minute minutes msec millisecond milliseconds not null offset on or order outer output partition pattern prev prior regexp retain-union retain-intersection right rstream sec second seconds select set some snapshot sql stddev sum then true unidirectional until update variable weekday when where window"),builtin:{},atoms:s("false true null"),operatorChars:/^[*+\-%<>!=&|^\/#@?~]/,dateSQL:s("time"),support:s("decimallessFloat zerolessFloat binaryNumber hexNumber")}),o.defineMIME("text/x-trino",{name:"sql",keywords:s("abs absent acos add admin after all all_match alter analyze and any any_match approx_distinct approx_most_frequent approx_percentile approx_set arbitrary array_agg array_distinct array_except array_intersect array_join array_max array_min array_position array_remove array_sort array_union arrays_overlap as asc asin at at_timezone atan atan2 authorization avg bar bernoulli beta_cdf between bing_tile bing_tile_at bing_tile_coordinates bing_tile_polygon bing_tile_quadkey bing_tile_zoom_level bing_tiles_around bit_count bitwise_and bitwise_and_agg bitwise_left_shift bitwise_not bitwise_or bitwise_or_agg bitwise_right_shift bitwise_right_shift_arithmetic bitwise_xor bool_and bool_or both by call cardinality cascade case cast catalogs cbrt ceil ceiling char2hexint checksum chr classify coalesce codepoint column columns combinations comment commit committed concat concat_ws conditional constraint contains contains_sequence convex_hull_agg copartition corr cos cosh cosine_similarity count count_if covar_pop covar_samp crc32 create cross cube cume_dist current current_catalog current_date current_groups current_path current_role current_schema current_time current_timestamp current_timezone current_user data date_add date_diff date_format date_parse date_trunc day day_of_month day_of_week day_of_year deallocate default define definer degrees delete dense_rank deny desc describe descriptor distinct distributed dow doy drop e element_at else empty empty_approx_set encoding end error escape evaluate_classifier_predictions every except excluding execute exists exp explain extract false features fetch filter final first first_value flatten floor following for format format_datetime format_number from from_base from_base32 from_base64 from_base64url from_big_endian_32 from_big_endian_64 from_encoded_polyline from_geojson_geometry from_hex from_ieee754_32 from_ieee754_64 from_iso8601_date from_iso8601_timestamp from_iso8601_timestamp_nanos from_unixtime from_unixtime_nanos from_utf8 full functions geometric_mean geometry_from_hadoop_shape geometry_invalid_reason geometry_nearest_points geometry_to_bing_tiles geometry_union geometry_union_agg grant granted grants graphviz great_circle_distance greatest group grouping groups hamming_distance hash_counts having histogram hmac_md5 hmac_sha1 hmac_sha256 hmac_sha512 hour human_readable_seconds if ignore in including index infinity initial inner input insert intersect intersection_cardinality into inverse_beta_cdf inverse_normal_cdf invoker io is is_finite is_infinite is_json_scalar is_nan isolation jaccard_index join json_array json_array_contains json_array_get json_array_length json_exists json_extract json_extract_scalar json_format json_object json_parse json_query json_size json_value keep key keys kurtosis lag last last_day_of_month last_value lateral lead leading learn_classifier learn_libsvm_classifier learn_libsvm_regressor learn_regressor least left length level levenshtein_distance like limit line_interpolate_point line_interpolate_points line_locate_point listagg ln local localtime localtimestamp log log10 log2 logical lower lpad ltrim luhn_check make_set_digest map_agg map_concat map_entries map_filter map_from_entries map_keys map_union map_values map_zip_with match match_recognize matched matches materialized max max_by md5 measures merge merge_set_digest millisecond min min_by minute mod month multimap_agg multimap_from_entries murmur3 nan natural next nfc nfd nfkc nfkd ngrams no none none_match normal_cdf normalize not now nth_value ntile null nullif nulls numeric_histogram object objectid_timestamp of offset omit on one only option or order ordinality outer output over overflow parse_data_size parse_datetime parse_duration partition partitions passing past path pattern per percent_rank permute pi position pow power preceding prepare privileges properties prune qdigest_agg quarter quotes radians rand random range rank read recursive reduce reduce_agg refresh regexp_count regexp_extract regexp_extract_all regexp_like regexp_position regexp_replace regexp_split regr_intercept regr_slope regress rename render repeat repeatable replace reset respect restrict returning reverse revoke rgb right role roles rollback rollup round row_number rows rpad rtrim running scalar schema schemas second security seek select sequence serializable session set sets sha1 sha256 sha512 show shuffle sign simplify_geometry sin skewness skip slice some soundex spatial_partitioning spatial_partitions split split_part split_to_map split_to_multimap spooky_hash_v2_32 spooky_hash_v2_64 sqrt st_area st_asbinary st_astext st_boundary st_buffer st_centroid st_contains st_convexhull st_coorddim st_crosses st_difference st_dimension st_disjoint st_distance st_endpoint st_envelope st_envelopeaspts st_equals st_exteriorring st_geometries st_geometryfromtext st_geometryn st_geometrytype st_geomfrombinary st_interiorringn st_interiorrings st_intersection st_intersects st_isclosed st_isempty st_isring st_issimple st_isvalid st_length st_linefromtext st_linestring st_multipoint st_numgeometries st_numinteriorring st_numpoints st_overlaps st_point st_pointn st_points st_polygon st_relate st_startpoint st_symdifference st_touches st_union st_within st_x st_xmax st_xmin st_y st_ymax st_ymin start starts_with stats stddev stddev_pop stddev_samp string strpos subset substr substring sum system table tables tablesample tan tanh tdigest_agg text then ties timestamp_objectid timezone_hour timezone_minute to to_base to_base32 to_base64 to_base64url to_big_endian_32 to_big_endian_64 to_char to_date to_encoded_polyline to_geojson_geometry to_geometry to_hex to_ieee754_32 to_ieee754_64 to_iso8601 to_milliseconds to_spherical_geography to_timestamp to_unixtime to_utf8 trailing transaction transform transform_keys transform_values translate trim trim_array true truncate try try_cast type typeof uescape unbounded uncommitted unconditional union unique unknown unmatched unnest update upper url_decode url_encode url_extract_fragment url_extract_host url_extract_parameter url_extract_path url_extract_port url_extract_protocol url_extract_query use user using utf16 utf32 utf8 validate value value_at_quantile values values_at_quantiles var_pop var_samp variance verbose version view week week_of_year when where width_bucket wilson_interval_lower wilson_interval_upper window with with_timezone within without word_stem work wrapper write xxhash64 year year_of_week yow zip zip_with"),builtin:s("array bigint bingtile boolean char codepoints color date decimal double function geometry hyperloglog int integer interval ipaddress joniregexp json json2016 jsonpath kdbtree likepattern map model objectid p4hyperloglog precision qdigest re2jregexp real regressor row setdigest smallint sphericalgeography tdigest time timestamp tinyint uuid varbinary varchar zone"),atoms:s("false true null unknown"),operatorChars:/^[[\]|<>=!\-+*/%]/,dateSQL:s("date time timestamp zone"),support:s("decimallessFloat zerolessFloat hexNumber")})})});var ta=Ke(($u,Ku)=>{(function(o){typeof $u=="object"&&typeof Ku=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("stylus",function(M){for(var H=M.indentUnit,Z="",ee=y(p),re=/^(a|b|i|s|col|em)$/i,N=y(S),F=y(s),D=y(T),Q=y(g),j=y(v),V=z(v),_=y(b),K=y(C),X=y(h),I=/^\s*([.]{2,3}|&&|\|\||\*\*|[?!=:]?=|[-+*\/%<>]=?|\?:|\~)/,B=z(x),le=y(c),xe=new RegExp(/^\-(moz|ms|o|webkit)-/i),q=y(d),L="",de={},ze,pe,Ee,ge;Z.length|~|\/)?\s*[\w-]*([a-z0-9-]|\*|\/\*)(\(|,)?)/),W.context.line.firstWord=L?L[0].replace(/^\s*/,""):"",W.context.line.indent=$.indentation(),ze=$.peek(),$.match("//"))return $.skipToEnd(),["comment","comment"];if($.match("/*"))return W.tokenize=qe,qe($,W);if(ze=='"'||ze=="'")return $.next(),W.tokenize=Se(ze),W.tokenize($,W);if(ze=="@")return $.next(),$.eatWhile(/[\w\\-]/),["def",$.current()];if(ze=="#"){if($.next(),$.match(/^[0-9a-f]{3}([0-9a-f]([0-9a-f]{2}){0,2})?\b(?!-)/i))return["atom","atom"];if($.match(/^[a-z][\w-]*/i))return["builtin","hash"]}return $.match(xe)?["meta","vendor-prefixes"]:$.match(/^-?[0-9]?\.?[0-9]/)?($.eatWhile(/[a-z%]/i),["number","unit"]):ze=="!"?($.next(),[$.match(/^(important|optional)/i)?"keyword":"operator","important"]):ze=="."&&$.match(/^\.[a-z][\w-]*/i)?["qualifier","qualifier"]:$.match(V)?($.peek()=="("&&(W.tokenize=je),["property","word"]):$.match(/^[a-z][\w-]*\(/i)?($.backUp(1),["keyword","mixin"]):$.match(/^(\+|-)[a-z][\w-]*\(/i)?($.backUp(1),["keyword","block-mixin"]):$.string.match(/^\s*&/)&&$.match(/^[-_]+[a-z][\w-]*/)?["qualifier","qualifier"]:$.match(/^(\/|&)(-|_|:|\.|#|[a-z])/)?($.backUp(1),["variable-3","reference"]):$.match(/^&{1}\s*$/)?["variable-3","reference"]:$.match(B)?["operator","operator"]:$.match(/^\$?[-_]*[a-z0-9]+[\w-]*/i)?$.match(/^(\.|\[)[\w-\'\"\]]+/i,!1)&&!U($.current())?($.match("."),["variable-2","variable-name"]):["variable-2","word"]:$.match(I)?["operator",$.current()]:/[:;,{}\[\]\(\)]/.test(ze)?($.next(),[null,ze]):($.next(),[null,null])}function qe($,W){for(var se=!1,De;(De=$.next())!=null;){if(se&&De=="/"){W.tokenize=null;break}se=De=="*"}return["comment","comment"]}function Se($){return function(W,se){for(var De=!1,nt;(nt=W.next())!=null;){if(nt==$&&!De){$==")"&&W.backUp(1);break}De=!De&&nt=="\\"}return(nt==$||!De&&$!=")")&&(se.tokenize=null),["string","string"]}}function je($,W){return $.next(),$.match(/\s*[\"\')]/,!1)?W.tokenize=null:W.tokenize=Se(")"),[null,"("]}function Ze($,W,se,De){this.type=$,this.indent=W,this.prev=se,this.line=De||{firstWord:"",indent:0}}function ke($,W,se,De){return De=De>=0?De:H,$.context=new Ze(se,W.indentation()+De,$.context),se}function Je($,W){var se=$.context.indent-H;return W=W||!1,$.context=$.context.prev,W&&($.context.indent=se),$.context.type}function He($,W,se){return de[se.context.type]($,W,se)}function Ge($,W,se,De){for(var nt=De||1;nt>0;nt--)se.context=se.context.prev;return He($,W,se)}function U($){return $.toLowerCase()in ee}function G($){return $=$.toLowerCase(),$ in N||$ in X}function ce($){return $.toLowerCase()in le}function Be($){return $.toLowerCase().match(xe)}function te($){var W=$.toLowerCase(),se="variable-2";return U($)?se="tag":ce($)?se="block-keyword":G($)?se="property":W in D||W in q?se="atom":W=="return"||W in Q?se="keyword":$.match(/^[A-Z]/)&&(se="string"),se}function fe($,W){return Me(W)&&($=="{"||$=="]"||$=="hash"||$=="qualifier")||$=="block-mixin"}function oe($,W){return $=="{"&&W.match(/^\s*\$?[\w-]+/i,!1)}function Ue($,W){return $==":"&&W.match(/^[a-z-]+/,!1)}function we($){return $.sol()||$.string.match(new RegExp("^\\s*"+R($.current())))}function Me($){return $.eol()||$.match(/^\s*$/,!1)}function Le($){var W=/^\s*[-_]*[a-z0-9]+[\w-]*/i,se=typeof $=="string"?$.match(W):$.string.match(W);return se?se[0].replace(/^\s*/,""):""}return de.block=function($,W,se){if($=="comment"&&we(W)||$==","&&Me(W)||$=="mixin")return ke(se,W,"block",0);if(oe($,W))return ke(se,W,"interpolation");if(Me(W)&&$=="]"&&!/^\s*(\.|#|:|\[|\*|&)/.test(W.string)&&!U(Le(W)))return ke(se,W,"block",0);if(fe($,W))return ke(se,W,"block");if($=="}"&&Me(W))return ke(se,W,"block",0);if($=="variable-name")return W.string.match(/^\s?\$[\w-\.\[\]\'\"]+$/)||ce(Le(W))?ke(se,W,"variableName"):ke(se,W,"variableName",0);if($=="=")return!Me(W)&&!ce(Le(W))?ke(se,W,"block",0):ke(se,W,"block");if($=="*"&&(Me(W)||W.match(/\s*(,|\.|#|\[|:|{)/,!1)))return ge="tag",ke(se,W,"block");if(Ue($,W))return ke(se,W,"pseudo");if(/@(font-face|media|supports|(-moz-)?document)/.test($))return ke(se,W,Me(W)?"block":"atBlock");if(/@(-(moz|ms|o|webkit)-)?keyframes$/.test($))return ke(se,W,"keyframes");if(/@extends?/.test($))return ke(se,W,"extend",0);if($&&$.charAt(0)=="@")return W.indentation()>0&&G(W.current().slice(1))?(ge="variable-2","block"):/(@import|@require|@charset)/.test($)?ke(se,W,"block",0):ke(se,W,"block");if($=="reference"&&Me(W))return ke(se,W,"block");if($=="(")return ke(se,W,"parens");if($=="vendor-prefixes")return ke(se,W,"vendorPrefixes");if($=="word"){var De=W.current();if(ge=te(De),ge=="property")return we(W)?ke(se,W,"block",0):(ge="atom","block");if(ge=="tag"){if(/embed|menu|pre|progress|sub|table/.test(De)&&G(Le(W))||W.string.match(new RegExp("\\[\\s*"+De+"|"+De+"\\s*\\]")))return ge="atom","block";if(re.test(De)&&(we(W)&&W.string.match(/=/)||!we(W)&&!W.string.match(/^(\s*\.|#|\&|\[|\/|>|\*)/)&&!U(Le(W))))return ge="variable-2",ce(Le(W))?"block":ke(se,W,"block",0);if(Me(W))return ke(se,W,"block")}if(ge=="block-keyword")return ge="keyword",W.current(/(if|unless)/)&&!we(W)?"block":ke(se,W,"block");if(De=="return")return ke(se,W,"block",0);if(ge=="variable-2"&&W.string.match(/^\s?\$[\w-\.\[\]\'\"]+$/))return ke(se,W,"block")}return se.context.type},de.parens=function($,W,se){if($=="(")return ke(se,W,"parens");if($==")")return se.context.prev.type=="parens"?Je(se):W.string.match(/^[a-z][\w-]*\(/i)&&Me(W)||ce(Le(W))||/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(Le(W))||!W.string.match(/^-?[a-z][\w-\.\[\]\'\"]*\s*=/)&&U(Le(W))?ke(se,W,"block"):W.string.match(/^[\$-]?[a-z][\w-\.\[\]\'\"]*\s*=/)||W.string.match(/^\s*(\(|\)|[0-9])/)||W.string.match(/^\s+[a-z][\w-]*\(/i)||W.string.match(/^\s+[\$-]?[a-z]/i)?ke(se,W,"block",0):Me(W)?ke(se,W,"block"):ke(se,W,"block",0);if($&&$.charAt(0)=="@"&&G(W.current().slice(1))&&(ge="variable-2"),$=="word"){var De=W.current();ge=te(De),ge=="tag"&&re.test(De)&&(ge="variable-2"),(ge=="property"||De=="to")&&(ge="atom")}return $=="variable-name"?ke(se,W,"variableName"):Ue($,W)?ke(se,W,"pseudo"):se.context.type},de.vendorPrefixes=function($,W,se){return $=="word"?(ge="property",ke(se,W,"block",0)):Je(se)},de.pseudo=function($,W,se){return G(Le(W.string))?Ge($,W,se):(W.match(/^[a-z-]+/),ge="variable-3",Me(W)?ke(se,W,"block"):Je(se))},de.atBlock=function($,W,se){if($=="(")return ke(se,W,"atBlock_parens");if(fe($,W))return ke(se,W,"block");if(oe($,W))return ke(se,W,"interpolation");if($=="word"){var De=W.current().toLowerCase();if(/^(only|not|and|or)$/.test(De)?ge="keyword":j.hasOwnProperty(De)?ge="tag":K.hasOwnProperty(De)?ge="attribute":_.hasOwnProperty(De)?ge="property":F.hasOwnProperty(De)?ge="string-2":ge=te(W.current()),ge=="tag"&&Me(W))return ke(se,W,"block")}return $=="operator"&&/^(not|and|or)$/.test(W.current())&&(ge="keyword"),se.context.type},de.atBlock_parens=function($,W,se){if($=="{"||$=="}")return se.context.type;if($==")")return Me(W)?ke(se,W,"block"):ke(se,W,"atBlock");if($=="word"){var De=W.current().toLowerCase();return ge=te(De),/^(max|min)/.test(De)&&(ge="property"),ge=="tag"&&(re.test(De)?ge="variable-2":ge="atom"),se.context.type}return de.atBlock($,W,se)},de.keyframes=function($,W,se){return W.indentation()=="0"&&($=="}"&&we(W)||$=="]"||$=="hash"||$=="qualifier"||U(W.current()))?Ge($,W,se):$=="{"?ke(se,W,"keyframes"):$=="}"?we(W)?Je(se,!0):ke(se,W,"keyframes"):$=="unit"&&/^[0-9]+\%$/.test(W.current())?ke(se,W,"keyframes"):$=="word"&&(ge=te(W.current()),ge=="block-keyword")?(ge="keyword",ke(se,W,"keyframes")):/@(font-face|media|supports|(-moz-)?document)/.test($)?ke(se,W,Me(W)?"block":"atBlock"):$=="mixin"?ke(se,W,"block",0):se.context.type},de.interpolation=function($,W,se){return $=="{"&&Je(se)&&ke(se,W,"block"),$=="}"?W.string.match(/^\s*(\.|#|:|\[|\*|&|>|~|\+|\/)/i)||W.string.match(/^\s*[a-z]/i)&&U(Le(W))?ke(se,W,"block"):!W.string.match(/^(\{|\s*\&)/)||W.match(/\s*[\w-]/,!1)?ke(se,W,"block",0):ke(se,W,"block"):$=="variable-name"?ke(se,W,"variableName",0):($=="word"&&(ge=te(W.current()),ge=="tag"&&(ge="atom")),se.context.type)},de.extend=function($,W,se){return $=="["||$=="="?"extend":$=="]"?Je(se):$=="word"?(ge=te(W.current()),"extend"):Je(se)},de.variableName=function($,W,se){return $=="string"||$=="["||$=="]"||W.current().match(/^(\.|\$)/)?(W.current().match(/^\.[\w-]+/i)&&(ge="variable-2"),"variableName"):Ge($,W,se)},{startState:function($){return{tokenize:null,state:"block",context:new Ze("block",$||0,null)}},token:function($,W){return!W.tokenize&&$.eatSpace()?null:(pe=(W.tokenize||Oe)($,W),pe&&typeof pe=="object"&&(Ee=pe[1],pe=pe[0]),ge=pe,W.state=de[W.state](Ee,$,W),ge)},indent:function($,W,se){var De=$.context,nt=W&&W.charAt(0),dt=De.indent,Pt=Le(W),It=se.match(/^\s*/)[0].replace(/\t/g,Z).length,Pe=$.context.prev?$.context.prev.line.firstWord:"",xt=$.context.prev?$.context.prev.line.indent:It;return De.prev&&(nt=="}"&&(De.type=="block"||De.type=="atBlock"||De.type=="keyframes")||nt==")"&&(De.type=="parens"||De.type=="atBlock_parens")||nt=="{"&&De.type=="at")?dt=De.indent-H:/(\})/.test(nt)||(/@|\$|\d/.test(nt)||/^\{/.test(W)||/^\s*\/(\/|\*)/.test(W)||/^\s*\/\*/.test(Pe)||/^\s*[\w-\.\[\]\'\"]+\s*(\?|:|\+)?=/i.test(W)||/^(\+|-)?[a-z][\w-]*\(/i.test(W)||/^return/.test(W)||ce(Pt)?dt=It:/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(nt)||U(Pt)?/\,\s*$/.test(Pe)?dt=xt:/^\s+/.test(se)&&(/(\.|#|:|\[|\*|&|>|~|\+|\/)/.test(Pe)||U(Pe))?dt=It<=xt?xt:xt+H:dt=It:!/,\s*$/.test(se)&&(Be(Pt)||G(Pt))&&(ce(Pe)?dt=It<=xt?xt:xt+H:/^\{/.test(Pe)?dt=It<=xt?It:xt+H:Be(Pe)||G(Pe)?dt=It>=xt?xt:It:/^(\.|#|:|\[|\*|&|@|\+|\-|>|~|\/)/.test(Pe)||/=\s*$/.test(Pe)||U(Pe)||/^\$[\w-\.\[\]\'\"]/.test(Pe)?dt=xt+H:dt=It)),dt},electricChars:"}",blockCommentStart:"/*",blockCommentEnd:"*/",blockCommentContinue:" * ",lineComment:"//",fold:"indent"}});var p=["a","abbr","address","area","article","aside","audio","b","base","bdi","bdo","bgsound","blockquote","body","br","button","canvas","caption","cite","code","col","colgroup","data","datalist","dd","del","details","dfn","div","dl","dt","em","embed","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","head","header","hgroup","hr","html","i","iframe","img","input","ins","kbd","keygen","label","legend","li","link","main","map","mark","marquee","menu","menuitem","meta","meter","nav","nobr","noframes","noscript","object","ol","optgroup","option","output","p","param","pre","progress","q","rp","rt","ruby","s","samp","script","section","select","small","source","span","strong","style","sub","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","track","u","ul","var","video"],v=["domain","regexp","url-prefix","url"],C=["all","aural","braille","handheld","print","projection","screen","tty","tv","embossed"],b=["width","min-width","max-width","height","min-height","max-height","device-width","min-device-width","max-device-width","device-height","min-device-height","max-device-height","aspect-ratio","min-aspect-ratio","max-aspect-ratio","device-aspect-ratio","min-device-aspect-ratio","max-device-aspect-ratio","color","min-color","max-color","color-index","min-color-index","max-color-index","monochrome","min-monochrome","max-monochrome","resolution","min-resolution","max-resolution","scan","grid","dynamic-range","video-dynamic-range"],S=["align-content","align-items","align-self","alignment-adjust","alignment-baseline","anchor-point","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","appearance","azimuth","backface-visibility","background","background-attachment","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","baseline-shift","binding","bleed","bookmark-label","bookmark-level","bookmark-state","bookmark-target","border","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","clear","clip","color","color-profile","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","content","counter-increment","counter-reset","crop","cue","cue-after","cue-before","cursor","direction","display","dominant-baseline","drop-initial-after-adjust","drop-initial-after-align","drop-initial-before-adjust","drop-initial-before-align","drop-initial-size","drop-initial-value","elevation","empty-cells","fit","fit-position","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","float-offset","flow-from","flow-into","font","font-feature-settings","font-family","font-kerning","font-language-override","font-size","font-size-adjust","font-stretch","font-style","font-synthesis","font-variant","font-variant-alternates","font-variant-caps","font-variant-east-asian","font-variant-ligatures","font-variant-numeric","font-variant-position","font-weight","grid","grid-area","grid-auto-columns","grid-auto-flow","grid-auto-position","grid-auto-rows","grid-column","grid-column-end","grid-column-start","grid-row","grid-row-end","grid-row-start","grid-template","grid-template-areas","grid-template-columns","grid-template-rows","hanging-punctuation","height","hyphens","icon","image-orientation","image-rendering","image-resolution","inline-box-align","justify-content","left","letter-spacing","line-break","line-height","line-stacking","line-stacking-ruby","line-stacking-shift","line-stacking-strategy","list-style","list-style-image","list-style-position","list-style-type","margin","margin-bottom","margin-left","margin-right","margin-top","marker-offset","marks","marquee-direction","marquee-loop","marquee-play-count","marquee-speed","marquee-style","max-height","max-width","min-height","min-width","move-to","nav-down","nav-index","nav-left","nav-right","nav-up","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-style","overflow-wrap","overflow-x","overflow-y","padding","padding-bottom","padding-left","padding-right","padding-top","page","page-break-after","page-break-before","page-break-inside","page-policy","pause","pause-after","pause-before","perspective","perspective-origin","pitch","pitch-range","play-during","position","presentation-level","punctuation-trim","quotes","region-break-after","region-break-before","region-break-inside","region-fragment","rendering-intent","resize","rest","rest-after","rest-before","richness","right","rotation","rotation-point","ruby-align","ruby-overhang","ruby-position","ruby-span","shape-image-threshold","shape-inside","shape-margin","shape-outside","size","speak","speak-as","speak-header","speak-numeral","speak-punctuation","speech-rate","stress","string-set","tab-size","table-layout","target","target-name","target-new","target-position","text-align","text-align-last","text-decoration","text-decoration-color","text-decoration-line","text-decoration-skip","text-decoration-style","text-emphasis","text-emphasis-color","text-emphasis-position","text-emphasis-style","text-height","text-indent","text-justify","text-outline","text-overflow","text-shadow","text-size-adjust","text-space-collapse","text-transform","text-underline-position","text-wrap","top","transform","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","voice-balance","voice-duration","voice-family","voice-pitch","voice-range","voice-rate","voice-stress","voice-volume","volume","white-space","widows","width","will-change","word-break","word-spacing","word-wrap","z-index","clip-path","clip-rule","mask","enable-background","filter","flood-color","flood-opacity","lighting-color","stop-color","stop-opacity","pointer-events","color-interpolation","color-interpolation-filters","color-rendering","fill","fill-opacity","fill-rule","image-rendering","marker","marker-end","marker-mid","marker-start","shape-rendering","stroke","stroke-dasharray","stroke-dashoffset","stroke-linecap","stroke-linejoin","stroke-miterlimit","stroke-opacity","stroke-width","text-rendering","baseline-shift","dominant-baseline","glyph-orientation-horizontal","glyph-orientation-vertical","text-anchor","writing-mode","font-smoothing","osx-font-smoothing"],s=["scrollbar-arrow-color","scrollbar-base-color","scrollbar-dark-shadow-color","scrollbar-face-color","scrollbar-highlight-color","scrollbar-shadow-color","scrollbar-3d-light-color","scrollbar-track-color","shape-inside","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","zoom"],h=["font-family","src","unicode-range","font-variant","font-feature-settings","font-stretch","font-weight","font-style"],g=["aliceblue","antiquewhite","aqua","aquamarine","azure","beige","bisque","black","blanchedalmond","blue","blueviolet","brown","burlywood","cadetblue","chartreuse","chocolate","coral","cornflowerblue","cornsilk","crimson","cyan","darkblue","darkcyan","darkgoldenrod","darkgray","darkgreen","darkkhaki","darkmagenta","darkolivegreen","darkorange","darkorchid","darkred","darksalmon","darkseagreen","darkslateblue","darkslategray","darkturquoise","darkviolet","deeppink","deepskyblue","dimgray","dodgerblue","firebrick","floralwhite","forestgreen","fuchsia","gainsboro","ghostwhite","gold","goldenrod","gray","grey","green","greenyellow","honeydew","hotpink","indianred","indigo","ivory","khaki","lavender","lavenderblush","lawngreen","lemonchiffon","lightblue","lightcoral","lightcyan","lightgoldenrodyellow","lightgray","lightgreen","lightpink","lightsalmon","lightseagreen","lightskyblue","lightslategray","lightsteelblue","lightyellow","lime","limegreen","linen","magenta","maroon","mediumaquamarine","mediumblue","mediumorchid","mediumpurple","mediumseagreen","mediumslateblue","mediumspringgreen","mediumturquoise","mediumvioletred","midnightblue","mintcream","mistyrose","moccasin","navajowhite","navy","oldlace","olive","olivedrab","orange","orangered","orchid","palegoldenrod","palegreen","paleturquoise","palevioletred","papayawhip","peachpuff","peru","pink","plum","powderblue","purple","rebeccapurple","red","rosybrown","royalblue","saddlebrown","salmon","sandybrown","seagreen","seashell","sienna","silver","skyblue","slateblue","slategray","snow","springgreen","steelblue","tan","teal","thistle","tomato","turquoise","violet","wheat","white","whitesmoke","yellow","yellowgreen"],T=["above","absolute","activeborder","additive","activecaption","afar","after-white-space","ahead","alias","all","all-scroll","alphabetic","alternate","always","amharic","amharic-abegede","antialiased","appworkspace","arabic-indic","armenian","asterisks","attr","auto","avoid","avoid-column","avoid-page","avoid-region","background","backwards","baseline","below","bidi-override","binary","bengali","blink","block","block-axis","bold","bolder","border","border-box","both","bottom","break","break-all","break-word","bullets","button","buttonface","buttonhighlight","buttonshadow","buttontext","calc","cambodian","capitalize","caps-lock-indicator","caption","captiontext","caret","cell","center","checkbox","circle","cjk-decimal","cjk-earthly-branch","cjk-heavenly-stem","cjk-ideographic","clear","clip","close-quote","col-resize","collapse","column","compact","condensed","conic-gradient","contain","content","contents","content-box","context-menu","continuous","copy","counter","counters","cover","crop","cross","crosshair","currentcolor","cursive","cyclic","dashed","decimal","decimal-leading-zero","default","default-button","destination-atop","destination-in","destination-out","destination-over","devanagari","disc","discard","disclosure-closed","disclosure-open","document","dot-dash","dot-dot-dash","dotted","double","down","e-resize","ease","ease-in","ease-in-out","ease-out","element","ellipse","ellipsis","embed","end","ethiopic","ethiopic-abegede","ethiopic-abegede-am-et","ethiopic-abegede-gez","ethiopic-abegede-ti-er","ethiopic-abegede-ti-et","ethiopic-halehame-aa-er","ethiopic-halehame-aa-et","ethiopic-halehame-am-et","ethiopic-halehame-gez","ethiopic-halehame-om-et","ethiopic-halehame-sid-et","ethiopic-halehame-so-et","ethiopic-halehame-ti-er","ethiopic-halehame-ti-et","ethiopic-halehame-tig","ethiopic-numeric","ew-resize","expanded","extends","extra-condensed","extra-expanded","fantasy","fast","fill","fixed","flat","flex","footnotes","forwards","from","geometricPrecision","georgian","graytext","groove","gujarati","gurmukhi","hand","hangul","hangul-consonant","hebrew","help","hidden","hide","high","higher","highlight","highlighttext","hiragana","hiragana-iroha","horizontal","hsl","hsla","icon","ignore","inactiveborder","inactivecaption","inactivecaptiontext","infinite","infobackground","infotext","inherit","initial","inline","inline-axis","inline-block","inline-flex","inline-table","inset","inside","intrinsic","invert","italic","japanese-formal","japanese-informal","justify","kannada","katakana","katakana-iroha","keep-all","khmer","korean-hangul-formal","korean-hanja-formal","korean-hanja-informal","landscape","lao","large","larger","left","level","lighter","line-through","linear","linear-gradient","lines","list-item","listbox","listitem","local","logical","loud","lower","lower-alpha","lower-armenian","lower-greek","lower-hexadecimal","lower-latin","lower-norwegian","lower-roman","lowercase","ltr","malayalam","match","matrix","matrix3d","media-play-button","media-slider","media-sliderthumb","media-volume-slider","media-volume-sliderthumb","medium","menu","menulist","menulist-button","menutext","message-box","middle","min-intrinsic","mix","mongolian","monospace","move","multiple","myanmar","n-resize","narrower","ne-resize","nesw-resize","no-close-quote","no-drop","no-open-quote","no-repeat","none","normal","not-allowed","nowrap","ns-resize","numbers","numeric","nw-resize","nwse-resize","oblique","octal","open-quote","optimizeLegibility","optimizeSpeed","oriya","oromo","outset","outside","outside-shape","overlay","overline","padding","padding-box","painted","page","paused","persian","perspective","plus-darker","plus-lighter","pointer","polygon","portrait","pre","pre-line","pre-wrap","preserve-3d","progress","push-button","radial-gradient","radio","read-only","read-write","read-write-plaintext-only","rectangle","region","relative","repeat","repeating-linear-gradient","repeating-radial-gradient","repeating-conic-gradient","repeat-x","repeat-y","reset","reverse","rgb","rgba","ridge","right","rotate","rotate3d","rotateX","rotateY","rotateZ","round","row-resize","rtl","run-in","running","s-resize","sans-serif","scale","scale3d","scaleX","scaleY","scaleZ","scroll","scrollbar","scroll-position","se-resize","searchfield","searchfield-cancel-button","searchfield-decoration","searchfield-results-button","searchfield-results-decoration","semi-condensed","semi-expanded","separate","serif","show","sidama","simp-chinese-formal","simp-chinese-informal","single","skew","skewX","skewY","skip-white-space","slide","slider-horizontal","slider-vertical","sliderthumb-horizontal","sliderthumb-vertical","slow","small","small-caps","small-caption","smaller","solid","somali","source-atop","source-in","source-out","source-over","space","spell-out","square","square-button","standard","start","static","status-bar","stretch","stroke","sub","subpixel-antialiased","super","sw-resize","symbolic","symbols","table","table-caption","table-cell","table-column","table-column-group","table-footer-group","table-header-group","table-row","table-row-group","tamil","telugu","text","text-bottom","text-top","textarea","textfield","thai","thick","thin","threeddarkshadow","threedface","threedhighlight","threedlightshadow","threedshadow","tibetan","tigre","tigrinya-er","tigrinya-er-abegede","tigrinya-et","tigrinya-et-abegede","to","top","trad-chinese-formal","trad-chinese-informal","translate","translate3d","translateX","translateY","translateZ","transparent","ultra-condensed","ultra-expanded","underline","up","upper-alpha","upper-armenian","upper-greek","upper-hexadecimal","upper-latin","upper-norwegian","upper-roman","uppercase","urdu","url","var","vertical","vertical-text","visible","visibleFill","visiblePainted","visibleStroke","visual","w-resize","wait","wave","wider","window","windowframe","windowtext","words","x-large","x-small","xor","xx-large","xx-small","bicubic","optimizespeed","grayscale","row","row-reverse","wrap","wrap-reverse","column-reverse","flex-start","flex-end","space-between","space-around","unset"],x=["in","and","or","not","is not","is a","is","isnt","defined","if unless"],c=["for","if","else","unless","from","to"],d=["null","true","false","href","title","type","not-allowed","readonly","disabled"],w=["@font-face","@keyframes","@media","@viewport","@page","@host","@supports","@block","@css"],E=p.concat(v,C,b,S,s,g,T,h,x,c,d,w);function z(M){return M=M.sort(function(H,Z){return Z>H}),new RegExp("^(("+M.join(")|(")+"))\\b")}function y(M){for(var H={},Z=0;Z{(function(o){typeof Gu=="object"&&typeof Zu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";function p(N){for(var F={},D=0;D~^?!",h=":;,.(){}[]",g=/^\-?0b[01][01_]*/,T=/^\-?0o[0-7][0-7_]*/,x=/^\-?0x[\dA-Fa-f][\dA-Fa-f_]*(?:(?:\.[\dA-Fa-f][\dA-Fa-f_]*)?[Pp]\-?\d[\d_]*)?/,c=/^\-?\d[\d_]*(?:\.\d[\d_]*)?(?:[Ee]\-?\d[\d_]*)?/,d=/^\$\d+|(`?)[_A-Za-z][_A-Za-z$0-9]*\1/,w=/^\.(?:\$\d+|(`?)[_A-Za-z][_A-Za-z$0-9]*\1)/,E=/^\#[A-Za-z]+/,z=/^@(?:\$\d+|(`?)[_A-Za-z][_A-Za-z$0-9]*\1)/;function y(N,F,D){if(N.sol()&&(F.indented=N.indentation()),N.eatSpace())return null;var Q=N.peek();if(Q=="/"){if(N.match("//"))return N.skipToEnd(),"comment";if(N.match("/*"))return F.tokenize.push(H),H(N,F)}if(N.match(E))return"builtin";if(N.match(z))return"attribute";if(N.match(g)||N.match(T)||N.match(x)||N.match(c))return"number";if(N.match(w))return"property";if(s.indexOf(Q)>-1)return N.next(),"operator";if(h.indexOf(Q)>-1)return N.next(),N.match(".."),"punctuation";var j;if(j=N.match(/("""|"|')/)){var V=M.bind(null,j[0]);return F.tokenize.push(V),V(N,F)}if(N.match(d)){var _=N.current();return S.hasOwnProperty(_)?"variable-2":b.hasOwnProperty(_)?"atom":v.hasOwnProperty(_)?(C.hasOwnProperty(_)&&(F.prev="define"),"keyword"):D=="define"?"def":"variable"}return N.next(),null}function R(){var N=0;return function(F,D,Q){var j=y(F,D,Q);if(j=="punctuation"){if(F.current()=="(")++N;else if(F.current()==")"){if(N==0)return F.backUp(1),D.tokenize.pop(),D.tokenize[D.tokenize.length-1](F,D);--N}}return j}}function M(N,F,D){for(var Q=N.length==1,j,V=!1;j=F.peek();)if(V){if(F.next(),j=="(")return D.tokenize.push(R()),"string";V=!1}else{if(F.match(N))return D.tokenize.pop(),"string";F.next(),V=j=="\\"}return Q&&D.tokenize.pop(),"string"}function H(N,F){for(var D;D=N.next();)if(D==="/"&&N.eat("*"))F.tokenize.push(H);else if(D==="*"&&N.eat("/")){F.tokenize.pop();break}return"comment"}function Z(N,F,D){this.prev=N,this.align=F,this.indented=D}function ee(N,F){var D=F.match(/^\s*($|\/[\/\*])/,!1)?null:F.column()+1;N.context=new Z(N.context,D,N.indented)}function re(N){N.context&&(N.indented=N.context.indented,N.context=N.context.prev)}o.defineMode("swift",function(N){return{startState:function(){return{prev:null,context:null,indented:0,tokenize:[]}},token:function(F,D){var Q=D.prev;D.prev=null;var j=D.tokenize[D.tokenize.length-1]||y,V=j(F,D,Q);if(!V||V=="comment"?D.prev=Q:D.prev||(D.prev=V),V=="punctuation"){var _=/[\(\[\{]|([\]\)\}])/.exec(F.current());_&&(_[1]?re:ee)(D,F)}return V},indent:function(F,D){var Q=F.context;if(!Q)return 0;var j=/^[\]\}\)]/.test(D);return Q.align!=null?Q.align-(j?1:0):Q.indented+(j?0:N.indentUnit)},electricInput:/^\s*[\)\}\]]$/,lineComment:"//",blockCommentStart:"/*",blockCommentEnd:"*/",fold:"brace",closeBrackets:"()[]{}''\"\"``"}}),o.defineMIME("text/x-swift","swift")})});var Vu=Ke((Yu,Qu)=>{(function(o){typeof Yu=="object"&&typeof Qu=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("coffeescript",function(p,v){var C="error";function b(F){return new RegExp("^(("+F.join(")|(")+"))\\b")}var S=/^(?:->|=>|\+[+=]?|-[\-=]?|\*[\*=]?|\/[\/=]?|[=!]=|<[><]?=?|>>?=?|%=?|&=?|\|=?|\^=?|\~|!|\?|(or|and|\|\||&&|\?)=)/,s=/^(?:[()\[\]{},:`=;]|\.\.?\.?)/,h=/^[_A-Za-z$][_A-Za-z$0-9]*/,g=/^@[_A-Za-z$][_A-Za-z$0-9]*/,T=b(["and","or","not","is","isnt","in","instanceof","typeof"]),x=["for","while","loop","if","unless","else","switch","try","catch","finally","class"],c=["break","by","continue","debugger","delete","do","in","of","new","return","then","this","@","throw","when","until","extends"],d=b(x.concat(c));x=b(x);var w=/^('{3}|\"{3}|['\"])/,E=/^(\/{3}|\/)/,z=["Infinity","NaN","undefined","null","true","false","on","off","yes","no"],y=b(z);function R(F,D){if(F.sol()){D.scope.align===null&&(D.scope.align=!1);var Q=D.scope.offset;if(F.eatSpace()){var j=F.indentation();return j>Q&&D.scope.type=="coffee"?"indent":j0&&ee(F,D)}if(F.eatSpace())return null;var V=F.peek();if(F.match("####"))return F.skipToEnd(),"comment";if(F.match("###"))return D.tokenize=H,D.tokenize(F,D);if(V==="#")return F.skipToEnd(),"comment";if(F.match(/^-?[0-9\.]/,!1)){var _=!1;if(F.match(/^-?\d*\.\d+(e[\+\-]?\d+)?/i)&&(_=!0),F.match(/^-?\d+\.\d*/)&&(_=!0),F.match(/^-?\.\d+/)&&(_=!0),_)return F.peek()=="."&&F.backUp(1),"number";var K=!1;if(F.match(/^-?0x[0-9a-f]+/i)&&(K=!0),F.match(/^-?[1-9]\d*(e[\+\-]?\d+)?/)&&(K=!0),F.match(/^-?0(?![\dx])/i)&&(K=!0),K)return"number"}if(F.match(w))return D.tokenize=M(F.current(),!1,"string"),D.tokenize(F,D);if(F.match(E)){if(F.current()!="/"||F.match(/^.*\//,!1))return D.tokenize=M(F.current(),!0,"string-2"),D.tokenize(F,D);F.backUp(1)}return F.match(S)||F.match(T)?"operator":F.match(s)?"punctuation":F.match(y)?"atom":F.match(g)||D.prop&&F.match(h)?"property":F.match(d)?"keyword":F.match(h)?"variable":(F.next(),C)}function M(F,D,Q){return function(j,V){for(;!j.eol();)if(j.eatWhile(/[^'"\/\\]/),j.eat("\\")){if(j.next(),D&&j.eol())return Q}else{if(j.match(F))return V.tokenize=R,Q;j.eat(/['"\/]/)}return D&&(v.singleLineStringErrors?Q=C:V.tokenize=R),Q}}function H(F,D){for(;!F.eol();){if(F.eatWhile(/[^#]/),F.match("###")){D.tokenize=R;break}F.eatWhile("#")}return"comment"}function Z(F,D,Q){Q=Q||"coffee";for(var j=0,V=!1,_=null,K=D.scope;K;K=K.prev)if(K.type==="coffee"||K.type=="}"){j=K.offset+p.indentUnit;break}Q!=="coffee"?(V=null,_=F.column()+F.current().length):D.scope.align&&(D.scope.align=!1),D.scope={offset:j,type:Q,prev:D.scope,align:V,alignOffset:_}}function ee(F,D){if(D.scope.prev)if(D.scope.type==="coffee"){for(var Q=F.indentation(),j=!1,V=D.scope;V;V=V.prev)if(Q===V.offset){j=!0;break}if(!j)return!0;for(;D.scope.prev&&D.scope.offset!==Q;)D.scope=D.scope.prev;return!1}else return D.scope=D.scope.prev,!1}function re(F,D){var Q=D.tokenize(F,D),j=F.current();j==="return"&&(D.dedent=!0),((j==="->"||j==="=>")&&F.eol()||Q==="indent")&&Z(F,D);var V="[({".indexOf(j);if(V!==-1&&Z(F,D,"])}".slice(V,V+1)),x.exec(j)&&Z(F,D),j=="then"&&ee(F,D),Q==="dedent"&&ee(F,D))return C;if(V="])}".indexOf(j),V!==-1){for(;D.scope.type=="coffee"&&D.scope.prev;)D.scope=D.scope.prev;D.scope.type==j&&(D.scope=D.scope.prev)}return D.dedent&&F.eol()&&(D.scope.type=="coffee"&&D.scope.prev&&(D.scope=D.scope.prev),D.dedent=!1),Q}var N={startState:function(F){return{tokenize:R,scope:{offset:F||0,type:"coffee",prev:null,align:!1},prop:!1,dedent:0}},token:function(F,D){var Q=D.scope.align===null&&D.scope;Q&&F.sol()&&(Q.align=!1);var j=re(F,D);return j&&j!="comment"&&(Q&&(Q.align=!0),D.prop=j=="punctuation"&&F.current()=="."),j},indent:function(F,D){if(F.tokenize!=R)return 0;var Q=F.scope,j=D&&"])}".indexOf(D.charAt(0))>-1;if(j)for(;Q.type=="coffee"&&Q.prev;)Q=Q.prev;var V=j&&Q.type===D.charAt(0);return Q.align?Q.alignOffset-(V?1:0):(V?Q.prev:Q).offset},lineComment:"#",fold:"indent"};return N}),o.defineMIME("application/vnd.coffeescript","coffeescript"),o.defineMIME("text/x-coffeescript","coffeescript"),o.defineMIME("text/coffeescript","coffeescript")})});var tc=Ke((Ju,ec)=>{(function(o){typeof Ju=="object"&&typeof ec=="object"?o(We(),vn(),gn(),Qn()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../javascript/javascript","../css/css","../htmlmixed/htmlmixed"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("pug",function(p){var v="keyword",C="meta",b="builtin",S="qualifier",s={"{":"}","(":")","[":"]"},h=o.getMode(p,"javascript");function g(){this.javaScriptLine=!1,this.javaScriptLineExcludesColon=!1,this.javaScriptArguments=!1,this.javaScriptArgumentsDepth=0,this.isInterpolating=!1,this.interpolationNesting=0,this.jsState=o.startState(h),this.restOfLine="",this.isIncludeFiltered=!1,this.isEach=!1,this.lastTag="",this.scriptType="",this.isAttrs=!1,this.attrsNest=[],this.inAttributeName=!0,this.attributeIsType=!1,this.attrValue="",this.indentOf=1/0,this.indentToken="",this.innerMode=null,this.innerState=null,this.innerModeForLine=!1}g.prototype.copy=function(){var U=new g;return U.javaScriptLine=this.javaScriptLine,U.javaScriptLineExcludesColon=this.javaScriptLineExcludesColon,U.javaScriptArguments=this.javaScriptArguments,U.javaScriptArgumentsDepth=this.javaScriptArgumentsDepth,U.isInterpolating=this.isInterpolating,U.interpolationNesting=this.interpolationNesting,U.jsState=o.copyState(h,this.jsState),U.innerMode=this.innerMode,this.innerMode&&this.innerState&&(U.innerState=o.copyState(this.innerMode,this.innerState)),U.restOfLine=this.restOfLine,U.isIncludeFiltered=this.isIncludeFiltered,U.isEach=this.isEach,U.lastTag=this.lastTag,U.scriptType=this.scriptType,U.isAttrs=this.isAttrs,U.attrsNest=this.attrsNest.slice(),U.inAttributeName=this.inAttributeName,U.attributeIsType=this.attributeIsType,U.attrValue=this.attrValue,U.indentOf=this.indentOf,U.indentToken=this.indentToken,U.innerModeForLine=this.innerModeForLine,U};function T(U,G){if(U.sol()&&(G.javaScriptLine=!1,G.javaScriptLineExcludesColon=!1),G.javaScriptLine){if(G.javaScriptLineExcludesColon&&U.peek()===":"){G.javaScriptLine=!1,G.javaScriptLineExcludesColon=!1;return}var ce=h.token(U,G.jsState);return U.eol()&&(G.javaScriptLine=!1),ce||!0}}function x(U,G){if(G.javaScriptArguments){if(G.javaScriptArgumentsDepth===0&&U.peek()!=="("){G.javaScriptArguments=!1;return}if(U.peek()==="("?G.javaScriptArgumentsDepth++:U.peek()===")"&&G.javaScriptArgumentsDepth--,G.javaScriptArgumentsDepth===0){G.javaScriptArguments=!1;return}var ce=h.token(U,G.jsState);return ce||!0}}function c(U){if(U.match(/^yield\b/))return"keyword"}function d(U){if(U.match(/^(?:doctype) *([^\n]+)?/))return C}function w(U,G){if(U.match("#{"))return G.isInterpolating=!0,G.interpolationNesting=0,"punctuation"}function E(U,G){if(G.isInterpolating){if(U.peek()==="}"){if(G.interpolationNesting--,G.interpolationNesting<0)return U.next(),G.isInterpolating=!1,"punctuation"}else U.peek()==="{"&&G.interpolationNesting++;return h.token(U,G.jsState)||!0}}function z(U,G){if(U.match(/^case\b/))return G.javaScriptLine=!0,v}function y(U,G){if(U.match(/^when\b/))return G.javaScriptLine=!0,G.javaScriptLineExcludesColon=!0,v}function R(U){if(U.match(/^default\b/))return v}function M(U,G){if(U.match(/^extends?\b/))return G.restOfLine="string",v}function H(U,G){if(U.match(/^append\b/))return G.restOfLine="variable",v}function Z(U,G){if(U.match(/^prepend\b/))return G.restOfLine="variable",v}function ee(U,G){if(U.match(/^block\b *(?:(prepend|append)\b)?/))return G.restOfLine="variable",v}function re(U,G){if(U.match(/^include\b/))return G.restOfLine="string",v}function N(U,G){if(U.match(/^include:([a-zA-Z0-9\-]+)/,!1)&&U.match("include"))return G.isIncludeFiltered=!0,v}function F(U,G){if(G.isIncludeFiltered){var ce=B(U,G);return G.isIncludeFiltered=!1,G.restOfLine="string",ce}}function D(U,G){if(U.match(/^mixin\b/))return G.javaScriptLine=!0,v}function Q(U,G){if(U.match(/^\+([-\w]+)/))return U.match(/^\( *[-\w]+ *=/,!1)||(G.javaScriptArguments=!0,G.javaScriptArgumentsDepth=0),"variable";if(U.match("+#{",!1))return U.next(),G.mixinCallAfter=!0,w(U,G)}function j(U,G){if(G.mixinCallAfter)return G.mixinCallAfter=!1,U.match(/^\( *[-\w]+ *=/,!1)||(G.javaScriptArguments=!0,G.javaScriptArgumentsDepth=0),!0}function V(U,G){if(U.match(/^(if|unless|else if|else)\b/))return G.javaScriptLine=!0,v}function _(U,G){if(U.match(/^(- *)?(each|for)\b/))return G.isEach=!0,v}function K(U,G){if(G.isEach){if(U.match(/^ in\b/))return G.javaScriptLine=!0,G.isEach=!1,v;if(U.sol()||U.eol())G.isEach=!1;else if(U.next()){for(;!U.match(/^ in\b/,!1)&&U.next(););return"variable"}}}function X(U,G){if(U.match(/^while\b/))return G.javaScriptLine=!0,v}function I(U,G){var ce;if(ce=U.match(/^(\w(?:[-:\w]*\w)?)\/?/))return G.lastTag=ce[1].toLowerCase(),G.lastTag==="script"&&(G.scriptType="application/javascript"),"tag"}function B(U,G){if(U.match(/^:([\w\-]+)/)){var ce;return p&&p.innerModes&&(ce=p.innerModes(U.current().substring(1))),ce||(ce=U.current().substring(1)),typeof ce=="string"&&(ce=o.getMode(p,ce)),je(U,G,ce),"atom"}}function le(U,G){if(U.match(/^(!?=|-)/))return G.javaScriptLine=!0,"punctuation"}function xe(U){if(U.match(/^#([\w-]+)/))return b}function q(U){if(U.match(/^\.([\w-]+)/))return S}function L(U,G){if(U.peek()=="(")return U.next(),G.isAttrs=!0,G.attrsNest=[],G.inAttributeName=!0,G.attrValue="",G.attributeIsType=!1,"punctuation"}function de(U,G){if(G.isAttrs){if(s[U.peek()]&&G.attrsNest.push(s[U.peek()]),G.attrsNest[G.attrsNest.length-1]===U.peek())G.attrsNest.pop();else if(U.eat(")"))return G.isAttrs=!1,"punctuation";if(G.inAttributeName&&U.match(/^[^=,\)!]+/))return(U.peek()==="="||U.peek()==="!")&&(G.inAttributeName=!1,G.jsState=o.startState(h),G.lastTag==="script"&&U.current().trim().toLowerCase()==="type"?G.attributeIsType=!0:G.attributeIsType=!1),"attribute";var ce=h.token(U,G.jsState);if(G.attributeIsType&&ce==="string"&&(G.scriptType=U.current().toString()),G.attrsNest.length===0&&(ce==="string"||ce==="variable"||ce==="keyword"))try{return Function("","var x "+G.attrValue.replace(/,\s*$/,"").replace(/^!/,"")),G.inAttributeName=!0,G.attrValue="",U.backUp(U.current().length),de(U,G)}catch{}return G.attrValue+=U.current(),ce||!0}}function ze(U,G){if(U.match(/^&attributes\b/))return G.javaScriptArguments=!0,G.javaScriptArgumentsDepth=0,"keyword"}function pe(U){if(U.sol()&&U.eatSpace())return"indent"}function Ee(U,G){if(U.match(/^ *\/\/(-)?([^\n]*)/))return G.indentOf=U.indentation(),G.indentToken="comment","comment"}function ge(U){if(U.match(/^: */))return"colon"}function Oe(U,G){if(U.match(/^(?:\| ?| )([^\n]+)/))return"string";if(U.match(/^(<[^\n]*)/,!1))return je(U,G,"htmlmixed"),G.innerModeForLine=!0,Ze(U,G,!0)}function qe(U,G){if(U.eat(".")){var ce=null;return G.lastTag==="script"&&G.scriptType.toLowerCase().indexOf("javascript")!=-1?ce=G.scriptType.toLowerCase().replace(/"|'/g,""):G.lastTag==="style"&&(ce="css"),je(U,G,ce),"dot"}}function Se(U){return U.next(),null}function je(U,G,ce){ce=o.mimeModes[ce]||ce,ce=p.innerModes&&p.innerModes(ce)||ce,ce=o.mimeModes[ce]||ce,ce=o.getMode(p,ce),G.indentOf=U.indentation(),ce&&ce.name!=="null"?G.innerMode=ce:G.indentToken="string"}function Ze(U,G,ce){if(U.indentation()>G.indentOf||G.innerModeForLine&&!U.sol()||ce)return G.innerMode?(G.innerState||(G.innerState=G.innerMode.startState?o.startState(G.innerMode,U.indentation()):{}),U.hideFirstChars(G.indentOf+2,function(){return G.innerMode.token(U,G.innerState)||!0})):(U.skipToEnd(),G.indentToken);U.sol()&&(G.indentOf=1/0,G.indentToken=null,G.innerMode=null,G.innerState=null)}function ke(U,G){if(U.sol()&&(G.restOfLine=""),G.restOfLine){U.skipToEnd();var ce=G.restOfLine;return G.restOfLine="",ce}}function Je(){return new g}function He(U){return U.copy()}function Ge(U,G){var ce=Ze(U,G)||ke(U,G)||E(U,G)||F(U,G)||K(U,G)||de(U,G)||T(U,G)||x(U,G)||j(U,G)||c(U)||d(U)||w(U,G)||z(U,G)||y(U,G)||R(U)||M(U,G)||H(U,G)||Z(U,G)||ee(U,G)||re(U,G)||N(U,G)||D(U,G)||Q(U,G)||V(U,G)||_(U,G)||X(U,G)||I(U,G)||B(U,G)||le(U,G)||xe(U)||q(U)||L(U,G)||ze(U,G)||pe(U)||Oe(U,G)||Ee(U,G)||ge(U)||qe(U,G)||Se(U);return ce===!0?null:ce}return{startState:Je,copyState:He,token:Ge}},"javascript","css","htmlmixed"),o.defineMIME("text/x-pug","pug"),o.defineMIME("text/x-jade","pug")})});var ic=Ke((rc,nc)=>{(function(o){typeof rc=="object"&&typeof nc=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.multiplexingMode=function(p){var v=Array.prototype.slice.call(arguments,1);function C(b,S,s,h){if(typeof S=="string"){var g=b.indexOf(S,s);return h&&g>-1?g+S.length:g}var T=S.exec(s?b.slice(s):b);return T?T.index+s+(h?T[0].length:0):-1}return{startState:function(){return{outer:o.startState(p),innerActive:null,inner:null,startingInner:!1}},copyState:function(b){return{outer:o.copyState(p,b.outer),innerActive:b.innerActive,inner:b.innerActive&&o.copyState(b.innerActive.mode,b.inner),startingInner:b.startingInner}},token:function(b,S){if(S.innerActive){var E=S.innerActive,h=b.string;if(!E.close&&b.sol())return S.innerActive=S.inner=null,this.token(b,S);var x=E.close&&!S.startingInner?C(h,E.close,b.pos,E.parseDelimiters):-1;if(x==b.pos&&!E.parseDelimiters)return b.match(E.close),S.innerActive=S.inner=null,E.delimStyle&&E.delimStyle+" "+E.delimStyle+"-close";x>-1&&(b.string=h.slice(0,x));var z=E.mode.token(b,S.inner);return x>-1?b.string=h:b.pos>b.start&&(S.startingInner=!1),x==b.pos&&E.parseDelimiters&&(S.innerActive=S.inner=null),E.innerStyle&&(z?z=z+" "+E.innerStyle:z=E.innerStyle),z}else{for(var s=1/0,h=b.string,g=0;g{(function(o){typeof oc=="object"&&typeof ac=="object"?o(We(),Di(),ic()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../../addon/mode/simple","../../addon/mode/multiplex"],o):o(CodeMirror)})(function(o){"use strict";o.defineSimpleMode("handlebars-tags",{start:[{regex:/\{\{\{/,push:"handlebars_raw",token:"tag"},{regex:/\{\{!--/,push:"dash_comment",token:"comment"},{regex:/\{\{!/,push:"comment",token:"comment"},{regex:/\{\{/,push:"handlebars",token:"tag"}],handlebars_raw:[{regex:/\}\}\}/,pop:!0,token:"tag"}],handlebars:[{regex:/\}\}/,pop:!0,token:"tag"},{regex:/"(?:[^\\"]|\\.)*"?/,token:"string"},{regex:/'(?:[^\\']|\\.)*'?/,token:"string"},{regex:/>|[#\/]([A-Za-z_]\w*)/,token:"keyword"},{regex:/(?:else|this)\b/,token:"keyword"},{regex:/\d+/i,token:"number"},{regex:/=|~|@|true|false/,token:"atom"},{regex:/(?:\.\.\/)*(?:[A-Za-z_][\w\.]*)+/,token:"variable-2"}],dash_comment:[{regex:/--\}\}/,pop:!0,token:"comment"},{regex:/./,token:"comment"}],comment:[{regex:/\}\}/,pop:!0,token:"comment"},{regex:/./,token:"comment"}],meta:{blockCommentStart:"{{--",blockCommentEnd:"--}}"}}),o.defineMode("handlebars",function(p,v){var C=o.getMode(p,"handlebars-tags");return!v||!v.base?C:o.multiplexingMode(o.getMode(p,v.base),{open:"{{",close:/\}\}\}?/,mode:C,parseDelimiters:!0})}),o.defineMIME("text/x-handlebars-template","handlebars")})});var cc=Ke((sc,uc)=>{(function(o){"use strict";typeof sc=="object"&&typeof uc=="object"?o(We(),Yn(),mn(),vn(),Vu(),gn(),ea(),ta(),tc(),lc()):typeof define=="function"&&define.amd?define(["../../lib/codemirror","../../addon/mode/overlay","../xml/xml","../javascript/javascript","../coffeescript/coffeescript","../css/css","../sass/sass","../stylus/stylus","../pug/pug","../handlebars/handlebars"],o):o(CodeMirror)})(function(o){var p={script:[["lang",/coffee(script)?/,"coffeescript"],["type",/^(?:text|application)\/(?:x-)?coffee(?:script)?$/,"coffeescript"],["lang",/^babel$/,"javascript"],["type",/^text\/babel$/,"javascript"],["type",/^text\/ecmascript-\d+$/,"javascript"]],style:[["lang",/^stylus$/i,"stylus"],["lang",/^sass$/i,"sass"],["lang",/^less$/i,"text/x-less"],["lang",/^scss$/i,"text/x-scss"],["type",/^(text\/)?(x-)?styl(us)?$/i,"stylus"],["type",/^text\/sass/i,"sass"],["type",/^(text\/)?(x-)?scss$/i,"text/x-scss"],["type",/^(text\/)?(x-)?less$/i,"text/x-less"]],template:[["lang",/^vue-template$/i,"vue"],["lang",/^pug$/i,"pug"],["lang",/^handlebars$/i,"handlebars"],["type",/^(text\/)?(x-)?pug$/i,"pug"],["type",/^text\/x-handlebars-template$/i,"handlebars"],[null,null,"vue-template"]]};o.defineMode("vue-template",function(v,C){var b={token:function(S){if(S.match(/^\{\{.*?\}\}/))return"meta mustache";for(;S.next()&&!S.match("{{",!1););return null}};return o.overlayMode(o.getMode(v,C.backdrop||"text/html"),b)}),o.defineMode("vue",function(v){return o.getMode(v,{name:"htmlmixed",tags:p})},"htmlmixed","xml","javascript","coffeescript","css","sass","stylus","pug","handlebars"),o.defineMIME("script/x-vue","vue"),o.defineMIME("text/x-vue","vue")})});var pc=Ke((fc,dc)=>{(function(o){typeof fc=="object"&&typeof dc=="object"?o(We()):typeof define=="function"&&define.amd?define(["../../lib/codemirror"],o):o(CodeMirror)})(function(o){"use strict";o.defineMode("yaml",function(){var p=["true","false","on","off","yes","no"],v=new RegExp("\\b(("+p.join(")|(")+"))$","i");return{token:function(C,b){var S=C.peek(),s=b.escaped;if(b.escaped=!1,S=="#"&&(C.pos==0||/\s/.test(C.string.charAt(C.pos-1))))return C.skipToEnd(),"comment";if(C.match(/^('([^']|\\.)*'?|"([^"]|\\.)*"?)/))return"string";if(b.literal&&C.indentation()>b.keyCol)return C.skipToEnd(),"string";if(b.literal&&(b.literal=!1),C.sol()){if(b.keyCol=0,b.pair=!1,b.pairStart=!1,C.match("---")||C.match("..."))return"def";if(C.match(/\s*-\s+/))return"meta"}if(C.match(/^(\{|\}|\[|\])/))return S=="{"?b.inlinePairs++:S=="}"?b.inlinePairs--:S=="["?b.inlineList++:b.inlineList--,"meta";if(b.inlineList>0&&!s&&S==",")return C.next(),"meta";if(b.inlinePairs>0&&!s&&S==",")return b.keyCol=0,b.pair=!1,b.pairStart=!1,C.next(),"meta";if(b.pairStart){if(C.match(/^\s*(\||\>)\s*/))return b.literal=!0,"meta";if(C.match(/^\s*(\&|\*)[a-z0-9\._-]+\b/i))return"variable-2";if(b.inlinePairs==0&&C.match(/^\s*-?[0-9\.\,]+\s?$/)||b.inlinePairs>0&&C.match(/^\s*-?[0-9\.\,]+\s?(?=(,|}))/))return"number";if(C.match(v))return"keyword"}return!b.pair&&C.match(/^\s*(?:[,\[\]{}&*!|>'"%@`][^\s'":]|[^\s,\[\]{}#&*!|>'"%@`])[^#:]*(?=:($|\s))/)?(b.pair=!0,b.keyCol=C.indentation(),"atom"):b.pair&&C.match(/^:\s*/)?(b.pairStart=!0,"meta"):(b.pairStart=!1,b.escaped=S=="\\",C.next(),null)},startState:function(){return{pair:!1,pairStart:!1,keyCol:0,inlinePairs:0,inlineList:0,literal:!1,escaped:!1}},lineComment:"#",fold:"indent"}}),o.defineMIME("text/x-yaml","yaml"),o.defineMIME("text/yaml","yaml")})});var $d={};function qd(o){for(var p;(p=Md.exec(o))!==null;){var v=p[0];if(v.indexOf("target=")===-1){var C=v.replace(/>$/,' target="_blank">');o=o.replace(v,C)}}return o}function Id(o){for(var p=new DOMParser,v=p.parseFromString(o,"text/html"),C=v.getElementsByTagName("li"),b=0;b0){for(var d=document.createElement("i"),w=0;w=0&&(x=s.getLineHandle(d),!v(x));d--);var R=s.getTokenAt({line:d,ch:1}),M=C(R).fencedChars,H,Z,ee,re;v(s.getLineHandle(h.line))?(H="",Z=h.line):v(s.getLineHandle(h.line-1))?(H="",Z=h.line-1):(H=M+` +`,Z=h.line),v(s.getLineHandle(g.line))?(ee="",re=g.line,g.ch===0&&(re+=1)):g.ch!==0&&v(s.getLineHandle(g.line+1))?(ee="",re=g.line+1):(ee=M+` +`,re=g.line+1),g.ch===0&&(re-=1),s.operation(function(){s.replaceRange(ee,{line:re,ch:0},{line:re+(ee?0:1),ch:0}),s.replaceRange(H,{line:Z,ch:0},{line:Z+(H?0:1),ch:0})}),s.setSelection({line:Z+(H?1:0),ch:0},{line:re+(H?1:-1),ch:0}),s.focus()}else{var N=h.line;if(v(s.getLineHandle(h.line))&&(b(s,h.line+1)==="fenced"?(d=h.line,N=h.line+1):(w=h.line,N=h.line-1)),d===void 0)for(d=N;d>=0&&(x=s.getLineHandle(d),!v(x));d--);if(w===void 0)for(E=s.lineCount(),w=N;w=0;d--)if(x=s.getLineHandle(d),!x.text.match(/^\s*$/)&&b(s,d,x)!=="indented"){d+=1;break}for(E=s.lineCount(),w=h.line;w\s+/,"unordered-list":C,"ordered-list":C},T=function(E,z){var y={quote:">","unordered-list":v,"ordered-list":"%%i."};return y[E].replace("%%i",z)},x=function(E,z){var y={quote:">","unordered-list":"\\"+v,"ordered-list":"\\d+."},R=new RegExp(y[E]);return z&&R.test(z)},c=function(E,z,y){var R=C.exec(z),M=T(E,d);return R!==null?(x(E,R[2])&&(M=""),z=R[1]+M+R[3]+z.replace(b,"").replace(g[E],"$1")):y==!1&&(z=M+" "+z),z},d=1,w=s.line;w<=h.line;w++)(function(E){var z=o.getLine(E);S[p]?z=z.replace(g[p],"$1"):(p=="unordered-list"&&(z=c("ordered-list",z,!0)),z=c(p,z,!1),d+=1),o.replaceRange(z,{line:E,ch:0},{line:E,ch:99999999999999})})(w);o.focus()}}function xc(o,p,v,C){if(!(!o.codemirror||o.isPreviewActive())){var b=o.codemirror,S=Tr(b),s=S[p];if(!s){Rr(b,s,v,C);return}var h=b.getCursor("start"),g=b.getCursor("end"),T=b.getLine(h.line),x=T.slice(0,h.ch),c=T.slice(h.ch);p=="link"?x=x.replace(/(.*)[^!]\[/,"$1"):p=="image"&&(x=x.replace(/(.*)!\[$/,"$1")),c=c.replace(/]\(.*?\)/,""),b.replaceRange(x+c,{line:h.line,ch:0},{line:h.line,ch:99999999999999}),h.ch-=v[0].length,h!==g&&(g.ch-=v[0].length),b.setSelection(h,g),b.focus()}}function sa(o,p,v,C){if(!(!o.codemirror||o.isPreviewActive())){C=typeof C>"u"?v:C;var b=o.codemirror,S=Tr(b),s,h=v,g=C,T=b.getCursor("start"),x=b.getCursor("end");S[p]?(s=b.getLine(T.line),h=s.slice(0,T.ch),g=s.slice(T.ch),p=="bold"?(h=h.replace(/(\*\*|__)(?![\s\S]*(\*\*|__))/,""),g=g.replace(/(\*\*|__)/,"")):p=="italic"?(h=h.replace(/(\*|_)(?![\s\S]*(\*|_))/,""),g=g.replace(/(\*|_)/,"")):p=="strikethrough"&&(h=h.replace(/(\*\*|~~)(?![\s\S]*(\*\*|~~))/,""),g=g.replace(/(\*\*|~~)/,"")),b.replaceRange(h+g,{line:T.line,ch:0},{line:T.line,ch:99999999999999}),p=="bold"||p=="strikethrough"?(T.ch-=2,T!==x&&(x.ch-=2)):p=="italic"&&(T.ch-=1,T!==x&&(x.ch-=1))):(s=b.getSelection(),p=="bold"?(s=s.split("**").join(""),s=s.split("__").join("")):p=="italic"?(s=s.split("*").join(""),s=s.split("_").join("")):p=="strikethrough"&&(s=s.split("~~").join("")),b.replaceSelection(h+s+g),T.ch+=v.length,x.ch=T.ch+s.length),b.setSelection(T,x),b.focus()}}function Pd(o){if(!o.getWrapperElement().lastChild.classList.contains("editor-preview-active"))for(var p=o.getCursor("start"),v=o.getCursor("end"),C,b=p.line;b<=v.line;b++)C=o.getLine(b),C=C.replace(/^[ ]*([# ]+|\*|-|[> ]+|[0-9]+(.|\)))[ ]*/,""),o.replaceRange(C,{line:b,ch:0},{line:b,ch:99999999999999})}function Ii(o,p){if(Math.abs(o)<1024)return""+o+p[0];var v=0;do o/=1024,++v;while(Math.abs(o)>=1024&&v=19968?C+=v[b].length:C+=1;return C}function Te(o){o=o||{},o.parent=this;var p=!0;if(o.autoDownloadFontAwesome===!1&&(p=!1),o.autoDownloadFontAwesome!==!0)for(var v=document.styleSheets,C=0;C-1&&(p=!1);if(p){var b=document.createElement("link");b.rel="stylesheet",b.href="https://maxcdn.bootstrapcdn.com/font-awesome/latest/css/font-awesome.min.css",document.getElementsByTagName("head")[0].appendChild(b)}if(o.element)this.element=o.element;else if(o.element===null){console.log("EasyMDE: Error. No element was found.");return}if(o.toolbar===void 0){o.toolbar=[];for(var S in Pr)Object.prototype.hasOwnProperty.call(Pr,S)&&(S.indexOf("separator-")!=-1&&o.toolbar.push("|"),(Pr[S].default===!0||o.showIcons&&o.showIcons.constructor===Array&&o.showIcons.indexOf(S)!=-1)&&o.toolbar.push(S))}if(Object.prototype.hasOwnProperty.call(o,"previewClass")||(o.previewClass="editor-preview"),Object.prototype.hasOwnProperty.call(o,"status")||(o.status=["autosave","lines","words","cursor"],o.uploadImage&&o.status.unshift("upload-image")),o.previewRender||(o.previewRender=function(h){return this.parent.markdown(h)}),o.parsingConfig=fr({highlightFormatting:!0},o.parsingConfig||{}),o.insertTexts=fr({},jd,o.insertTexts||{}),o.promptTexts=fr({},Rd,o.promptTexts||{}),o.blockStyles=fr({},Bd,o.blockStyles||{}),o.autosave!=null&&(o.autosave.timeFormat=fr({},Hd,o.autosave.timeFormat||{})),o.iconClassMap=fr({},et,o.iconClassMap||{}),o.shortcuts=fr({},Ad,o.shortcuts||{}),o.maxHeight=o.maxHeight||void 0,o.direction=o.direction||"ltr",typeof o.maxHeight<"u"?o.minHeight=o.maxHeight:o.minHeight=o.minHeight||"300px",o.errorCallback=o.errorCallback||function(h){alert(h)},o.uploadImage=o.uploadImage||!1,o.imageMaxSize=o.imageMaxSize||2097152,o.imageAccept=o.imageAccept||"image/png, image/jpeg, image/gif, image/avif",o.imageTexts=fr({},Wd,o.imageTexts||{}),o.errorMessages=fr({},Ud,o.errorMessages||{}),o.imagePathAbsolute=o.imagePathAbsolute||!1,o.imageCSRFName=o.imageCSRFName||"csrfmiddlewaretoken",o.imageCSRFHeader=o.imageCSRFHeader||!1,o.autosave!=null&&o.autosave.unique_id!=null&&o.autosave.unique_id!=""&&(o.autosave.uniqueId=o.autosave.unique_id),o.overlayMode&&o.overlayMode.combine===void 0&&(o.overlayMode.combine=!0),this.options=o,this.render(),o.initialValue&&(!this.options.autosave||this.options.autosave.foundSavedValue!==!0)&&this.value(o.initialValue),o.uploadImage){var s=this;this.codemirror.on("dragenter",function(h,g){s.updateStatusBar("upload-image",s.options.imageTexts.sbOnDragEnter),g.stopPropagation(),g.preventDefault()}),this.codemirror.on("dragend",function(h,g){s.updateStatusBar("upload-image",s.options.imageTexts.sbInit),g.stopPropagation(),g.preventDefault()}),this.codemirror.on("dragleave",function(h,g){s.updateStatusBar("upload-image",s.options.imageTexts.sbInit),g.stopPropagation(),g.preventDefault()}),this.codemirror.on("dragover",function(h,g){s.updateStatusBar("upload-image",s.options.imageTexts.sbOnDragEnter),g.stopPropagation(),g.preventDefault()}),this.codemirror.on("drop",function(h,g){g.stopPropagation(),g.preventDefault(),o.imageUploadFunction?s.uploadImagesUsingCustomFunction(o.imageUploadFunction,g.dataTransfer.files):s.uploadImages(g.dataTransfer.files)}),this.codemirror.on("paste",function(h,g){o.imageUploadFunction?s.uploadImagesUsingCustomFunction(o.imageUploadFunction,g.clipboardData.files):s.uploadImages(g.clipboardData.files)})}}function kc(){if(typeof localStorage=="object")try{localStorage.setItem("smde_localStorage",1),localStorage.removeItem("smde_localStorage")}catch{return!1}else return!1;return!0}var mc,Md,Vn,Ad,Dd,ra,hc,et,Pr,jd,Rd,Hd,Bd,Wd,Ud,wc=Cd(()=>{mc=/Mac/.test(navigator.platform),Md=new RegExp(/()+?/g),Vn={toggleBold:Fi,toggleItalic:Ni,drawLink:Gi,toggleHeadingSmaller:Jn,toggleHeadingBigger:Ri,drawImage:Zi,toggleBlockquote:ji,toggleOrderedList:$i,toggleUnorderedList:Ui,toggleCodeBlock:Pi,togglePreview:Ji,toggleStrikethrough:Oi,toggleHeading1:Hi,toggleHeading2:Bi,toggleHeading3:Wi,toggleHeading4:na,toggleHeading5:ia,toggleHeading6:oa,cleanBlock:Ki,drawTable:Xi,drawHorizontalRule:Yi,undo:Qi,redo:Vi,toggleSideBySide:bn,toggleFullScreen:jr},Ad={toggleBold:"Cmd-B",toggleItalic:"Cmd-I",drawLink:"Cmd-K",toggleHeadingSmaller:"Cmd-H",toggleHeadingBigger:"Shift-Cmd-H",toggleHeading1:"Ctrl+Alt+1",toggleHeading2:"Ctrl+Alt+2",toggleHeading3:"Ctrl+Alt+3",toggleHeading4:"Ctrl+Alt+4",toggleHeading5:"Ctrl+Alt+5",toggleHeading6:"Ctrl+Alt+6",cleanBlock:"Cmd-E",drawImage:"Cmd-Alt-I",toggleBlockquote:"Cmd-'",toggleOrderedList:"Cmd-Alt-L",toggleUnorderedList:"Cmd-L",toggleCodeBlock:"Cmd-Alt-C",togglePreview:"Cmd-P",toggleSideBySide:"F9",toggleFullScreen:"F11"},Dd=function(o){for(var p in Vn)if(Vn[p]===o)return p;return null},ra=function(){var o=!1;return function(p){(/(android|bb\d+|meego).+mobile|avantgo|bada\/|blackberry|blazer|compal|elaine|fennec|hiptop|iemobile|ip(hone|od)|iris|kindle|lge |maemo|midp|mmp|mobile.+firefox|netfront|opera m(ob|in)i|palm( os)?|phone|p(ixi|re)\/|plucker|pocket|psp|series(4|6)0|symbian|treo|up\.(browser|link)|vodafone|wap|windows ce|xda|xiino|android|ipad|playbook|silk/i.test(p)||/1207|6310|6590|3gso|4thp|50[1-6]i|770s|802s|a wa|abac|ac(er|oo|s-)|ai(ko|rn)|al(av|ca|co)|amoi|an(ex|ny|yw)|aptu|ar(ch|go)|as(te|us)|attw|au(di|-m|r |s )|avan|be(ck|ll|nq)|bi(lb|rd)|bl(ac|az)|br(e|v)w|bumb|bw-(n|u)|c55\/|capi|ccwa|cdm-|cell|chtm|cldc|cmd-|co(mp|nd)|craw|da(it|ll|ng)|dbte|dc-s|devi|dica|dmob|do(c|p)o|ds(12|-d)|el(49|ai)|em(l2|ul)|er(ic|k0)|esl8|ez([4-7]0|os|wa|ze)|fetc|fly(-|_)|g1 u|g560|gene|gf-5|g-mo|go(\.w|od)|gr(ad|un)|haie|hcit|hd-(m|p|t)|hei-|hi(pt|ta)|hp( i|ip)|hs-c|ht(c(-| |_|a|g|p|s|t)|tp)|hu(aw|tc)|i-(20|go|ma)|i230|iac( |-|\/)|ibro|idea|ig01|ikom|im1k|inno|ipaq|iris|ja(t|v)a|jbro|jemu|jigs|kddi|keji|kgt( |\/)|klon|kpt |kwc-|kyo(c|k)|le(no|xi)|lg( g|\/(k|l|u)|50|54|-[a-w])|libw|lynx|m1-w|m3ga|m50\/|ma(te|ui|xo)|mc(01|21|ca)|m-cr|me(rc|ri)|mi(o8|oa|ts)|mmef|mo(01|02|bi|de|do|t(-| |o|v)|zz)|mt(50|p1|v )|mwbp|mywa|n10[0-2]|n20[2-3]|n30(0|2)|n50(0|2|5)|n7(0(0|1)|10)|ne((c|m)-|on|tf|wf|wg|wt)|nok(6|i)|nzph|o2im|op(ti|wv)|oran|owg1|p800|pan(a|d|t)|pdxg|pg(13|-([1-8]|c))|phil|pire|pl(ay|uc)|pn-2|po(ck|rt|se)|prox|psio|pt-g|qa-a|qc(07|12|21|32|60|-[2-7]|i-)|qtek|r380|r600|raks|rim9|ro(ve|zo)|s55\/|sa(ge|ma|mm|ms|ny|va)|sc(01|h-|oo|p-)|sdk\/|se(c(-|0|1)|47|mc|nd|ri)|sgh-|shar|sie(-|m)|sk-0|sl(45|id)|sm(al|ar|b3|it|t5)|so(ft|ny)|sp(01|h-|v-|v )|sy(01|mb)|t2(18|50)|t6(00|10|18)|ta(gt|lk)|tcl-|tdg-|tel(i|m)|tim-|t-mo|to(pl|sh)|ts(70|m-|m3|m5)|tx-9|up(\.b|g1|si)|utst|v400|v750|veri|vi(rg|te)|vk(40|5[0-3]|-v)|vm40|voda|vulc|vx(52|53|60|61|70|80|81|83|85|98)|w3c(-| )|webc|whit|wi(g |nc|nw)|wmlb|wonu|x700|yas-|your|zeto|zte-/i.test(p.substr(0,4)))&&(o=!0)}(navigator.userAgent||navigator.vendor||window.opera),o};hc="";et={bold:"fa fa-bold",italic:"fa fa-italic",strikethrough:"fa fa-strikethrough",heading:"fa fa-header fa-heading","heading-smaller":"fa fa-header fa-heading header-smaller","heading-bigger":"fa fa-header fa-heading header-bigger","heading-1":"fa fa-header fa-heading header-1","heading-2":"fa fa-header fa-heading header-2","heading-3":"fa fa-header fa-heading header-3",code:"fa fa-code",quote:"fa fa-quote-left","ordered-list":"fa fa-list-ol","unordered-list":"fa fa-list-ul","clean-block":"fa fa-eraser",link:"fa fa-link",image:"fa fa-image","upload-image":"fa fa-image",table:"fa fa-table","horizontal-rule":"fa fa-minus",preview:"fa fa-eye","side-by-side":"fa fa-columns",fullscreen:"fa fa-arrows-alt",guide:"fa fa-question-circle",undo:"fa fa-undo",redo:"fa fa-repeat fa-redo"},Pr={bold:{name:"bold",action:Fi,className:et.bold,title:"Bold",default:!0},italic:{name:"italic",action:Ni,className:et.italic,title:"Italic",default:!0},strikethrough:{name:"strikethrough",action:Oi,className:et.strikethrough,title:"Strikethrough"},heading:{name:"heading",action:Jn,className:et.heading,title:"Heading",default:!0},"heading-smaller":{name:"heading-smaller",action:Jn,className:et["heading-smaller"],title:"Smaller Heading"},"heading-bigger":{name:"heading-bigger",action:Ri,className:et["heading-bigger"],title:"Bigger Heading"},"heading-1":{name:"heading-1",action:Hi,className:et["heading-1"],title:"Big Heading"},"heading-2":{name:"heading-2",action:Bi,className:et["heading-2"],title:"Medium Heading"},"heading-3":{name:"heading-3",action:Wi,className:et["heading-3"],title:"Small Heading"},"separator-1":{name:"separator-1"},code:{name:"code",action:Pi,className:et.code,title:"Code"},quote:{name:"quote",action:ji,className:et.quote,title:"Quote",default:!0},"unordered-list":{name:"unordered-list",action:Ui,className:et["unordered-list"],title:"Generic List",default:!0},"ordered-list":{name:"ordered-list",action:$i,className:et["ordered-list"],title:"Numbered List",default:!0},"clean-block":{name:"clean-block",action:Ki,className:et["clean-block"],title:"Clean block"},"separator-2":{name:"separator-2"},link:{name:"link",action:Gi,className:et.link,title:"Create Link",default:!0},image:{name:"image",action:Zi,className:et.image,title:"Insert Image",default:!0},"upload-image":{name:"upload-image",action:aa,className:et["upload-image"],title:"Import an image"},table:{name:"table",action:Xi,className:et.table,title:"Insert Table"},"horizontal-rule":{name:"horizontal-rule",action:Yi,className:et["horizontal-rule"],title:"Insert Horizontal Line"},"separator-3":{name:"separator-3"},preview:{name:"preview",action:Ji,className:et.preview,noDisable:!0,title:"Toggle Preview",default:!0},"side-by-side":{name:"side-by-side",action:bn,className:et["side-by-side"],noDisable:!0,noMobile:!0,title:"Toggle Side by Side",default:!0},fullscreen:{name:"fullscreen",action:jr,className:et.fullscreen,noDisable:!0,noMobile:!0,title:"Toggle Fullscreen",default:!0},"separator-4":{name:"separator-4"},guide:{name:"guide",action:"https://www.markdownguide.org/basic-syntax/",className:et.guide,noDisable:!0,title:"Markdown Guide",default:!0},"separator-5":{name:"separator-5"},undo:{name:"undo",action:Qi,className:et.undo,noDisable:!0,title:"Undo"},redo:{name:"redo",action:Vi,className:et.redo,noDisable:!0,title:"Redo"}},jd={link:["[","](#url#)"],image:["![","](#url#)"],uploadedImage:["![](#url#)",""],table:["",` + +| Column 1 | Column 2 | Column 3 | +| -------- | -------- | -------- | +| Text | Text | Text | + +`],horizontalRule:["",` + +----- + +`]},Rd={link:"URL for the link:",image:"URL of the image:"},Hd={locale:"en-US",format:{hour:"2-digit",minute:"2-digit"}},Bd={bold:"**",code:"```",italic:"*"},Wd={sbInit:"Attach files by drag and dropping or pasting from clipboard.",sbOnDragEnter:"Drop image to upload it.",sbOnDrop:"Uploading image #images_names#...",sbProgress:"Uploading #file_name#: #progress#%",sbOnUploaded:"Uploaded #image_name#",sizeUnits:" B, KB, MB"},Ud={noFileGiven:"You must select a file.",typeNotAllowed:"This image type is not allowed.",fileTooLarge:`Image #image_name# is too big (#image_size#). +Maximum file size is #image_max_size#.`,importError:"Something went wrong when uploading the image #image_name#."};Te.prototype.uploadImages=function(o,p,v){if(o.length!==0){for(var C=[],b=0;b=2){var H=M[1];if(p.imagesPreviewHandler){var Z=p.imagesPreviewHandler(M[1]);typeof Z=="string"&&(H=Z)}if(window.EMDEimagesCache[H])w(R,window.EMDEimagesCache[H]);else{var ee=document.createElement("img");ee.onload=function(){window.EMDEimagesCache[H]={naturalWidth:ee.naturalWidth,naturalHeight:ee.naturalHeight,url:H},w(R,window.EMDEimagesCache[H])},ee.src=H}}}})}this.codemirror.on("update",function(){E()}),this.gui.sideBySide=this.createSideBySide(),this._rendered=this.element,(p.autofocus===!0||o.autofocus)&&this.codemirror.focus();var z=this.codemirror;setTimeout(function(){z.refresh()}.bind(z),0)};Te.prototype.cleanup=function(){document.removeEventListener("keydown",this.documentOnKeyDown)};Te.prototype.autosave=function(){if(kc()){var o=this;if(this.options.autosave.uniqueId==null||this.options.autosave.uniqueId==""){console.log("EasyMDE: You must set a uniqueId to use the autosave feature");return}this.options.autosave.binded!==!0&&(o.element.form!=null&&o.element.form!=null&&o.element.form.addEventListener("submit",function(){clearTimeout(o.autosaveTimeoutId),o.autosaveTimeoutId=void 0,localStorage.removeItem("smde_"+o.options.autosave.uniqueId)}),this.options.autosave.binded=!0),this.options.autosave.loaded!==!0&&(typeof localStorage.getItem("smde_"+this.options.autosave.uniqueId)=="string"&&localStorage.getItem("smde_"+this.options.autosave.uniqueId)!=""&&(this.codemirror.setValue(localStorage.getItem("smde_"+this.options.autosave.uniqueId)),this.options.autosave.foundSavedValue=!0),this.options.autosave.loaded=!0);var p=o.value();p!==""?localStorage.setItem("smde_"+this.options.autosave.uniqueId,p):localStorage.removeItem("smde_"+this.options.autosave.uniqueId);var v=document.getElementById("autosaved");if(v!=null&&v!=null&&v!=""){var C=new Date,b=new Intl.DateTimeFormat([this.options.autosave.timeFormat.locale,"en-US"],this.options.autosave.timeFormat.format).format(C),S=this.options.autosave.text==null?"Autosaved: ":this.options.autosave.text;v.innerHTML=S+b}}else console.log("EasyMDE: localStorage not available, cannot autosave")};Te.prototype.clearAutosavedValue=function(){if(kc()){if(this.options.autosave==null||this.options.autosave.uniqueId==null||this.options.autosave.uniqueId==""){console.log("EasyMDE: You must set a uniqueId to clear the autosave value");return}localStorage.removeItem("smde_"+this.options.autosave.uniqueId)}else console.log("EasyMDE: localStorage not available, cannot autosave")};Te.prototype.openBrowseFileWindow=function(o,p){var v=this,C=this.gui.toolbar.getElementsByClassName("imageInput")[0];C.click();function b(S){v.options.imageUploadFunction?v.uploadImagesUsingCustomFunction(v.options.imageUploadFunction,S.target.files):v.uploadImages(S.target.files,o,p),C.removeEventListener("change",b)}C.addEventListener("change",b)};Te.prototype.uploadImage=function(o,p,v){var C=this;p=p||function(T){yc(C,T)};function b(g){C.updateStatusBar("upload-image",g),setTimeout(function(){C.updateStatusBar("upload-image",C.options.imageTexts.sbInit)},1e4),v&&typeof v=="function"&&v(g),C.options.errorCallback(g)}function S(g){var T=C.options.imageTexts.sizeUnits.split(",");return g.replace("#image_name#",o.name).replace("#image_size#",Ii(o.size,T)).replace("#image_max_size#",Ii(C.options.imageMaxSize,T))}if(o.size>this.options.imageMaxSize){b(S(this.options.errorMessages.fileTooLarge));return}var s=new FormData;s.append("image",o),C.options.imageCSRFToken&&!C.options.imageCSRFHeader&&s.append(C.options.imageCSRFName,C.options.imageCSRFToken);var h=new XMLHttpRequest;h.upload.onprogress=function(g){if(g.lengthComputable){var T=""+Math.round(g.loaded*100/g.total);C.updateStatusBar("upload-image",C.options.imageTexts.sbProgress.replace("#file_name#",o.name).replace("#progress#",T))}},h.open("POST",this.options.imageUploadEndpoint),C.options.imageCSRFToken&&C.options.imageCSRFHeader&&h.setRequestHeader(C.options.imageCSRFName,C.options.imageCSRFToken),h.onload=function(){try{var g=JSON.parse(this.responseText)}catch{console.error("EasyMDE: The server did not return a valid json."),b(S(C.options.errorMessages.importError));return}this.status===200&&g&&!g.error&&g.data&&g.data.filePath?p((C.options.imagePathAbsolute?"":window.location.origin+"/")+g.data.filePath):g.error&&g.error in C.options.errorMessages?b(S(C.options.errorMessages[g.error])):g.error?b(S(g.error)):(console.error("EasyMDE: Received an unexpected response after uploading the image."+this.status+" ("+this.statusText+")"),b(S(C.options.errorMessages.importError)))},h.onerror=function(g){console.error("EasyMDE: An unexpected error occurred when trying to upload the image."+g.target.status+" ("+g.target.statusText+")"),b(C.options.errorMessages.importError)},h.send(s)};Te.prototype.uploadImageUsingCustomFunction=function(o,p){var v=this;function C(s){yc(v,s)}function b(s){var h=S(s);v.updateStatusBar("upload-image",h),setTimeout(function(){v.updateStatusBar("upload-image",v.options.imageTexts.sbInit)},1e4),v.options.errorCallback(h)}function S(s){var h=v.options.imageTexts.sizeUnits.split(",");return s.replace("#image_name#",p.name).replace("#image_size#",Ii(p.size,h)).replace("#image_max_size#",Ii(v.options.imageMaxSize,h))}o.apply(this,[p,C,b])};Te.prototype.setPreviewMaxHeight=function(){var o=this.codemirror,p=o.getWrapperElement(),v=p.nextSibling,C=parseInt(window.getComputedStyle(p).paddingTop),b=parseInt(window.getComputedStyle(p).borderTopWidth),S=parseInt(this.options.maxHeight),s=S+C*2+b*2,h=s.toString()+"px";v.style.height=h};Te.prototype.createSideBySide=function(){var o=this.codemirror,p=o.getWrapperElement(),v=p.nextSibling;if(!v||!v.classList.contains("editor-preview-side")){if(v=document.createElement("div"),v.className="editor-preview-side",this.options.previewClass)if(Array.isArray(this.options.previewClass))for(var C=0;C{try{let E=w[w.length-1];if(E.origin==="+input"){let z="(https://)",y=E.text[E.text.length-1];if(y.endsWith(z)&&y!=="[]"+z){let R=E.from,M=E.to,Z=E.text.length>1?0:R.ch;setTimeout(()=>{d.setSelection({line:M.line,ch:Z+y.lastIndexOf("(")+1},{line:M.line,ch:Z+y.lastIndexOf(")")})},25)}}}catch{}}),this.editor.codemirror.on("change",Alpine.debounce(()=>{this.editor&&(this.state=this.editor.value(),p&&this.$wire.call("$refresh"))},C??300)),v&&this.editor.codemirror.on("blur",()=>this.$wire.call("$refresh")),this.$watch("state",()=>{this.editor&&(this.editor.codemirror.hasFocus()||Alpine.raw(this.editor).value(this.state??""))}),h&&h(this)},destroy:function(){this.editor.cleanup(),this.editor=null},getToolbar:function(){let d=[];return x.includes("bold")&&d.push({name:"bold",action:EasyMDE.toggleBold,title:T.toolbar_buttons?.bold}),x.includes("italic")&&d.push({name:"italic",action:EasyMDE.toggleItalic,title:T.toolbar_buttons?.italic}),x.includes("strike")&&d.push({name:"strikethrough",action:EasyMDE.toggleStrikethrough,title:T.toolbar_buttons?.strike}),x.includes("link")&&d.push({name:"link",action:EasyMDE.drawLink,title:T.toolbar_buttons?.link}),["bold","italic","strike","link"].some(w=>x.includes(w))&&["heading"].some(w=>x.includes(w))&&d.push("|"),x.includes("heading")&&d.push({name:"heading",action:EasyMDE.toggleHeadingSmaller,title:T.toolbar_buttons?.heading}),["heading"].some(w=>x.includes(w))&&["blockquote","codeBlock","bulletList","orderedList"].some(w=>x.includes(w))&&d.push("|"),x.includes("blockquote")&&d.push({name:"quote",action:EasyMDE.toggleBlockquote,title:T.toolbar_buttons?.blockquote}),x.includes("codeBlock")&&d.push({name:"code",action:EasyMDE.toggleCodeBlock,title:T.toolbar_buttons?.code_block}),x.includes("bulletList")&&d.push({name:"unordered-list",action:EasyMDE.toggleUnorderedList,title:T.toolbar_buttons?.bullet_list}),x.includes("orderedList")&&d.push({name:"ordered-list",action:EasyMDE.toggleOrderedList,title:T.toolbar_buttons?.ordered_list}),["blockquote","codeBlock","bulletList","orderedList"].some(w=>x.includes(w))&&["table","attachFiles"].some(w=>x.includes(w))&&d.push("|"),x.includes("table")&&d.push({name:"table",action:EasyMDE.drawTable,title:T.toolbar_buttons?.table}),x.includes("attachFiles")&&d.push({name:"upload-image",action:EasyMDE.drawUploadedImage,title:T.toolbar_buttons?.attach_files}),["table","attachFiles"].some(w=>x.includes(w))&&["undo","redo"].some(w=>x.includes(w))&&d.push("|"),x.includes("undo")&&d.push({name:"undo",action:EasyMDE.undo,title:T.toolbar_buttons?.undo}),x.includes("redo")&&d.push({name:"redo",action:EasyMDE.redo,title:T.toolbar_buttons?.redo}),d}}}export{Kd as default}; diff --git a/public/js/filament/forms/components/rich-editor.js b/public/js/filament/forms/components/rich-editor.js new file mode 100644 index 0000000..712b5c6 --- /dev/null +++ b/public/js/filament/forms/components/rich-editor.js @@ -0,0 +1,144 @@ +var Mi="2.1.5",K="[data-trix-attachment]",je={preview:{presentation:"gallery",caption:{name:!0,size:!0}},file:{caption:{size:!0}}},y={default:{tagName:"div",parse:!1},quote:{tagName:"blockquote",nestable:!0},heading1:{tagName:"h1",terminal:!0,breakOnReturn:!0,group:!1},code:{tagName:"pre",terminal:!0,htmlAttributes:["language"],text:{plaintext:!0}},bulletList:{tagName:"ul",parse:!1},bullet:{tagName:"li",listAttribute:"bulletList",group:!1,nestable:!0,test(n){return Je(n.parentNode)===y[this.listAttribute].tagName}},numberList:{tagName:"ol",parse:!1},number:{tagName:"li",listAttribute:"numberList",group:!1,nestable:!0,test(n){return Je(n.parentNode)===y[this.listAttribute].tagName}},attachmentGallery:{tagName:"div",exclusive:!0,terminal:!0,parse:!1,group:!1}},Je=n=>{var t;return n==null||(t=n.tagName)===null||t===void 0?void 0:t.toLowerCase()},Ke=navigator.userAgent.match(/android\s([0-9]+.*Chrome)/i),se=Ke&&parseInt(Ke[1]),St={composesExistingText:/Android.*Chrome/.test(navigator.userAgent),recentAndroid:se&&se>12,samsungAndroid:se&&navigator.userAgent.match(/Android.*SM-/),forcesObjectResizing:/Trident.*rv:11/.test(navigator.userAgent),supportsInputEvents:typeof InputEvent<"u"&&["data","getTargetRanges","inputType"].every(n=>n in InputEvent.prototype)},h={attachFiles:"Attach Files",bold:"Bold",bullets:"Bullets",byte:"Byte",bytes:"Bytes",captionPlaceholder:"Add a caption\u2026",code:"Code",heading1:"Heading",indent:"Increase Level",italic:"Italic",link:"Link",numbers:"Numbers",outdent:"Decrease Level",quote:"Quote",redo:"Redo",remove:"Remove",strike:"Strikethrough",undo:"Undo",unlink:"Unlink",url:"URL",urlPlaceholder:"Enter a URL\u2026",GB:"GB",KB:"KB",MB:"MB",PB:"PB",TB:"TB"},ji=[h.bytes,h.KB,h.MB,h.GB,h.TB,h.PB],vi={prefix:"IEC",precision:2,formatter(n){switch(n){case 0:return"0 ".concat(h.bytes);case 1:return"1 ".concat(h.byte);default:let t;this.prefix==="SI"?t=1e3:this.prefix==="IEC"&&(t=1024);let e=Math.floor(Math.log(n)/Math.log(t)),i=(n/Math.pow(t,e)).toFixed(this.precision).replace(/0*$/,"").replace(/\.$/,"");return"".concat(i," ").concat(ji[e])}}},te="\uFEFF",U="\xA0",Ai=function(n){for(let t in n){let e=n[t];this[t]=e}return this},We=document.documentElement,Wi=We.matches,p=function(n){let{onElement:t,matchingSelector:e,withCallback:i,inPhase:r,preventDefault:o,times:s}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},a=t||We,l=e,c=r==="capturing",u=function(b){s!=null&&--s==0&&u.destroy();let A=q(b.target,{matchingSelector:l});A!=null&&(i?.call(A,b,A),o&&b.preventDefault())};return u.destroy=()=>a.removeEventListener(n,u,c),a.addEventListener(n,u,c),u},vt=function(n){let{onElement:t,bubbles:e,cancelable:i,attributes:r}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},o=t??We;e=e!==!1,i=i!==!1;let s=document.createEvent("Events");return s.initEvent(n,e,i),r!=null&&Ai.call(s,r),o.dispatchEvent(s)},xi=function(n,t){if(n?.nodeType===1)return Wi.call(n,t)},q=function(n){let{matchingSelector:t,untilNode:e}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};for(;n&&n.nodeType!==Node.ELEMENT_NODE;)n=n.parentNode;if(n!=null){if(t==null)return n;if(n.closest&&e==null)return n.closest(t);for(;n&&n!==e;){if(xi(n,t))return n;n=n.parentNode}}},Ue=n=>document.activeElement!==n&&J(n,document.activeElement),J=function(n,t){if(n&&t)for(;t;){if(t===n)return!0;t=t.parentNode}},ae=function(n){var t;if((t=n)===null||t===void 0||!t.parentNode)return;let e=0;for(n=n.previousSibling;n;)e++,n=n.previousSibling;return e},V=n=>{var t;return n==null||(t=n.parentNode)===null||t===void 0?void 0:t.removeChild(n)},Ft=function(n){let{onlyNodesOfType:t,usingFilter:e,expandEntityReferences:i}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},r=(()=>{switch(t){case"element":return NodeFilter.SHOW_ELEMENT;case"text":return NodeFilter.SHOW_TEXT;case"comment":return NodeFilter.SHOW_COMMENT;default:return NodeFilter.SHOW_ALL}})();return document.createTreeWalker(n,r,e??null,i===!0)},x=n=>{var t;return n==null||(t=n.tagName)===null||t===void 0?void 0:t.toLowerCase()},d=function(n){let t,e,i=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};typeof n=="object"?(i=n,n=i.tagName):i={attributes:i};let r=document.createElement(n);if(i.editable!=null&&(i.attributes==null&&(i.attributes={}),i.attributes.contenteditable=i.editable),i.attributes)for(t in i.attributes)e=i.attributes[t],r.setAttribute(t,e);if(i.style)for(t in i.style)e=i.style[t],r.style[t]=e;if(i.data)for(t in i.data)e=i.data[t],r.dataset[t]=e;return i.className&&i.className.split(" ").forEach(o=>{r.classList.add(o)}),i.textContent&&(r.textContent=i.textContent),i.childNodes&&[].concat(i.childNodes).forEach(o=>{r.appendChild(o)}),r},pt,At=function(){if(pt!=null)return pt;pt=[];for(let n in y){let t=y[n];t.tagName&&pt.push(t.tagName)}return pt},le=n=>ot(n?.firstChild),$e=function(n){let{strict:t}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{strict:!0};return t?ot(n):ot(n)||!ot(n.firstChild)&&function(e){return At().includes(x(e))&&!At().includes(x(e.firstChild))}(n)},ot=n=>Ui(n)&&n?.data==="block",Ui=n=>n?.nodeType===Node.COMMENT_NODE,st=function(n){let{name:t}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};if(n)return xt(n)?n.data===te?!t||n.parentNode.dataset.trixCursorTarget===t:void 0:st(n.firstChild)},$=n=>xi(n,K),yi=n=>xt(n)&&n?.data==="",xt=n=>n?.nodeType===Node.TEXT_NODE,qe={level2Enabled:!0,getLevel(){return this.level2Enabled&&St.supportsInputEvents?2:0},pickFiles(n){let t=d("input",{type:"file",multiple:!0,hidden:!0,id:this.fileInputId});t.addEventListener("change",()=>{n(t.files),V(t)}),V(document.getElementById(this.fileInputId)),document.body.appendChild(t),t.click()}},Tt={removeBlankTableCells:!1,tableCellSeparator:" | ",tableRowSeparator:` +`},Y={bold:{tagName:"strong",inheritable:!0,parser(n){let t=window.getComputedStyle(n);return t.fontWeight==="bold"||t.fontWeight>=600}},italic:{tagName:"em",inheritable:!0,parser:n=>window.getComputedStyle(n).fontStyle==="italic"},href:{groupTagName:"a",parser(n){let t="a:not(".concat(K,")"),e=n.closest(t);if(e)return e.getAttribute("href")}},strike:{tagName:"del",inheritable:!0},frozen:{style:{backgroundColor:"highlight"}}},Ci={getDefaultHTML:()=>`
+ + + + + + + + + + + + + + + + + + + + + + + + + + + +
+ +
+ +
`)},Re={interval:5e3},Lt=Object.freeze({__proto__:null,attachments:je,blockAttributes:y,browser:St,css:{attachment:"attachment",attachmentCaption:"attachment__caption",attachmentCaptionEditor:"attachment__caption-editor",attachmentMetadata:"attachment__metadata",attachmentMetadataContainer:"attachment__metadata-container",attachmentName:"attachment__name",attachmentProgress:"attachment__progress",attachmentSize:"attachment__size",attachmentToolbar:"attachment__toolbar",attachmentGallery:"attachment-gallery"},fileSize:vi,input:qe,keyNames:{8:"backspace",9:"tab",13:"return",27:"escape",37:"left",39:"right",46:"delete",68:"d",72:"h",79:"o"},lang:h,parser:Tt,textAttributes:Y,toolbar:Ci,undo:Re}),f=class{static proxyMethod(t){let{name:e,toMethod:i,toProperty:r,optional:o}=qi(t);this.prototype[e]=function(){let s,a;var l,c;return i?a=o?(l=this[i])===null||l===void 0?void 0:l.call(this):this[i]():r&&(a=this[r]),o?(s=(c=a)===null||c===void 0?void 0:c[e],s?Ge.call(s,a,arguments):void 0):(s=a[e],Ge.call(s,a,arguments))}}},qi=function(n){let t=n.match(Vi);if(!t)throw new Error("can't parse @proxyMethod expression: ".concat(n));let e={name:t[4]};return t[2]!=null?e.toMethod=t[1]:e.toProperty=t[1],t[3]!=null&&(e.optional=!0),e},{apply:Ge}=Function.prototype,Vi=new RegExp("^(.+?)(\\(\\))?(\\?)?\\.(.+?)$"),ce,ue,he,Z=class extends f{static box(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:"";return t instanceof this?t:this.fromUCS2String(t?.toString())}static fromUCS2String(t){return new this(t,Ee(t))}static fromCodepoints(t){return new this(Se(t),t)}constructor(t,e){super(...arguments),this.ucs2String=t,this.codepoints=e,this.length=this.codepoints.length,this.ucs2Length=this.ucs2String.length}offsetToUCS2Offset(t){return Se(this.codepoints.slice(0,Math.max(0,t))).length}offsetFromUCS2Offset(t){return Ee(this.ucs2String.slice(0,Math.max(0,t))).length}slice(){return this.constructor.fromCodepoints(this.codepoints.slice(...arguments))}charAt(t){return this.slice(t,t+1)}isEqualTo(t){return this.constructor.box(t).ucs2String===this.ucs2String}toJSON(){return this.ucs2String}getCacheKey(){return this.ucs2String}toString(){return this.ucs2String}},Hi=((ce=Array.from)===null||ce===void 0?void 0:ce.call(Array,"\u{1F47C}").length)===1,zi=((ue=" ".codePointAt)===null||ue===void 0?void 0:ue.call(" ",0))!=null,_i=((he=String.fromCodePoint)===null||he===void 0?void 0:he.call(String,32,128124))===" \u{1F47C}",Ee,Se;Ee=Hi&&zi?n=>Array.from(n).map(t=>t.codePointAt(0)):function(n){let t=[],e=0,{length:i}=n;for(;eString.fromCodePoint(...Array.from(n||[])):function(n){return(()=>{let t=[];return Array.from(n).forEach(e=>{let i="";e>65535&&(e-=65536,i+=String.fromCharCode(e>>>10&1023|55296),e=56320|1023&e),t.push(i+String.fromCharCode(e))}),t})().join("")};var Ji=0,O=class extends f{static fromJSONString(t){return this.fromJSON(JSON.parse(t))}constructor(){super(...arguments),this.id=++Ji}hasSameConstructorAs(t){return this.constructor===t?.constructor}isEqualTo(t){return this===t}inspect(){let t=[],e=this.contentsForInspection()||{};for(let i in e){let r=e[i];t.push("".concat(i,"=").concat(r))}return"#<".concat(this.constructor.name,":").concat(this.id).concat(t.length?" ".concat(t.join(", ")):"",">")}contentsForInspection(){}toJSONString(){return JSON.stringify(this)}toUTF16String(){return Z.box(this)}getCacheKey(){return this.id.toString()}},Q=function(){let n=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[],t=arguments.length>1&&arguments[1]!==void 0?arguments[1]:[];if(n.length!==t.length)return!1;for(let e=0;e1?e-1:0),r=1;r(de||(de=Xi().concat(Gi())),de),v=n=>y[n],Gi=()=>(ge||(ge=Object.keys(y)),ge),De=n=>Y[n],Xi=()=>(me||(me=Object.keys(Y)),me),ki=function(n,t){Yi(n).textContent=t.replace(/%t/g,n)},Yi=function(n){let t=document.createElement("style");t.setAttribute("type","text/css"),t.setAttribute("data-tag-name",n.toLowerCase());let e=Zi();return e&&t.setAttribute("nonce",e),document.head.insertBefore(t,document.head.firstChild),t},Zi=function(){let n=Xe("trix-csp-nonce")||Xe("csp-nonce");if(n)return n.getAttribute("content")},Xe=n=>document.head.querySelector("meta[name=".concat(n,"]")),Ye={"application/x-trix-feature-detection":"test"},Ri=function(n){let t=n.getData("text/plain"),e=n.getData("text/html");if(!t||!e)return t?.length;{let{body:i}=new DOMParser().parseFromString(e,"text/html");if(i.textContent===t)return!i.querySelector("*")}},Ei=/Mac|^iP/.test(navigator.platform)?n=>n.metaKey:n=>n.ctrlKey,He=n=>setTimeout(n,1),Si=function(){let n=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},t={};for(let e in n){let i=n[e];t[e]=i}return t},dt=function(){let n=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},t=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};if(Object.keys(n).length!==Object.keys(t).length)return!1;for(let e in n)if(n[e]!==t[e])return!1;return!0},g=function(n){if(n!=null)return Array.isArray(n)||(n=[n,n]),[Ze(n[0]),Ze(n[1]!=null?n[1]:n[0])]},N=function(n){if(n==null)return;let[t,e]=g(n);return we(t,e)},Pt=function(n,t){if(n==null||t==null)return;let[e,i]=g(n),[r,o]=g(t);return we(e,r)&&we(i,o)},Ze=function(n){return typeof n=="number"?n:Si(n)},we=function(n,t){return typeof n=="number"?n===t:dt(n,t)},It=class extends f{constructor(){super(...arguments),this.update=this.update.bind(this),this.selectionManagers=[]}start(){this.started||(this.started=!0,document.addEventListener("selectionchange",this.update,!0))}stop(){if(this.started)return this.started=!1,document.removeEventListener("selectionchange",this.update,!0)}registerSelectionManager(t){if(!this.selectionManagers.includes(t))return this.selectionManagers.push(t),this.start()}unregisterSelectionManager(t){if(this.selectionManagers=this.selectionManagers.filter(e=>e!==t),this.selectionManagers.length===0)return this.stop()}notifySelectionManagersOfSelectionChange(){return this.selectionManagers.map(t=>t.selectionDidChange())}update(){this.notifySelectionManagersOfSelectionChange()}reset(){this.update()}},tt=new It,Li=function(){let n=window.getSelection();if(n.rangeCount>0)return n},yt=function(){var n;let t=(n=Li())===null||n===void 0?void 0:n.getRangeAt(0);if(t&&!Qi(t))return t},Di=function(n){let t=window.getSelection();return t.removeAllRanges(),t.addRange(n),tt.update()},Qi=n=>Qe(n.startContainer)||Qe(n.endContainer),Qe=n=>!Object.getPrototypeOf(n),bt=n=>n.replace(new RegExp("".concat(te),"g"),"").replace(new RegExp("".concat(U),"g")," "),ze=new RegExp("[^\\S".concat(U,"]")),_e=n=>n.replace(new RegExp("".concat(ze.source),"g")," ").replace(/\ {2,}/g," "),ti=function(n,t){if(n.isEqualTo(t))return["",""];let e=pe(n,t),{length:i}=e.utf16String,r;if(i){let{offset:o}=e,s=n.codepoints.slice(0,o).concat(n.codepoints.slice(o+i));r=pe(t,Z.fromCodepoints(s))}else r=pe(t,n);return[e.utf16String.toString(),r.utf16String.toString()]},pe=function(n,t){let e=0,i=n.length,r=t.length;for(;ee+1&&n.charAt(i-1).isEqualTo(t.charAt(r-1));)i--,r--;return{utf16String:n.slice(e,i),offset:e}},C=class extends O{static fromCommonAttributesOfObjects(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[];if(!t.length)return new this;let e=ft(t[0]),i=e.getKeys();return t.slice(1).forEach(r=>{i=e.getKeysCommonToHash(ft(r)),e=e.slice(i)}),e}static box(t){return ft(t)}constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};super(...arguments),this.values=Bt(t)}add(t,e){return this.merge(tn(t,e))}remove(t){return new C(Bt(this.values,t))}get(t){return this.values[t]}has(t){return t in this.values}merge(t){return new C(en(this.values,nn(t)))}slice(t){let e={};return Array.from(t).forEach(i=>{this.has(i)&&(e[i]=this.values[i])}),new C(e)}getKeys(){return Object.keys(this.values)}getKeysCommonToHash(t){return t=ft(t),this.getKeys().filter(e=>this.values[e]===t.values[e])}isEqualTo(t){return Q(this.toArray(),ft(t).toArray())}isEmpty(){return this.getKeys().length===0}toArray(){if(!this.array){let t=[];for(let e in this.values){let i=this.values[e];t.push(t.push(e,i))}this.array=t.slice(0)}return this.array}toObject(){return Bt(this.values)}toJSON(){return this.toObject()}contentsForInspection(){return{values:JSON.stringify(this.values)}}},tn=function(n,t){let e={};return e[n]=t,e},en=function(n,t){let e=Bt(n);for(let i in t){let r=t[i];e[i]=r}return e},Bt=function(n,t){let e={};return Object.keys(n).sort().forEach(i=>{i!==t&&(e[i]=n[i])}),e},ft=function(n){return n instanceof C?n:new C(n)},nn=function(n){return n instanceof C?n.values:n},Ct=class{static groupObjects(){let t,e=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[],{depth:i,asTree:r}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};r&&i==null&&(i=0);let o=[];return Array.from(e).forEach(s=>{var a;if(t){var l,c,u;if((l=s.canBeGrouped)!==null&&l!==void 0&&l.call(s,i)&&(c=(u=t[t.length-1]).canBeGroupedWith)!==null&&c!==void 0&&c.call(u,s,i))return void t.push(s);o.push(new this(t,{depth:i,asTree:r})),t=null}(a=s.canBeGrouped)!==null&&a!==void 0&&a.call(s,i)?t=[s]:o.push(s)}),t&&o.push(new this(t,{depth:i,asTree:r})),o}constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[],{depth:e,asTree:i}=arguments.length>1?arguments[1]:void 0;this.objects=t,i&&(this.depth=e,this.objects=this.constructor.groupObjects(this.objects,{asTree:i,depth:this.depth+1}))}getObjects(){return this.objects}getDepth(){return this.depth}getCacheKey(){let t=["objectGroup"];return Array.from(this.getObjects()).forEach(e=>{t.push(e.getCacheKey())}),t.join("/")}},Te=class extends f{constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[];super(...arguments),this.objects={},Array.from(t).forEach(e=>{let i=JSON.stringify(e);this.objects[i]==null&&(this.objects[i]=e)})}find(t){let e=JSON.stringify(t);return this.objects[e]}},Be=class{constructor(t){this.reset(t)}add(t){let e=ei(t);this.elements[e]=t}remove(t){let e=ei(t),i=this.elements[e];if(i)return delete this.elements[e],i}reset(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[];return this.elements={},Array.from(t).forEach(e=>{this.add(e)}),t}},ei=n=>n.dataset.trixStoreKey,at=class extends f{isPerforming(){return this.performing===!0}hasPerformed(){return this.performed===!0}hasSucceeded(){return this.performed&&this.succeeded}hasFailed(){return this.performed&&!this.succeeded}getPromise(){return this.promise||(this.promise=new Promise((t,e)=>(this.performing=!0,this.perform((i,r)=>{this.succeeded=i,this.performing=!1,this.performed=!0,this.succeeded?t(r):e(r)})))),this.promise}perform(t){return t(!1)}release(){var t,e;(t=this.promise)===null||t===void 0||(e=t.cancel)===null||e===void 0||e.call(t),this.promise=null,this.performing=null,this.performed=null,this.succeeded=null}};at.proxyMethod("getPromise().then"),at.proxyMethod("getPromise().catch");var M=class extends f{constructor(t){let e=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};super(...arguments),this.object=t,this.options=e,this.childViews=[],this.rootView=this}getNodes(){return this.nodes||(this.nodes=this.createNodes()),this.nodes.map(t=>t.cloneNode(!0))}invalidate(){var t;return this.nodes=null,this.childViews=[],(t=this.parentView)===null||t===void 0?void 0:t.invalidate()}invalidateViewForObject(t){var e;return(e=this.findViewForObject(t))===null||e===void 0?void 0:e.invalidate()}findOrCreateCachedChildView(t,e,i){let r=this.getCachedViewForObject(e);return r?this.recordChildView(r):(r=this.createChildView(...arguments),this.cacheViewForObject(r,e)),r}createChildView(t,e){let i=arguments.length>2&&arguments[2]!==void 0?arguments[2]:{};e instanceof Ct&&(i.viewClass=t,t=Fe);let r=new t(e,i);return this.recordChildView(r)}recordChildView(t){return t.parentView=this,t.rootView=this.rootView,this.childViews.push(t),t}getAllChildViews(){let t=[];return this.childViews.forEach(e=>{t.push(e),t=t.concat(e.getAllChildViews())}),t}findElement(){return this.findElementForObject(this.object)}findElementForObject(t){let e=t?.id;if(e)return this.rootView.element.querySelector("[data-trix-id='".concat(e,"']"))}findViewForObject(t){for(let e of this.getAllChildViews())if(e.object===t)return e}getViewCache(){return this.rootView!==this?this.rootView.getViewCache():this.isViewCachingEnabled()?(this.viewCache||(this.viewCache={}),this.viewCache):void 0}isViewCachingEnabled(){return this.shouldCacheViews!==!1}enableViewCaching(){this.shouldCacheViews=!0}disableViewCaching(){this.shouldCacheViews=!1}getCachedViewForObject(t){var e;return(e=this.getViewCache())===null||e===void 0?void 0:e[t.getCacheKey()]}cacheViewForObject(t,e){let i=this.getViewCache();i&&(i[e.getCacheKey()]=t)}garbageCollectCachedViews(){let t=this.getViewCache();if(t){let e=this.getAllChildViews().concat(this).map(i=>i.object.getCacheKey());for(let i in t)e.includes(i)||delete t[i]}}},Fe=class extends M{constructor(){super(...arguments),this.objectGroup=this.object,this.viewClass=this.options.viewClass,delete this.options.viewClass}getChildViews(){return this.childViews.length||Array.from(this.objectGroup.getObjects()).forEach(t=>{this.findOrCreateCachedChildView(this.viewClass,t,this.options)}),this.childViews}createNodes(){let t=this.createContainerElement();return this.getChildViews().forEach(e=>{Array.from(e.getNodes()).forEach(i=>{t.appendChild(i)})}),[t]}createContainerElement(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:this.objectGroup.getDepth();return this.getChildViews()[0].createContainerElement(t)}},rn="style href src width height language class".split(" "),on="javascript:".split(" "),sn="script iframe form noscript".split(" "),lt=class extends f{static setHTML(t,e){let i=new this(e).sanitize(),r=i.getHTML?i.getHTML():i.outerHTML;t.innerHTML=r}static sanitize(t,e){let i=new this(t,e);return i.sanitize(),i}constructor(t){let{allowedAttributes:e,forbiddenProtocols:i,forbiddenElements:r}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};super(...arguments),this.allowedAttributes=e||rn,this.forbiddenProtocols=i||on,this.forbiddenElements=r||sn,this.body=an(t)}sanitize(){return this.sanitizeElements(),this.normalizeListElementNesting()}getHTML(){return this.body.innerHTML}getBody(){return this.body}sanitizeElements(){let t=Ft(this.body),e=[];for(;t.nextNode();){let i=t.currentNode;switch(i.nodeType){case Node.ELEMENT_NODE:this.elementIsRemovable(i)?e.push(i):this.sanitizeElement(i);break;case Node.COMMENT_NODE:e.push(i)}}return e.forEach(i=>V(i)),this.body}sanitizeElement(t){return t.hasAttribute("href")&&this.forbiddenProtocols.includes(t.protocol)&&t.removeAttribute("href"),Array.from(t.attributes).forEach(e=>{let{name:i}=e;this.allowedAttributes.includes(i)||i.indexOf("data-trix")===0||t.removeAttribute(i)}),t}normalizeListElementNesting(){return Array.from(this.body.querySelectorAll("ul,ol")).forEach(t=>{let e=t.previousElementSibling;e&&x(e)==="li"&&e.appendChild(t)}),this.body}elementIsRemovable(t){if(t?.nodeType===Node.ELEMENT_NODE)return this.elementIsForbidden(t)||this.elementIsntSerializable(t)}elementIsForbidden(t){return this.forbiddenElements.includes(x(t))}elementIsntSerializable(t){return t.getAttribute("data-trix-serialize")==="false"&&!$(t)}},an=function(){let n=arguments.length>0&&arguments[0]!==void 0?arguments[0]:"";n=n.replace(/<\/html[^>]*>[^]*$/i,"");let t=document.implementation.createHTMLDocument("");return t.documentElement.innerHTML=n,Array.from(t.head.querySelectorAll("style")).forEach(e=>{t.body.appendChild(e)}),t.body},{css:W}=Lt,kt=class extends M{constructor(){super(...arguments),this.attachment=this.object,this.attachment.uploadProgressDelegate=this,this.attachmentPiece=this.options.piece}createContentNodes(){return[]}createNodes(){let t,e=t=d({tagName:"figure",className:this.getClassName(),data:this.getData(),editable:!1}),i=this.getHref();return i&&(t=d({tagName:"a",editable:!1,attributes:{href:i,tabindex:-1}}),e.appendChild(t)),this.attachment.hasContent()?lt.setHTML(t,this.attachment.getContent()):this.createContentNodes().forEach(r=>{t.appendChild(r)}),t.appendChild(this.createCaptionElement()),this.attachment.isPending()&&(this.progressElement=d({tagName:"progress",attributes:{class:W.attachmentProgress,value:this.attachment.getUploadProgress(),max:100},data:{trixMutable:!0,trixStoreKey:["progressElement",this.attachment.id].join("/")}}),e.appendChild(this.progressElement)),[ii("left"),e,ii("right")]}createCaptionElement(){let t=d({tagName:"figcaption",className:W.attachmentCaption}),e=this.attachmentPiece.getCaption();if(e)t.classList.add("".concat(W.attachmentCaption,"--edited")),t.textContent=e;else{let i,r,o=this.getCaptionConfig();if(o.name&&(i=this.attachment.getFilename()),o.size&&(r=this.attachment.getFormattedFilesize()),i){let s=d({tagName:"span",className:W.attachmentName,textContent:i});t.appendChild(s)}if(r){i&&t.appendChild(document.createTextNode(" "));let s=d({tagName:"span",className:W.attachmentSize,textContent:r});t.appendChild(s)}}return t}getClassName(){let t=[W.attachment,"".concat(W.attachment,"--").concat(this.attachment.getType())],e=this.attachment.getExtension();return e&&t.push("".concat(W.attachment,"--").concat(e)),t.join(" ")}getData(){let t={trixAttachment:JSON.stringify(this.attachment),trixContentType:this.attachment.getContentType(),trixId:this.attachment.id},{attributes:e}=this.attachmentPiece;return e.isEmpty()||(t.trixAttributes=JSON.stringify(e)),this.attachment.isPending()&&(t.trixSerialize=!1),t}getHref(){if(!ln(this.attachment.getContent(),"a"))return this.attachment.getHref()}getCaptionConfig(){var t;let e=this.attachment.getType(),i=Si((t=je[e])===null||t===void 0?void 0:t.caption);return e==="file"&&(i.name=!0),i}findProgressElement(){var t;return(t=this.findElement())===null||t===void 0?void 0:t.querySelector("progress")}attachmentDidChangeUploadProgress(){let t=this.attachment.getUploadProgress(),e=this.findProgressElement();e&&(e.value=t)}},ii=n=>d({tagName:"span",textContent:te,data:{trixCursorTarget:n,trixSerialize:!1}}),ln=function(n,t){let e=d("div");return lt.setHTML(e,n||""),e.querySelector(t)},Nt=class extends kt{constructor(){super(...arguments),this.attachment.previewDelegate=this}createContentNodes(){return this.image=d({tagName:"img",attributes:{src:""},data:{trixMutable:!0}}),this.refresh(this.image),[this.image]}createCaptionElement(){let t=super.createCaptionElement(...arguments);return t.textContent||t.setAttribute("data-trix-placeholder",h.captionPlaceholder),t}refresh(t){var e;if(t||(t=(e=this.findElement())===null||e===void 0?void 0:e.querySelector("img")),t)return this.updateAttributesForImage(t)}updateAttributesForImage(t){let e=this.attachment.getURL(),i=this.attachment.getPreviewURL();if(t.src=i||e,i===e)t.removeAttribute("data-trix-serialized-attributes");else{let a=JSON.stringify({src:e});t.setAttribute("data-trix-serialized-attributes",a)}let r=this.attachment.getWidth(),o=this.attachment.getHeight();r!=null&&(t.width=r),o!=null&&(t.height=o);let s=["imageElement",this.attachment.id,t.src,t.width,t.height].join("/");t.dataset.trixStoreKey=s}attachmentDidChangeAttributes(){return this.refresh(this.image),this.refresh()}},Ot=class extends M{constructor(){super(...arguments),this.piece=this.object,this.attributes=this.piece.getAttributes(),this.textConfig=this.options.textConfig,this.context=this.options.context,this.piece.attachment?this.attachment=this.piece.attachment:this.string=this.piece.toString()}createNodes(){let t=this.attachment?this.createAttachmentNodes():this.createStringNodes(),e=this.createElement();if(e){let i=function(r){for(;(o=r)!==null&&o!==void 0&&o.firstElementChild;){var o;r=r.firstElementChild}return r}(e);Array.from(t).forEach(r=>{i.appendChild(r)}),t=[e]}return t}createAttachmentNodes(){let t=this.attachment.isPreviewable()?Nt:kt;return this.createChildView(t,this.piece.attachment,{piece:this.piece}).getNodes()}createStringNodes(){var t;if((t=this.textConfig)!==null&&t!==void 0&&t.plaintext)return[document.createTextNode(this.string)];{let e=[],i=this.string.split(` +`);for(let r=0;r0){let s=d("br");e.push(s)}if(o.length){let s=document.createTextNode(this.preserveSpaces(o));e.push(s)}}return e}}createElement(){let t,e,i,r={};for(e in this.attributes){i=this.attributes[e];let s=De(e);if(s){if(s.tagName){var o;let a=d(s.tagName);o?(o.appendChild(a),o=a):t=o=a}if(s.styleProperty&&(r[s.styleProperty]=i),s.style)for(e in s.style)i=s.style[e],r[e]=i}}if(Object.keys(r).length)for(e in t||(t=d("span")),r)i=r[e],t.style[e]=i;return t}createContainerElement(){for(let t in this.attributes){let e=this.attributes[t],i=De(t);if(i&&i.groupTagName){let r={};return r[t]=e,d(i.groupTagName,r)}}}preserveSpaces(t){return this.context.isLast&&(t=t.replace(/\ $/,U)),t=t.replace(/(\S)\ {3}(\S)/g,"$1 ".concat(U," $2")).replace(/\ {2}/g,"".concat(U," ")).replace(/\ {2}/g," ".concat(U)),(this.context.isFirst||this.context.followsWhitespace)&&(t=t.replace(/^\ /,U)),t}},Mt=class extends M{constructor(){super(...arguments),this.text=this.object,this.textConfig=this.options.textConfig}createNodes(){let t=[],e=Ct.groupObjects(this.getPieces()),i=e.length-1;for(let o=0;o!t.hasAttribute("blockBreak"))}},cn=n=>/\s$/.test(n?.toString()),{css:ni}=Lt,jt=class extends M{constructor(){super(...arguments),this.block=this.object,this.attributes=this.block.getAttributes()}createNodes(){let t=[document.createComment("block")];if(this.block.isEmpty())t.push(d("br"));else{var e;let i=(e=v(this.block.getLastAttribute()))===null||e===void 0?void 0:e.text,r=this.findOrCreateCachedChildView(Mt,this.block.text,{textConfig:i});t.push(...Array.from(r.getNodes()||[])),this.shouldAddExtraNewlineElement()&&t.push(d("br"))}if(this.attributes.length)return t;{let i,{tagName:r}=y.default;this.block.isRTL()&&(i={dir:"rtl"});let o=d({tagName:r,attributes:i});return t.forEach(s=>o.appendChild(s)),[o]}}createContainerElement(t){let e={},i,r=this.attributes[t],{tagName:o,htmlAttributes:s=[]}=v(r);if(t===0&&this.block.isRTL()&&Object.assign(e,{dir:"rtl"}),r==="attachmentGallery"){let a=this.block.getBlockBreakPosition();i="".concat(ni.attachmentGallery," ").concat(ni.attachmentGallery,"--").concat(a)}return Object.entries(this.block.htmlAttributes).forEach(a=>{let[l,c]=a;s.includes(l)&&(e[l]=c)}),d({tagName:o,className:i,attributes:e})}shouldAddExtraNewlineElement(){return/\n\n$/.test(this.block.toString())}},ct=class extends M{static render(t){let e=d("div"),i=new this(t,{element:e});return i.render(),i.sync(),e}constructor(){super(...arguments),this.element=this.options.element,this.elementStore=new Be,this.setDocument(this.object)}setDocument(t){t.isEqualTo(this.document)||(this.document=this.object=t)}render(){if(this.childViews=[],this.shadowElement=d("div"),!this.document.isEmpty()){let t=Ct.groupObjects(this.document.getBlocks(),{asTree:!0});Array.from(t).forEach(e=>{let i=this.findOrCreateCachedChildView(jt,e);Array.from(i.getNodes()).map(r=>this.shadowElement.appendChild(r))})}}isSynced(){return un(this.shadowElement,this.element)}sync(){let t=this.createDocumentFragmentForSync();for(;this.element.lastChild;)this.element.removeChild(this.element.lastChild);return this.element.appendChild(t),this.didSync()}didSync(){return this.elementStore.reset(ri(this.element)),He(()=>this.garbageCollectCachedViews())}createDocumentFragmentForSync(){let t=document.createDocumentFragment();return Array.from(this.shadowElement.childNodes).forEach(e=>{t.appendChild(e.cloneNode(!0))}),Array.from(ri(t)).forEach(e=>{let i=this.elementStore.remove(e);i&&e.parentNode.replaceChild(i,e)}),t}},ri=n=>n.querySelectorAll("[data-trix-store-key]"),un=(n,t)=>oi(n.innerHTML)===oi(t.innerHTML),oi=n=>n.replace(/ /g," ");function wt(n){var t,e;function i(o,s){try{var a=n[o](s),l=a.value,c=l instanceof hn;Promise.resolve(c?l.v:l).then(function(u){if(c){var b=o==="return"?"return":"next";if(!l.k||u.done)return i(b,u);u=n[b](u).value}r(a.done?"return":"normal",u)},function(u){i("throw",u)})}catch(u){r("throw",u)}}function r(o,s){switch(o){case"return":t.resolve({value:s,done:!0});break;case"throw":t.reject(s);break;default:t.resolve({value:s,done:!1})}(t=t.next)?i(t.key,t.arg):e=null}this._invoke=function(o,s){return new Promise(function(a,l){var c={key:o,arg:s,resolve:a,reject:l,next:null};e?e=e.next=c:(t=e=c,i(o,s))})},typeof n.return!="function"&&(this.return=void 0)}function hn(n,t){this.v=n,this.k=t}function E(n,t,e){return(t=dn(t))in n?Object.defineProperty(n,t,{value:e,enumerable:!0,configurable:!0,writable:!0}):n[t]=e,n}function dn(n){var t=function(e,i){if(typeof e!="object"||e===null)return e;var r=e[Symbol.toPrimitive];if(r!==void 0){var o=r.call(e,i||"default");if(typeof o!="object")return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return(i==="string"?String:Number)(e)}(n,"string");return typeof t=="symbol"?t:String(t)}wt.prototype[typeof Symbol=="function"&&Symbol.asyncIterator||"@@asyncIterator"]=function(){return this},wt.prototype.next=function(n){return this._invoke("next",n)},wt.prototype.throw=function(n){return this._invoke("throw",n)},wt.prototype.return=function(n){return this._invoke("return",n)};var j=class extends O{static registerType(t,e){e.type=t,this.types[t]=e}static fromJSON(t){let e=this.types[t.type];if(e)return e.fromJSON(t)}constructor(t){let e=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};super(...arguments),this.attributes=C.box(e)}copyWithAttributes(t){return new this.constructor(this.getValue(),t)}copyWithAdditionalAttributes(t){return this.copyWithAttributes(this.attributes.merge(t))}copyWithoutAttribute(t){return this.copyWithAttributes(this.attributes.remove(t))}copy(){return this.copyWithAttributes(this.attributes)}getAttribute(t){return this.attributes.get(t)}getAttributesHash(){return this.attributes}getAttributes(){return this.attributes.toObject()}hasAttribute(t){return this.attributes.has(t)}hasSameStringValueAsPiece(t){return t&&this.toString()===t.toString()}hasSameAttributesAsPiece(t){return t&&(this.attributes===t.attributes||this.attributes.isEqualTo(t.attributes))}isBlockBreak(){return!1}isEqualTo(t){return super.isEqualTo(...arguments)||this.hasSameConstructorAs(t)&&this.hasSameStringValueAsPiece(t)&&this.hasSameAttributesAsPiece(t)}isEmpty(){return this.length===0}isSerializable(){return!0}toJSON(){return{type:this.constructor.type,attributes:this.getAttributes()}}contentsForInspection(){return{type:this.constructor.type,attributes:this.attributes.inspect()}}canBeGrouped(){return this.hasAttribute("href")}canBeGroupedWith(t){return this.getAttribute("href")===t.getAttribute("href")}getLength(){return this.length}canBeConsolidatedWith(t){return!1}};E(j,"types",{});var Wt=class extends at{constructor(t){super(...arguments),this.url=t}perform(t){let e=new Image;e.onload=()=>(e.width=this.width=e.naturalWidth,e.height=this.height=e.naturalHeight,t(!0,e)),e.onerror=()=>t(!1),e.src=this.url}},H=class extends O{static attachmentForFile(t){let e=new this(this.attributesForFile(t));return e.setFile(t),e}static attributesForFile(t){return new C({filename:t.name,filesize:t.size,contentType:t.type})}static fromJSON(t){return new this(t)}constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};super(t),this.releaseFile=this.releaseFile.bind(this),this.attributes=C.box(t),this.didChangeAttributes()}getAttribute(t){return this.attributes.get(t)}hasAttribute(t){return this.attributes.has(t)}getAttributes(){return this.attributes.toObject()}setAttributes(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},e=this.attributes.merge(t);var i,r,o,s;if(!this.attributes.isEqualTo(e))return this.attributes=e,this.didChangeAttributes(),(i=this.previewDelegate)===null||i===void 0||(r=i.attachmentDidChangeAttributes)===null||r===void 0||r.call(i,this),(o=this.delegate)===null||o===void 0||(s=o.attachmentDidChangeAttributes)===null||s===void 0?void 0:s.call(o,this)}didChangeAttributes(){if(this.isPreviewable())return this.preloadURL()}isPending(){return this.file!=null&&!(this.getURL()||this.getHref())}isPreviewable(){return this.attributes.has("previewable")?this.attributes.get("previewable"):H.previewablePattern.test(this.getContentType())}getType(){return this.hasContent()?"content":this.isPreviewable()?"preview":"file"}getURL(){return this.attributes.get("url")}getHref(){return this.attributes.get("href")}getFilename(){return this.attributes.get("filename")||""}getFilesize(){return this.attributes.get("filesize")}getFormattedFilesize(){let t=this.attributes.get("filesize");return typeof t=="number"?vi.formatter(t):""}getExtension(){var t;return(t=this.getFilename().match(/\.(\w+)$/))===null||t===void 0?void 0:t[1].toLowerCase()}getContentType(){return this.attributes.get("contentType")}hasContent(){return this.attributes.has("content")}getContent(){return this.attributes.get("content")}getWidth(){return this.attributes.get("width")}getHeight(){return this.attributes.get("height")}getFile(){return this.file}setFile(t){if(this.file=t,this.isPreviewable())return this.preloadFile()}releaseFile(){this.releasePreloadedFile(),this.file=null}getUploadProgress(){return this.uploadProgress!=null?this.uploadProgress:0}setUploadProgress(t){var e,i;if(this.uploadProgress!==t)return this.uploadProgress=t,(e=this.uploadProgressDelegate)===null||e===void 0||(i=e.attachmentDidChangeUploadProgress)===null||i===void 0?void 0:i.call(e,this)}toJSON(){return this.getAttributes()}getCacheKey(){return[super.getCacheKey(...arguments),this.attributes.getCacheKey(),this.getPreviewURL()].join("/")}getPreviewURL(){return this.previewURL||this.preloadingURL}setPreviewURL(t){var e,i,r,o;if(t!==this.getPreviewURL())return this.previewURL=t,(e=this.previewDelegate)===null||e===void 0||(i=e.attachmentDidChangeAttributes)===null||i===void 0||i.call(e,this),(r=this.delegate)===null||r===void 0||(o=r.attachmentDidChangePreviewURL)===null||o===void 0?void 0:o.call(r,this)}preloadURL(){return this.preload(this.getURL(),this.releaseFile)}preloadFile(){if(this.file)return this.fileObjectURL=URL.createObjectURL(this.file),this.preload(this.fileObjectURL)}releasePreloadedFile(){this.fileObjectURL&&(URL.revokeObjectURL(this.fileObjectURL),this.fileObjectURL=null)}preload(t,e){if(t&&t!==this.getPreviewURL())return this.preloadingURL=t,new Wt(t).then(i=>{let{width:r,height:o}=i;return this.getWidth()&&this.getHeight()||this.setAttributes({width:r,height:o}),this.preloadingURL=null,this.setPreviewURL(t),e?.()}).catch(()=>(this.preloadingURL=null,e?.()))}};E(H,"previewablePattern",/^image(\/(gif|png|webp|jpe?g)|$)/);var z=class extends j{static fromJSON(t){return new this(H.fromJSON(t.attachment),t.attributes)}constructor(t){super(...arguments),this.attachment=t,this.length=1,this.ensureAttachmentExclusivelyHasAttribute("href"),this.attachment.hasContent()||this.removeProhibitedAttributes()}ensureAttachmentExclusivelyHasAttribute(t){this.hasAttribute(t)&&(this.attachment.hasAttribute(t)||this.attachment.setAttributes(this.attributes.slice([t])),this.attributes=this.attributes.remove(t))}removeProhibitedAttributes(){let t=this.attributes.slice(z.permittedAttributes);t.isEqualTo(this.attributes)||(this.attributes=t)}getValue(){return this.attachment}isSerializable(){return!this.attachment.isPending()}getCaption(){return this.attributes.get("caption")||""}isEqualTo(t){var e;return super.isEqualTo(t)&&this.attachment.id===(t==null||(e=t.attachment)===null||e===void 0?void 0:e.id)}toString(){return"\uFFFC"}toJSON(){let t=super.toJSON(...arguments);return t.attachment=this.attachment,t}getCacheKey(){return[super.getCacheKey(...arguments),this.attachment.getCacheKey()].join("/")}toConsole(){return JSON.stringify(this.toString())}};E(z,"permittedAttributes",["caption","presentation"]),j.registerType("attachment",z);var Rt=class extends j{static fromJSON(t){return new this(t.string,t.attributes)}constructor(t){super(...arguments),this.string=(e=>e.replace(/\r\n?/g,` +`))(t),this.length=this.string.length}getValue(){return this.string}toString(){return this.string.toString()}isBlockBreak(){return this.toString()===` +`&&this.getAttribute("blockBreak")===!0}toJSON(){let t=super.toJSON(...arguments);return t.string=this.string,t}canBeConsolidatedWith(t){return t&&this.hasSameConstructorAs(t)&&this.hasSameAttributesAsPiece(t)}consolidateWith(t){return new this.constructor(this.toString()+t.toString(),this.attributes)}splitAtOffset(t){let e,i;return t===0?(e=null,i=this):t===this.length?(e=this,i=null):(e=new this.constructor(this.string.slice(0,t),this.attributes),i=new this.constructor(this.string.slice(t),this.attributes)),[e,i]}toConsole(){let{string:t}=this;return t.length>15&&(t=t.slice(0,14)+"\u2026"),JSON.stringify(t.toString())}};j.registerType("string",Rt);var ut=class extends O{static box(t){return t instanceof this?t:new this(t)}constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[];super(...arguments),this.objects=t.slice(0),this.length=this.objects.length}indexOf(t){return this.objects.indexOf(t)}splice(){for(var t=arguments.length,e=new Array(t),i=0;it(e,i))}insertObjectAtIndex(t,e){return this.splice(e,0,t)}insertSplittableListAtIndex(t,e){return this.splice(e,0,...t.objects)}insertSplittableListAtPosition(t,e){let[i,r]=this.splitObjectAtPosition(e);return new this.constructor(i).insertSplittableListAtIndex(t,r)}editObjectAtIndex(t,e){return this.replaceObjectAtIndex(e(this.objects[t]),t)}replaceObjectAtIndex(t,e){return this.splice(e,1,t)}removeObjectAtIndex(t){return this.splice(t,1)}getObjectAtIndex(t){return this.objects[t]}getSplittableListInRange(t){let[e,i,r]=this.splitObjectsAtRange(t);return new this.constructor(e.slice(i,r+1))}selectSplittableList(t){let e=this.objects.filter(i=>t(i));return new this.constructor(e)}removeObjectsInRange(t){let[e,i,r]=this.splitObjectsAtRange(t);return new this.constructor(e).splice(i,r-i+1)}transformObjectsInRange(t,e){let[i,r,o]=this.splitObjectsAtRange(t),s=i.map((a,l)=>r<=l&&l<=o?e(a):a);return new this.constructor(s)}splitObjectsAtRange(t){let e,[i,r,o]=this.splitObjectAtPosition(mn(t));return[i,e]=new this.constructor(i).splitObjectAtPosition(pn(t)+o),[i,r,e-1]}getObjectAtPosition(t){let{index:e}=this.findIndexAndOffsetAtPosition(t);return this.objects[e]}splitObjectAtPosition(t){let e,i,{index:r,offset:o}=this.findIndexAndOffsetAtPosition(t),s=this.objects.slice(0);if(r!=null)if(o===0)e=r,i=0;else{let a=this.getObjectAtIndex(r),[l,c]=a.splitAtOffset(o);s.splice(r,1,l,c),e=r+1,i=l.getLength()-o}else e=s.length,i=0;return[s,e,i]}consolidate(){let t=[],e=this.objects[0];return this.objects.slice(1).forEach(i=>{var r,o;(r=(o=e).canBeConsolidatedWith)!==null&&r!==void 0&&r.call(o,i)?e=e.consolidateWith(i):(t.push(e),e=i)}),e&&t.push(e),new this.constructor(t)}consolidateFromIndexToIndex(t,e){let i=this.objects.slice(0).slice(t,e+1),r=new this.constructor(i).consolidate().toArray();return this.splice(t,i.length,...r)}findIndexAndOffsetAtPosition(t){let e,i=0;for(e=0;ethis.endPosition+=t.getLength())),this.endPosition}toString(){return this.objects.join("")}toArray(){return this.objects.slice(0)}toJSON(){return this.toArray()}isEqualTo(t){return super.isEqualTo(...arguments)||gn(this.objects,t?.objects)}contentsForInspection(){return{objects:"[".concat(this.objects.map(t=>t.inspect()).join(", "),"]")}}},gn=function(n){let t=arguments.length>1&&arguments[1]!==void 0?arguments[1]:[];if(n.length!==t.length)return!1;let e=!0;for(let i=0;in[0],pn=n=>n[1],R=class extends O{static textForAttachmentWithAttributes(t,e){return new this([new z(t,e)])}static textForStringWithAttributes(t,e){return new this([new Rt(t,e)])}static fromJSON(t){return new this(Array.from(t).map(e=>j.fromJSON(e)))}constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[];super(...arguments);let e=t.filter(i=>!i.isEmpty());this.pieceList=new ut(e)}copy(){return this.copyWithPieceList(this.pieceList)}copyWithPieceList(t){return new this.constructor(t.consolidate().toArray())}copyUsingObjectMap(t){let e=this.getPieces().map(i=>t.find(i)||i);return new this.constructor(e)}appendText(t){return this.insertTextAtPosition(t,this.getLength())}insertTextAtPosition(t,e){return this.copyWithPieceList(this.pieceList.insertSplittableListAtPosition(t.pieceList,e))}removeTextAtRange(t){return this.copyWithPieceList(this.pieceList.removeObjectsInRange(t))}replaceTextAtRange(t,e){return this.removeTextAtRange(e).insertTextAtPosition(t,e[0])}moveTextFromRangeToPosition(t,e){if(t[0]<=e&&e<=t[1])return;let i=this.getTextAtRange(t),r=i.getLength();return t[0]i.copyWithAdditionalAttributes(t)))}removeAttributeAtRange(t,e){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(e,i=>i.copyWithoutAttribute(t)))}setAttributesAtRange(t,e){return this.copyWithPieceList(this.pieceList.transformObjectsInRange(e,i=>i.copyWithAttributes(t)))}getAttributesAtPosition(t){var e;return((e=this.pieceList.getObjectAtPosition(t))===null||e===void 0?void 0:e.getAttributes())||{}}getCommonAttributes(){let t=Array.from(this.pieceList.toArray()).map(e=>e.getAttributes());return C.fromCommonAttributesOfObjects(t).toObject()}getCommonAttributesAtRange(t){return this.getTextAtRange(t).getCommonAttributes()||{}}getExpandedRangeForAttributeAtOffset(t,e){let i,r=i=e,o=this.getLength();for(;r>0&&this.getCommonAttributesAtRange([r-1,i])[t];)r--;for(;i!!t.attachment)}getAttachments(){return this.getAttachmentPieces().map(t=>t.attachment)}getAttachmentAndPositionById(t){let e=0;for(let r of this.pieceList.toArray()){var i;if(((i=r.attachment)===null||i===void 0?void 0:i.id)===t)return{attachment:r.attachment,position:e};e+=r.length}return{attachment:null,position:null}}getAttachmentById(t){let{attachment:e}=this.getAttachmentAndPositionById(t);return e}getRangeOfAttachment(t){let e=this.getAttachmentAndPositionById(t.id),i=e.position;if(t=e.attachment)return[i,i+1]}updateAttributesForAttachment(t,e){let i=this.getRangeOfAttachment(e);return i?this.addAttributesAtRange(t,i):this}getLength(){return this.pieceList.getEndPosition()}isEmpty(){return this.getLength()===0}isEqualTo(t){var e;return super.isEqualTo(t)||(t==null||(e=t.pieceList)===null||e===void 0?void 0:e.isEqualTo(this.pieceList))}isBlockBreak(){return this.getLength()===1&&this.pieceList.getObjectAtIndex(0).isBlockBreak()}eachPiece(t){return this.pieceList.eachObject(t)}getPieces(){return this.pieceList.toArray()}getPieceAtPosition(t){return this.pieceList.getObjectAtPosition(t)}contentsForInspection(){return{pieceList:this.pieceList.inspect()}}toSerializableText(){let t=this.pieceList.selectSplittableList(e=>e.isSerializable());return this.copyWithPieceList(t)}toString(){return this.pieceList.toString()}toJSON(){return this.pieceList.toJSON()}toConsole(){return JSON.stringify(this.pieceList.toArray().map(t=>JSON.parse(t.toConsole())))}getDirection(){return $i(this.toString())}isRTL(){return this.getDirection()==="rtl"}},S=class extends O{static fromJSON(t){return new this(R.fromJSON(t.text),t.attributes,t.htmlAttributes)}constructor(t,e,i){super(...arguments),this.text=fn(t||new R),this.attributes=e||[],this.htmlAttributes=i||{}}isEmpty(){return this.text.isBlockBreak()}isEqualTo(t){return!!super.isEqualTo(t)||this.text.isEqualTo(t?.text)&&Q(this.attributes,t?.attributes)&&dt(this.htmlAttributes,t?.htmlAttributes)}copyWithText(t){return new S(t,this.attributes,this.htmlAttributes)}copyWithoutText(){return this.copyWithText(null)}copyWithAttributes(t){return new S(this.text,t,this.htmlAttributes)}copyWithoutAttributes(){return this.copyWithAttributes(null)}copyUsingObjectMap(t){let e=t.find(this.text);return e?this.copyWithText(e):this.copyWithText(this.text.copyUsingObjectMap(t))}addAttribute(t){let e=this.attributes.concat(si(t));return this.copyWithAttributes(e)}addHTMLAttribute(t,e){let i=Object.assign({},this.htmlAttributes,{[t]:e});return new S(this.text,this.attributes,i)}removeAttribute(t){let{listAttribute:e}=v(t),i=li(li(this.attributes,t),e);return this.copyWithAttributes(i)}removeLastAttribute(){return this.removeAttribute(this.getLastAttribute())}getLastAttribute(){return ai(this.attributes)}getAttributes(){return this.attributes.slice(0)}getAttributeLevel(){return this.attributes.length}getAttributeAtLevel(t){return this.attributes[t-1]}hasAttribute(t){return this.attributes.includes(t)}hasAttributes(){return this.getAttributeLevel()>0}getLastNestableAttribute(){return ai(this.getNestableAttributes())}getNestableAttributes(){return this.attributes.filter(t=>v(t).nestable)}getNestingLevel(){return this.getNestableAttributes().length}decreaseNestingLevel(){let t=this.getLastNestableAttribute();return t?this.removeAttribute(t):this}increaseNestingLevel(){let t=this.getLastNestableAttribute();if(t){let e=this.attributes.lastIndexOf(t),i=Ve(this.attributes,e+1,0,...si(t));return this.copyWithAttributes(i)}return this}getListItemAttributes(){return this.attributes.filter(t=>v(t).listAttribute)}isListItem(){var t;return(t=v(this.getLastAttribute()))===null||t===void 0?void 0:t.listAttribute}isTerminalBlock(){var t;return(t=v(this.getLastAttribute()))===null||t===void 0?void 0:t.terminal}breaksOnReturn(){var t;return(t=v(this.getLastAttribute()))===null||t===void 0?void 0:t.breakOnReturn}findLineBreakInDirectionFromPosition(t,e){let i=this.toString(),r;switch(t){case"forward":r=i.indexOf(` +`,e);break;case"backward":r=i.slice(0,e).lastIndexOf(` +`)}if(r!==-1)return r}contentsForInspection(){return{text:this.text.inspect(),attributes:this.attributes}}toString(){return this.text.toString()}toJSON(){return{text:this.text,attributes:this.attributes,htmlAttributes:this.htmlAttributes}}getDirection(){return this.text.getDirection()}isRTL(){return this.text.isRTL()}getLength(){return this.text.getLength()}canBeConsolidatedWith(t){return!this.hasAttributes()&&!t.hasAttributes()&&this.getDirection()===t.getDirection()}consolidateWith(t){let e=R.textForStringWithAttributes(` +`),i=this.getTextWithoutBlockBreak().appendText(e);return this.copyWithText(i.appendText(t.text))}splitAtOffset(t){let e,i;return t===0?(e=null,i=this):t===this.getLength()?(e=this,i=null):(e=this.copyWithText(this.text.getTextAtRange([0,t])),i=this.copyWithText(this.text.getTextAtRange([t,this.getLength()]))),[e,i]}getBlockBreakPosition(){return this.text.getLength()-1}getTextWithoutBlockBreak(){return wi(this.text)?this.text.getTextAtRange([0,this.getBlockBreakPosition()]):this.text.copy()}canBeGrouped(t){return this.attributes[t]}canBeGroupedWith(t,e){let i=t.getAttributes(),r=i[e],o=this.attributes[e];return o===r&&!(v(o).group===!1&&!(()=>{if(!Dt){Dt=[];for(let s in y){let{listAttribute:a}=y[s];a!=null&&Dt.push(a)}}return Dt})().includes(i[e+1]))&&(this.getDirection()===t.getDirection()||t.isEmpty())}},fn=function(n){return n=bn(n),n=An(n)},bn=function(n){let t=!1,e=n.getPieces(),i=e.slice(0,e.length-1),r=e[e.length-1];return r?(i=i.map(o=>o.isBlockBreak()?(t=!0,xn(o)):o),t?new R([...i,r]):n):n},vn=R.textForStringWithAttributes(` +`,{blockBreak:!0}),An=function(n){return wi(n)?n:n.appendText(vn)},wi=function(n){let t=n.getLength();return t===0?!1:n.getTextAtRange([t-1,t]).isBlockBreak()},xn=n=>n.copyWithoutAttribute("blockBreak"),si=function(n){let{listAttribute:t}=v(n);return t?[t,n]:[n]},ai=n=>n.slice(-1)[0],li=function(n,t){let e=n.lastIndexOf(t);return e===-1?n:Ve(n,e,1)},k=class extends O{static fromJSON(t){return new this(Array.from(t).map(e=>S.fromJSON(e)))}static fromString(t,e){let i=R.textForStringWithAttributes(t,e);return new this([new S(i)])}constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[];super(...arguments),t.length===0&&(t=[new S]),this.blockList=ut.box(t)}isEmpty(){let t=this.getBlockAtIndex(0);return this.blockList.length===1&&t.isEmpty()&&!t.hasAttributes()}copy(){let t=(arguments.length>0&&arguments[0]!==void 0?arguments[0]:{}).consolidateBlocks?this.blockList.consolidate().toArray():this.blockList.toArray();return new this.constructor(t)}copyUsingObjectsFromDocument(t){let e=new Te(t.getObjects());return this.copyUsingObjectMap(e)}copyUsingObjectMap(t){let e=this.getBlocks().map(i=>t.find(i)||i.copyUsingObjectMap(t));return new this.constructor(e)}copyWithBaseBlockAttributes(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[],e=this.getBlocks().map(i=>{let r=t.concat(i.getAttributes());return i.copyWithAttributes(r)});return new this.constructor(e)}replaceBlock(t,e){let i=this.blockList.indexOf(t);return i===-1?this:new this.constructor(this.blockList.replaceObjectAtIndex(e,i))}insertDocumentAtRange(t,e){let{blockList:i}=t;e=g(e);let[r]=e,{index:o,offset:s}=this.locationFromPosition(r),a=this,l=this.getBlockAtPosition(r);return N(e)&&l.isEmpty()&&!l.hasAttributes()?a=new this.constructor(a.blockList.removeObjectAtIndex(o)):l.getBlockBreakPosition()===s&&r++,a=a.removeTextAtRange(e),new this.constructor(a.blockList.insertSplittableListAtPosition(i,r))}mergeDocumentAtRange(t,e){let i,r;e=g(e);let[o]=e,s=this.locationFromPosition(o),a=this.getBlockAtIndex(s.index).getAttributes(),l=t.getBaseBlockAttributes(),c=a.slice(-l.length);if(Q(l,c)){let A=a.slice(0,-l.length);i=t.copyWithBaseBlockAttributes(A)}else i=t.copy({consolidateBlocks:!0}).copyWithBaseBlockAttributes(a);let u=i.getBlockCount(),b=i.getBlockAtIndex(0);if(Q(a,b.getAttributes())){let A=b.getTextWithoutBlockBreak();if(r=this.insertTextAtRange(A,e),u>1){i=new this.constructor(i.getBlocks().slice(1));let L=o+A.getLength();r=r.insertDocumentAtRange(i,L)}}else r=this.insertDocumentAtRange(i,e);return r}insertTextAtRange(t,e){e=g(e);let[i]=e,{index:r,offset:o}=this.locationFromPosition(i),s=this.removeTextAtRange(e);return new this.constructor(s.blockList.editObjectAtIndex(r,a=>a.copyWithText(a.text.insertTextAtPosition(t,o))))}removeTextAtRange(t){let e;t=g(t);let[i,r]=t;if(N(t))return this;let[o,s]=Array.from(this.locationRangeFromRange(t)),a=o.index,l=o.offset,c=this.getBlockAtIndex(a),u=s.index,b=s.offset,A=this.getBlockAtIndex(u);if(r-i==1&&c.getBlockBreakPosition()===l&&A.getBlockBreakPosition()!==b&&A.text.getStringAtPosition(b)===` +`)e=this.blockList.editObjectAtIndex(u,L=>L.copyWithText(L.text.removeTextAtRange([b,b+1])));else{let L,gt=c.text.getTextAtRange([0,l]),P=A.text.getTextAtRange([b,A.getLength()]),it=gt.appendText(P);L=a!==u&&l===0&&c.getAttributeLevel()>=A.getAttributeLevel()?A.copyWithText(it):c.copyWithText(it);let mt=u+1-a;e=this.blockList.splice(a,mt,L)}return new this.constructor(e)}moveTextFromRangeToPosition(t,e){let i;t=g(t);let[r,o]=t;if(r<=e&&e<=o)return this;let s=this.getDocumentAtRange(t),a=this.removeTextAtRange(t),l=rr=r.editObjectAtIndex(a,function(){return v(t)?o.addAttribute(t,e):s[0]===s[1]?o:o.copyWithText(o.text.addAttributeAtRange(t,e,s))})),new this.constructor(r)}addAttribute(t,e){let{blockList:i}=this;return this.eachBlock((r,o)=>i=i.editObjectAtIndex(o,()=>r.addAttribute(t,e))),new this.constructor(i)}removeAttributeAtRange(t,e){let{blockList:i}=this;return this.eachBlockAtRange(e,function(r,o,s){v(t)?i=i.editObjectAtIndex(s,()=>r.removeAttribute(t)):o[0]!==o[1]&&(i=i.editObjectAtIndex(s,()=>r.copyWithText(r.text.removeAttributeAtRange(t,o))))}),new this.constructor(i)}updateAttributesForAttachment(t,e){let i=this.getRangeOfAttachment(e),[r]=Array.from(i),{index:o}=this.locationFromPosition(r),s=this.getTextAtIndex(o);return new this.constructor(this.blockList.editObjectAtIndex(o,a=>a.copyWithText(s.updateAttributesForAttachment(t,e))))}removeAttributeForAttachment(t,e){let i=this.getRangeOfAttachment(e);return this.removeAttributeAtRange(t,i)}setHTMLAttributeAtPosition(t,e,i){let r=this.getBlockAtPosition(t),o=r.addHTMLAttribute(e,i);return this.replaceBlock(r,o)}insertBlockBreakAtRange(t){let e;t=g(t);let[i]=t,{offset:r}=this.locationFromPosition(i),o=this.removeTextAtRange(t);return r===0&&(e=[new S]),new this.constructor(o.blockList.insertSplittableListAtPosition(new ut(e),i))}applyBlockAttributeAtRange(t,e,i){let r=this.expandRangeToLineBreaksAndSplitBlocks(i),o=r.document;i=r.range;let s=v(t);if(s.listAttribute){o=o.removeLastListAttributeAtRange(i,{exceptAttributeName:t});let a=o.convertLineBreaksToBlockBreaksInRange(i);o=a.document,i=a.range}else o=s.exclusive?o.removeBlockAttributesAtRange(i):s.terminal?o.removeLastTerminalAttributeAtRange(i):o.consolidateBlocksAtRange(i);return o.addAttributeAtRange(t,e,i)}removeLastListAttributeAtRange(t){let e=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},{blockList:i}=this;return this.eachBlockAtRange(t,function(r,o,s){let a=r.getLastAttribute();a&&v(a).listAttribute&&a!==e.exceptAttributeName&&(i=i.editObjectAtIndex(s,()=>r.removeAttribute(a)))}),new this.constructor(i)}removeLastTerminalAttributeAtRange(t){let{blockList:e}=this;return this.eachBlockAtRange(t,function(i,r,o){let s=i.getLastAttribute();s&&v(s).terminal&&(e=e.editObjectAtIndex(o,()=>i.removeAttribute(s)))}),new this.constructor(e)}removeBlockAttributesAtRange(t){let{blockList:e}=this;return this.eachBlockAtRange(t,function(i,r,o){i.hasAttributes()&&(e=e.editObjectAtIndex(o,()=>i.copyWithoutAttributes()))}),new this.constructor(e)}expandRangeToLineBreaksAndSplitBlocks(t){let e;t=g(t);let[i,r]=t,o=this.locationFromPosition(i),s=this.locationFromPosition(r),a=this,l=a.getBlockAtIndex(o.index);if(o.offset=l.findLineBreakInDirectionFromPosition("backward",o.offset),o.offset!=null&&(e=a.positionFromLocation(o),a=a.insertBlockBreakAtRange([e,e+1]),s.index+=1,s.offset-=a.getBlockAtIndex(o.index).getLength(),o.index+=1),o.offset=0,s.offset===0&&s.index>o.index)s.index-=1,s.offset=a.getBlockAtIndex(s.index).getBlockBreakPosition();else{let c=a.getBlockAtIndex(s.index);c.text.getStringAtRange([s.offset-1,s.offset])===` +`?s.offset-=1:s.offset=c.findLineBreakInDirectionFromPosition("forward",s.offset),s.offset!==c.getBlockBreakPosition()&&(e=a.positionFromLocation(s),a=a.insertBlockBreakAtRange([e,e+1]))}return i=a.positionFromLocation(o),r=a.positionFromLocation(s),{document:a,range:t=g([i,r])}}convertLineBreaksToBlockBreaksInRange(t){t=g(t);let[e]=t,i=this.getStringAtRange(t).slice(0,-1),r=this;return i.replace(/.*?\n/g,function(o){e+=o.length,r=r.insertBlockBreakAtRange([e-1,e])}),{document:r,range:t}}consolidateBlocksAtRange(t){t=g(t);let[e,i]=t,r=this.locationFromPosition(e).index,o=this.locationFromPosition(i).index;return new this.constructor(this.blockList.consolidateFromIndexToIndex(r,o))}getDocumentAtRange(t){t=g(t);let e=this.blockList.getSplittableListInRange(t).toArray();return new this.constructor(e)}getStringAtRange(t){let e,i=t=g(t);return i[i.length-1]!==this.getLength()&&(e=-1),this.getDocumentAtRange(t).toString().slice(0,e)}getBlockAtIndex(t){return this.blockList.getObjectAtIndex(t)}getBlockAtPosition(t){let{index:e}=this.locationFromPosition(t);return this.getBlockAtIndex(e)}getTextAtIndex(t){var e;return(e=this.getBlockAtIndex(t))===null||e===void 0?void 0:e.text}getTextAtPosition(t){let{index:e}=this.locationFromPosition(t);return this.getTextAtIndex(e)}getPieceAtPosition(t){let{index:e,offset:i}=this.locationFromPosition(t);return this.getTextAtIndex(e).getPieceAtPosition(i)}getCharacterAtPosition(t){let{index:e,offset:i}=this.locationFromPosition(t);return this.getTextAtIndex(e).getStringAtRange([i,i+1])}getLength(){return this.blockList.getEndPosition()}getBlocks(){return this.blockList.toArray()}getBlockCount(){return this.blockList.length}getEditCount(){return this.editCount}eachBlock(t){return this.blockList.eachObject(t)}eachBlockAtRange(t,e){let i,r;t=g(t);let[o,s]=t,a=this.locationFromPosition(o),l=this.locationFromPosition(s);if(a.index===l.index)return i=this.getBlockAtIndex(a.index),r=[a.offset,l.offset],e(i,r,a.index);for(let c=a.index;c<=l.index;c++)if(i=this.getBlockAtIndex(c),i){switch(c){case a.index:r=[a.offset,i.text.getLength()];break;case l.index:r=[0,l.offset];break;default:r=[0,i.text.getLength()]}e(i,r,c)}}getCommonAttributesAtRange(t){t=g(t);let[e]=t;if(N(t))return this.getCommonAttributesAtPosition(e);{let i=[],r=[];return this.eachBlockAtRange(t,function(o,s){if(s[0]!==s[1])return i.push(o.text.getCommonAttributesAtRange(s)),r.push(ci(o))}),C.fromCommonAttributesOfObjects(i).merge(C.fromCommonAttributesOfObjects(r)).toObject()}}getCommonAttributesAtPosition(t){let e,i,{index:r,offset:o}=this.locationFromPosition(t),s=this.getBlockAtIndex(r);if(!s)return{};let a=ci(s),l=s.text.getAttributesAtPosition(o),c=s.text.getAttributesAtPosition(o-1),u=Object.keys(Y).filter(b=>Y[b].inheritable);for(e in c)i=c[e],(i===l[e]||u.includes(e))&&(a[e]=i);return a}getRangeOfCommonAttributeAtPosition(t,e){let{index:i,offset:r}=this.locationFromPosition(e),o=this.getTextAtIndex(i),[s,a]=Array.from(o.getExpandedRangeForAttributeAtOffset(t,r)),l=this.positionFromLocation({index:i,offset:s}),c=this.positionFromLocation({index:i,offset:a});return g([l,c])}getBaseBlockAttributes(){let t=this.getBlockAtIndex(0).getAttributes();for(let e=1;e{let o=[];for(let s=0;s{let{text:i}=e;return t=t.concat(i.getAttachmentPieces())}),t}getAttachments(){return this.getAttachmentPieces().map(t=>t.attachment)}getRangeOfAttachment(t){let e=0,i=this.blockList.toArray();for(let r=0;r{let o=r.getLength();r.hasAttribute(t)&&i.push([e,e+o]),e+=o}),i}findRangesForTextAttribute(t){let{withValue:e}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},i=0,r=[],o=[];return this.getPieces().forEach(s=>{let a=s.getLength();(function(l){return e?l.getAttribute(t)===e:l.hasAttribute(t)})(s)&&(r[1]===i?r[1]=i+a:o.push(r=[i,i+a])),i+=a}),o}locationFromPosition(t){let e=this.blockList.findIndexAndOffsetAtPosition(Math.max(0,t));if(e.index!=null)return e;{let i=this.getBlocks();return{index:i.length-1,offset:i[i.length-1].getLength()}}}positionFromLocation(t){return this.blockList.findPositionAtIndexAndOffset(t.index,t.offset)}locationRangeFromPosition(t){return g(this.locationFromPosition(t))}locationRangeFromRange(t){if(!(t=g(t)))return;let[e,i]=Array.from(t),r=this.locationFromPosition(e),o=this.locationFromPosition(i);return g([r,o])}rangeFromLocationRange(t){let e;t=g(t);let i=this.positionFromLocation(t[0]);return N(t)||(e=this.positionFromLocation(t[1])),g([i,e])}isEqualTo(t){return this.blockList.isEqualTo(t?.blockList)}getTexts(){return this.getBlocks().map(t=>t.text)}getPieces(){let t=[];return Array.from(this.getTexts()).forEach(e=>{t.push(...Array.from(e.getPieces()||[]))}),t}getObjects(){return this.getBlocks().concat(this.getTexts()).concat(this.getPieces())}toSerializableDocument(){let t=[];return this.blockList.eachObject(e=>t.push(e.copyWithText(e.text.toSerializableText()))),new this.constructor(t)}toString(){return this.blockList.toString()}toJSON(){return this.blockList.toJSON()}toConsole(){return JSON.stringify(this.blockList.toArray().map(t=>JSON.parse(t.text.toConsole())))}},ci=function(n){let t={},e=n.getLastAttribute();return e&&(t[e]=!0),t},fe=function(n){let t=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};return{string:n=bt(n),attributes:t,type:"string"}},ui=(n,t)=>{try{return JSON.parse(n.getAttribute("data-trix-".concat(t)))}catch{return{}}},et=class extends f{static parse(t,e){let i=new this(t,e);return i.parse(),i}constructor(t){let{referenceElement:e}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};super(...arguments),this.html=t,this.referenceElement=e,this.blocks=[],this.blockElements=[],this.processedElements=[]}getDocument(){return k.fromJSON(this.blocks)}parse(){try{this.createHiddenContainer(),lt.setHTML(this.containerElement,this.html);let t=Ft(this.containerElement,{usingFilter:Cn});for(;t.nextNode();)this.processNode(t.currentNode);return this.translateBlockElementMarginsToNewlines()}finally{this.removeHiddenContainer()}}createHiddenContainer(){return this.referenceElement?(this.containerElement=this.referenceElement.cloneNode(!1),this.containerElement.removeAttribute("id"),this.containerElement.setAttribute("data-trix-internal",""),this.containerElement.style.display="none",this.referenceElement.parentNode.insertBefore(this.containerElement,this.referenceElement.nextSibling)):(this.containerElement=d({tagName:"div",style:{display:"none"}}),document.body.appendChild(this.containerElement))}removeHiddenContainer(){return V(this.containerElement)}processNode(t){switch(t.nodeType){case Node.TEXT_NODE:if(!this.isInsignificantTextNode(t))return this.appendBlockForTextNode(t),this.processTextNode(t);break;case Node.ELEMENT_NODE:return this.appendBlockForElement(t),this.processElement(t)}}appendBlockForTextNode(t){let e=t.parentNode;if(e===this.currentBlockElement&&this.isBlockElement(t.previousSibling))return this.appendStringWithAttributes(` +`);if(e===this.containerElement||this.isBlockElement(e)){var i;let r=this.getBlockAttributes(e),o=this.getBlockHTMLAttributes(e);Q(r,(i=this.currentBlock)===null||i===void 0?void 0:i.attributes)||(this.currentBlock=this.appendBlockForAttributesWithElement(r,e,o),this.currentBlockElement=e)}}appendBlockForElement(t){let e=this.isBlockElement(t),i=J(this.currentBlockElement,t);if(e&&!this.isBlockElement(t.firstChild)){if(!this.isInsignificantTextNode(t.firstChild)||!this.isBlockElement(t.firstElementChild)){let r=this.getBlockAttributes(t),o=this.getBlockHTMLAttributes(t);if(t.firstChild){if(i&&Q(r,this.currentBlock.attributes))return this.appendStringWithAttributes(` +`);this.currentBlock=this.appendBlockForAttributesWithElement(r,t,o),this.currentBlockElement=t}}}else if(this.currentBlockElement&&!i&&!e){let r=this.findParentBlockElement(t);if(r)return this.appendBlockForElement(r);this.currentBlock=this.appendEmptyBlock(),this.currentBlockElement=null}}findParentBlockElement(t){let{parentElement:e}=t;for(;e&&e!==this.containerElement;){if(this.isBlockElement(e)&&this.blockElements.includes(e))return e;e=e.parentElement}return null}processTextNode(t){let e=t.data;var i;return hi(t.parentNode)||(e=_e(e),Ti((i=t.previousSibling)===null||i===void 0?void 0:i.textContent)&&(e=kn(e))),this.appendStringWithAttributes(e,this.getTextAttributes(t.parentNode))}processElement(t){let e;if($(t)){if(e=ui(t,"attachment"),Object.keys(e).length){let i=this.getTextAttributes(t);this.appendAttachmentWithAttributes(e,i),t.innerHTML=""}return this.processedElements.push(t)}switch(x(t)){case"br":return this.isExtraBR(t)||this.isBlockElement(t.nextSibling)||this.appendStringWithAttributes(` +`,this.getTextAttributes(t)),this.processedElements.push(t);case"img":e={url:t.getAttribute("src"),contentType:"image"};let i=(r=>{let o=r.getAttribute("width"),s=r.getAttribute("height"),a={};return o&&(a.width=parseInt(o,10)),s&&(a.height=parseInt(s,10)),a})(t);for(let r in i){let o=i[r];e[r]=o}return this.appendAttachmentWithAttributes(e,this.getTextAttributes(t)),this.processedElements.push(t);case"tr":if(this.needsTableSeparator(t))return this.appendStringWithAttributes(Tt.tableRowSeparator);break;case"td":if(this.needsTableSeparator(t))return this.appendStringWithAttributes(Tt.tableCellSeparator)}}appendBlockForAttributesWithElement(t,e){let i=arguments.length>2&&arguments[2]!==void 0?arguments[2]:{};this.blockElements.push(e);let r=function(){return{text:[],attributes:arguments.length>0&&arguments[0]!==void 0?arguments[0]:{},htmlAttributes:arguments.length>1&&arguments[1]!==void 0?arguments[1]:{}}}(t,i);return this.blocks.push(r),r}appendEmptyBlock(){return this.appendBlockForAttributesWithElement([],null)}appendStringWithAttributes(t,e){return this.appendPiece(fe(t,e))}appendAttachmentWithAttributes(t,e){return this.appendPiece(function(i){return{attachment:i,attributes:arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},type:"attachment"}}(t,e))}appendPiece(t){return this.blocks.length===0&&this.appendEmptyBlock(),this.blocks[this.blocks.length-1].text.push(t)}appendStringToTextAtIndex(t,e){let{text:i}=this.blocks[e],r=i[i.length-1];if(r?.type!=="string")return i.push(fe(t));r.string+=t}prependStringToTextAtIndex(t,e){let{text:i}=this.blocks[e],r=i[0];if(r?.type!=="string")return i.unshift(fe(t));r.string=t+r.string}getTextAttributes(t){let e,i={};for(let r in Y){let o=Y[r];if(o.tagName&&q(t,{matchingSelector:o.tagName,untilNode:this.containerElement}))i[r]=!0;else if(o.parser){if(e=o.parser(t),e){let s=!1;for(let a of this.findBlockElementAncestors(t))if(o.parser(a)===e){s=!0;break}s||(i[r]=e)}}else o.styleProperty&&(e=t.style[o.styleProperty],e&&(i[r]=e))}if($(t)){let r=ui(t,"attributes");for(let o in r)e=r[o],i[o]=e}return i}getBlockAttributes(t){let e=[];for(;t&&t!==this.containerElement;){for(let r in y){let o=y[r];var i;o.parse!==!1&&x(t)===o.tagName&&((i=o.test)!==null&&i!==void 0&&i.call(o,t)||!o.test)&&(e.push(r),o.listAttribute&&e.push(o.listAttribute))}t=t.parentNode}return e.reverse()}getBlockHTMLAttributes(t){let e={},i=Object.values(y).find(r=>r.tagName===x(t));return(i?.htmlAttributes||[]).forEach(r=>{t.hasAttribute(r)&&(e[r]=t.getAttribute(r))}),e}findBlockElementAncestors(t){let e=[];for(;t&&t!==this.containerElement;){let i=x(t);At().includes(i)&&e.push(t),t=t.parentNode}return e}isBlockElement(t){if(t?.nodeType===Node.ELEMENT_NODE&&!$(t)&&!q(t,{matchingSelector:"td",untilNode:this.containerElement}))return At().includes(x(t))||window.getComputedStyle(t).display==="block"}isInsignificantTextNode(t){if(t?.nodeType!==Node.TEXT_NODE||!Rn(t.data))return;let{parentNode:e,previousSibling:i,nextSibling:r}=t;return yn(e.previousSibling)&&!this.isBlockElement(e.previousSibling)||hi(e)?void 0:!i||this.isBlockElement(i)||!r||this.isBlockElement(r)}isExtraBR(t){return x(t)==="br"&&this.isBlockElement(t.parentNode)&&t.parentNode.lastChild===t}needsTableSeparator(t){if(Tt.removeBlankTableCells){var e;let i=(e=t.previousSibling)===null||e===void 0?void 0:e.textContent;return i&&/\S/.test(i)}return t.previousSibling}translateBlockElementMarginsToNewlines(){let t=this.getMarginOfDefaultBlockElement();for(let e=0;e2*t.top&&this.prependStringToTextAtIndex(` +`,e),i.bottom>2*t.bottom&&this.appendStringToTextAtIndex(` +`,e))}}getMarginOfBlockElementAtIndex(t){let e=this.blockElements[t];if(e&&e.textContent&&!At().includes(x(e))&&!this.processedElements.includes(e))return di(e)}getMarginOfDefaultBlockElement(){let t=d(y.default.tagName);return this.containerElement.appendChild(t),di(t)}},hi=function(n){let{whiteSpace:t}=window.getComputedStyle(n);return["pre","pre-wrap","pre-line"].includes(t)},yn=n=>n&&!Ti(n.textContent),di=function(n){let t=window.getComputedStyle(n);if(t.display==="block")return{top:parseInt(t.marginTop),bottom:parseInt(t.marginBottom)}},Cn=function(n){return x(n)==="style"?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},kn=n=>n.replace(new RegExp("^".concat(ze.source,"+")),""),Rn=n=>new RegExp("^".concat(ze.source,"*$")).test(n),Ti=n=>/\s$/.test(n),En=["contenteditable","data-trix-id","data-trix-store-key","data-trix-mutable","data-trix-placeholder","tabindex"],Pe="data-trix-serialized-attributes",Sn="[".concat(Pe,"]"),Ln=new RegExp("","g"),Dn={"application/json":function(n){let t;if(n instanceof k)t=n;else{if(!(n instanceof HTMLElement))throw new Error("unserializable object");t=et.parse(n.innerHTML).getDocument()}return t.toSerializableDocument().toJSONString()},"text/html":function(n){let t;if(n instanceof k)t=ct.render(n);else{if(!(n instanceof HTMLElement))throw new Error("unserializable object");t=n.cloneNode(!0)}return Array.from(t.querySelectorAll("[data-trix-serialize=false]")).forEach(e=>{V(e)}),En.forEach(e=>{Array.from(t.querySelectorAll("[".concat(e,"]"))).forEach(i=>{i.removeAttribute(e)})}),Array.from(t.querySelectorAll(Sn)).forEach(e=>{try{let i=JSON.parse(e.getAttribute(Pe));e.removeAttribute(Pe);for(let r in i){let o=i[r];e.setAttribute(r,o)}}catch{}}),t.innerHTML.replace(Ln,"")}},wn=Object.freeze({__proto__:null}),m=class extends f{constructor(t,e){super(...arguments),this.attachmentManager=t,this.attachment=e,this.id=this.attachment.id,this.file=this.attachment.file}remove(){return this.attachmentManager.requestRemovalOfAttachment(this.attachment)}};m.proxyMethod("attachment.getAttribute"),m.proxyMethod("attachment.hasAttribute"),m.proxyMethod("attachment.setAttribute"),m.proxyMethod("attachment.getAttributes"),m.proxyMethod("attachment.setAttributes"),m.proxyMethod("attachment.isPending"),m.proxyMethod("attachment.isPreviewable"),m.proxyMethod("attachment.getURL"),m.proxyMethod("attachment.getHref"),m.proxyMethod("attachment.getFilename"),m.proxyMethod("attachment.getFilesize"),m.proxyMethod("attachment.getFormattedFilesize"),m.proxyMethod("attachment.getExtension"),m.proxyMethod("attachment.getContentType"),m.proxyMethod("attachment.getFile"),m.proxyMethod("attachment.setFile"),m.proxyMethod("attachment.releaseFile"),m.proxyMethod("attachment.getUploadProgress"),m.proxyMethod("attachment.setUploadProgress");var Ut=class extends f{constructor(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[];super(...arguments),this.managedAttachments={},Array.from(t).forEach(e=>{this.manageAttachment(e)})}getAttachments(){let t=[];for(let e in this.managedAttachments){let i=this.managedAttachments[e];t.push(i)}return t}manageAttachment(t){return this.managedAttachments[t.id]||(this.managedAttachments[t.id]=new m(this,t)),this.managedAttachments[t.id]}attachmentIsManaged(t){return t.id in this.managedAttachments}requestRemovalOfAttachment(t){var e,i;if(this.attachmentIsManaged(t))return(e=this.delegate)===null||e===void 0||(i=e.attachmentManagerDidRequestRemovalOfAttachment)===null||i===void 0?void 0:i.call(e,t)}unmanageAttachment(t){let e=this.managedAttachments[t.id];return delete this.managedAttachments[t.id],e}},qt=class{constructor(t){this.composition=t,this.document=this.composition.document;let e=this.composition.getSelectedRange();this.startPosition=e[0],this.endPosition=e[1],this.startLocation=this.document.locationFromPosition(this.startPosition),this.endLocation=this.document.locationFromPosition(this.endPosition),this.block=this.document.getBlockAtIndex(this.endLocation.index),this.breaksOnReturn=this.block.breaksOnReturn(),this.previousCharacter=this.block.text.getStringAtPosition(this.endLocation.offset-1),this.nextCharacter=this.block.text.getStringAtPosition(this.endLocation.offset)}shouldInsertBlockBreak(){return this.block.hasAttributes()&&this.block.isListItem()&&!this.block.isEmpty()?this.startLocation.offset!==0:this.breaksOnReturn&&this.nextCharacter!==` +`}shouldBreakFormattedBlock(){return this.block.hasAttributes()&&!this.block.isListItem()&&(this.breaksOnReturn&&this.nextCharacter===` +`||this.previousCharacter===` +`)}shouldDecreaseListLevel(){return this.block.hasAttributes()&&this.block.isListItem()&&this.block.isEmpty()}shouldPrependListItem(){return this.block.isListItem()&&this.startLocation.offset===0&&!this.block.isEmpty()}shouldRemoveLastBlockAttribute(){return this.block.hasAttributes()&&!this.block.isListItem()&&this.block.isEmpty()}},F=class extends f{constructor(){super(...arguments),this.document=new k,this.attachments=[],this.currentAttributes={},this.revision=0}setDocument(t){var e,i;if(!t.isEqualTo(this.document))return this.document=t,this.refreshAttachments(),this.revision++,(e=this.delegate)===null||e===void 0||(i=e.compositionDidChangeDocument)===null||i===void 0?void 0:i.call(e,t)}getSnapshot(){return{document:this.document,selectedRange:this.getSelectedRange()}}loadSnapshot(t){var e,i,r,o;let{document:s,selectedRange:a}=t;return(e=this.delegate)===null||e===void 0||(i=e.compositionWillLoadSnapshot)===null||i===void 0||i.call(e),this.setDocument(s??new k),this.setSelection(a??[0,0]),(r=this.delegate)===null||r===void 0||(o=r.compositionDidLoadSnapshot)===null||o===void 0?void 0:o.call(r)}insertText(t){let{updatePosition:e}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{updatePosition:!0},i=this.getSelectedRange();this.setDocument(this.document.insertTextAtRange(t,i));let r=i[0],o=r+t.getLength();return e&&this.setSelection(o),this.notifyDelegateOfInsertionAtRange([r,o])}insertBlock(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:new S,e=new k([t]);return this.insertDocument(e)}insertDocument(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:new k,e=this.getSelectedRange();this.setDocument(this.document.insertDocumentAtRange(t,e));let i=e[0],r=i+t.getLength();return this.setSelection(r),this.notifyDelegateOfInsertionAtRange([i,r])}insertString(t,e){let i=this.getCurrentTextAttributes(),r=R.textForStringWithAttributes(t,i);return this.insertText(r,e)}insertBlockBreak(){let t=this.getSelectedRange();this.setDocument(this.document.insertBlockBreakAtRange(t));let e=t[0],i=e+1;return this.setSelection(i),this.notifyDelegateOfInsertionAtRange([e,i])}insertLineBreak(){let t=new qt(this);if(t.shouldDecreaseListLevel())return this.decreaseListLevel(),this.setSelection(t.startPosition);if(t.shouldPrependListItem()){let e=new k([t.block.copyWithoutText()]);return this.insertDocument(e)}return t.shouldInsertBlockBreak()?this.insertBlockBreak():t.shouldRemoveLastBlockAttribute()?this.removeLastBlockAttribute():t.shouldBreakFormattedBlock()?this.breakFormattedBlock(t):this.insertString(` +`)}insertHTML(t){let e=et.parse(t).getDocument(),i=this.getSelectedRange();this.setDocument(this.document.mergeDocumentAtRange(e,i));let r=i[0],o=r+e.getLength()-1;return this.setSelection(o),this.notifyDelegateOfInsertionAtRange([r,o])}replaceHTML(t){let e=et.parse(t).getDocument().copyUsingObjectsFromDocument(this.document),i=this.getLocationRange({strict:!1}),r=this.document.rangeFromLocationRange(i);return this.setDocument(e),this.setSelection(r)}insertFile(t){return this.insertFiles([t])}insertFiles(t){let e=[];return Array.from(t).forEach(i=>{var r;if((r=this.delegate)!==null&&r!==void 0&&r.compositionShouldAcceptFile(i)){let o=H.attachmentForFile(i);e.push(o)}}),this.insertAttachments(e)}insertAttachment(t){return this.insertAttachments([t])}insertAttachments(t){let e=new R;return Array.from(t).forEach(i=>{var r;let o=i.getType(),s=(r=je[o])===null||r===void 0?void 0:r.presentation,a=this.getCurrentTextAttributes();s&&(a.presentation=s);let l=R.textForAttachmentWithAttributes(i,a);e=e.appendText(l)}),this.insertText(e)}shouldManageDeletingInDirection(t){let e=this.getLocationRange();if(N(e)){if(t==="backward"&&e[0].offset===0||this.shouldManageMovingCursorInDirection(t))return!0}else if(e[0].index!==e[1].index)return!0;return!1}deleteInDirection(t){let e,i,r,{length:o}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},s=this.getLocationRange(),a=this.getSelectedRange(),l=N(a);if(l?i=t==="backward"&&s[0].offset===0:r=s[0].index!==s[1].index,i&&this.canDecreaseBlockAttributeLevel()){let c=this.getBlock();if(c.isListItem()?this.decreaseListLevel():this.decreaseBlockAttributeLevel(),this.setSelection(a[0]),c.isEmpty())return!1}return l&&(a=this.getExpandedRangeInDirection(t,{length:o}),t==="backward"&&(e=this.getAttachmentAtRange(a))),e?(this.editAttachment(e),!1):(this.setDocument(this.document.removeTextAtRange(a)),this.setSelection(a[0]),!i&&!r&&void 0)}moveTextFromRange(t){let[e]=Array.from(this.getSelectedRange());return this.setDocument(this.document.moveTextFromRangeToPosition(t,e)),this.setSelection(e)}removeAttachment(t){let e=this.document.getRangeOfAttachment(t);if(e)return this.stopEditingAttachment(),this.setDocument(this.document.removeTextAtRange(e)),this.setSelection(e[0])}removeLastBlockAttribute(){let[t,e]=Array.from(this.getSelectedRange()),i=this.document.getBlockAtPosition(e);return this.removeCurrentAttribute(i.getLastAttribute()),this.setSelection(t)}insertPlaceholder(){return this.placeholderPosition=this.getPosition(),this.insertString(" ")}selectPlaceholder(){if(this.placeholderPosition!=null)return this.setSelectedRange([this.placeholderPosition,this.placeholderPosition+1]),this.getSelectedRange()}forgetPlaceholder(){this.placeholderPosition=null}hasCurrentAttribute(t){let e=this.currentAttributes[t];return e!=null&&e!==!1}toggleCurrentAttribute(t){let e=!this.currentAttributes[t];return e?this.setCurrentAttribute(t,e):this.removeCurrentAttribute(t)}canSetCurrentAttribute(t){return v(t)?this.canSetCurrentBlockAttribute(t):this.canSetCurrentTextAttribute(t)}canSetCurrentTextAttribute(t){let e=this.getSelectedDocument();if(e){for(let i of Array.from(e.getAttachments()))if(!i.hasContent())return!1;return!0}}canSetCurrentBlockAttribute(t){let e=this.getBlock();if(e)return!e.isTerminalBlock()}setCurrentAttribute(t,e){return v(t)?this.setBlockAttribute(t,e):(this.setTextAttribute(t,e),this.currentAttributes[t]=e,this.notifyDelegateOfCurrentAttributesChange())}setHTMLAtributeAtPosition(t,e,i){var r;let o=this.document.getBlockAtPosition(t),s=(r=v(o.getLastAttribute()))===null||r===void 0?void 0:r.htmlAttributes;if(o&&s!=null&&s.includes(e)){let a=this.document.setHTMLAttributeAtPosition(t,e,i);this.setDocument(a)}}setTextAttribute(t,e){let i=this.getSelectedRange();if(!i)return;let[r,o]=Array.from(i);if(r!==o)return this.setDocument(this.document.addAttributeAtRange(t,e,i));if(t==="href"){let s=R.textForStringWithAttributes(e,{href:e});return this.insertText(s)}}setBlockAttribute(t,e){let i=this.getSelectedRange();if(this.canSetCurrentAttribute(t))return this.setDocument(this.document.applyBlockAttributeAtRange(t,e,i)),this.setSelection(i)}removeCurrentAttribute(t){return v(t)?(this.removeBlockAttribute(t),this.updateCurrentAttributes()):(this.removeTextAttribute(t),delete this.currentAttributes[t],this.notifyDelegateOfCurrentAttributesChange())}removeTextAttribute(t){let e=this.getSelectedRange();if(e)return this.setDocument(this.document.removeAttributeAtRange(t,e))}removeBlockAttribute(t){let e=this.getSelectedRange();if(e)return this.setDocument(this.document.removeAttributeAtRange(t,e))}canDecreaseNestingLevel(){var t;return((t=this.getBlock())===null||t===void 0?void 0:t.getNestingLevel())>0}canIncreaseNestingLevel(){var t;let e=this.getBlock();if(e){if((t=v(e.getLastNestableAttribute()))===null||t===void 0||!t.listAttribute)return e.getNestingLevel()>0;{let i=this.getPreviousBlock();if(i)return function(){let r=arguments.length>1&&arguments[1]!==void 0?arguments[1]:[];return Q((arguments.length>0&&arguments[0]!==void 0?arguments[0]:[]).slice(0,r.length),r)}(i.getListItemAttributes(),e.getListItemAttributes())}}}decreaseNestingLevel(){let t=this.getBlock();if(t)return this.setDocument(this.document.replaceBlock(t,t.decreaseNestingLevel()))}increaseNestingLevel(){let t=this.getBlock();if(t)return this.setDocument(this.document.replaceBlock(t,t.increaseNestingLevel()))}canDecreaseBlockAttributeLevel(){var t;return((t=this.getBlock())===null||t===void 0?void 0:t.getAttributeLevel())>0}decreaseBlockAttributeLevel(){var t;let e=(t=this.getBlock())===null||t===void 0?void 0:t.getLastAttribute();if(e)return this.removeCurrentAttribute(e)}decreaseListLevel(){let[t]=Array.from(this.getSelectedRange()),{index:e}=this.document.locationFromPosition(t),i=e,r=this.getBlock().getAttributeLevel(),o=this.document.getBlockAtIndex(i+1);for(;o&&o.isListItem()&&!(o.getAttributeLevel()<=r);)i++,o=this.document.getBlockAtIndex(i+1);t=this.document.positionFromLocation({index:e,offset:0});let s=this.document.positionFromLocation({index:i,offset:0});return this.setDocument(this.document.removeLastListAttributeAtRange([t,s]))}updateCurrentAttributes(){let t=this.getSelectedRange({ignoreLock:!0});if(t){let e=this.document.getCommonAttributesAtRange(t);if(Array.from(Le()).forEach(i=>{e[i]||this.canSetCurrentAttribute(i)||(e[i]=!1)}),!dt(e,this.currentAttributes))return this.currentAttributes=e,this.notifyDelegateOfCurrentAttributesChange()}}getCurrentAttributes(){return Ai.call({},this.currentAttributes)}getCurrentTextAttributes(){let t={};for(let e in this.currentAttributes){let i=this.currentAttributes[e];i!==!1&&De(e)&&(t[e]=i)}return t}freezeSelection(){return this.setCurrentAttribute("frozen",!0)}thawSelection(){return this.removeCurrentAttribute("frozen")}hasFrozenSelection(){return this.hasCurrentAttribute("frozen")}setSelection(t){var e;let i=this.document.locationRangeFromRange(t);return(e=this.delegate)===null||e===void 0?void 0:e.compositionDidRequestChangingSelectionToLocationRange(i)}getSelectedRange(){let t=this.getLocationRange();if(t)return this.document.rangeFromLocationRange(t)}setSelectedRange(t){let e=this.document.locationRangeFromRange(t);return this.getSelectionManager().setLocationRange(e)}getPosition(){let t=this.getLocationRange();if(t)return this.document.positionFromLocation(t[0])}getLocationRange(t){return this.targetLocationRange?this.targetLocationRange:this.getSelectionManager().getLocationRange(t)||g({index:0,offset:0})}withTargetLocationRange(t,e){let i;this.targetLocationRange=t;try{i=e()}finally{this.targetLocationRange=null}return i}withTargetRange(t,e){let i=this.document.locationRangeFromRange(t);return this.withTargetLocationRange(i,e)}withTargetDOMRange(t,e){let i=this.createLocationRangeFromDOMRange(t,{strict:!1});return this.withTargetLocationRange(i,e)}getExpandedRangeInDirection(t){let{length:e}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},[i,r]=Array.from(this.getSelectedRange());return t==="backward"?e?i-=e:i=this.translateUTF16PositionFromOffset(i,-1):e?r+=e:r=this.translateUTF16PositionFromOffset(r,1),g([i,r])}shouldManageMovingCursorInDirection(t){if(this.editingAttachment)return!0;let e=this.getExpandedRangeInDirection(t);return this.getAttachmentAtRange(e)!=null}moveCursorInDirection(t){let e,i;if(this.editingAttachment)i=this.document.getRangeOfAttachment(this.editingAttachment);else{let r=this.getSelectedRange();i=this.getExpandedRangeInDirection(t),e=!Pt(r,i)}if(t==="backward"?this.setSelectedRange(i[0]):this.setSelectedRange(i[1]),e){let r=this.getAttachmentAtRange(i);if(r)return this.editAttachment(r)}}expandSelectionInDirection(t){let{length:e}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},i=this.getExpandedRangeInDirection(t,{length:e});return this.setSelectedRange(i)}expandSelectionForEditing(){if(this.hasCurrentAttribute("href"))return this.expandSelectionAroundCommonAttribute("href")}expandSelectionAroundCommonAttribute(t){let e=this.getPosition(),i=this.document.getRangeOfCommonAttributeAtPosition(t,e);return this.setSelectedRange(i)}selectionContainsAttachments(){var t;return((t=this.getSelectedAttachments())===null||t===void 0?void 0:t.length)>0}selectionIsInCursorTarget(){return this.editingAttachment||this.positionIsCursorTarget(this.getPosition())}positionIsCursorTarget(t){let e=this.document.locationFromPosition(t);if(e)return this.locationIsCursorTarget(e)}positionIsBlockBreak(t){var e;return(e=this.document.getPieceAtPosition(t))===null||e===void 0?void 0:e.isBlockBreak()}getSelectedDocument(){let t=this.getSelectedRange();if(t)return this.document.getDocumentAtRange(t)}getSelectedAttachments(){var t;return(t=this.getSelectedDocument())===null||t===void 0?void 0:t.getAttachments()}getAttachments(){return this.attachments.slice(0)}refreshAttachments(){let t=this.document.getAttachments(),{added:e,removed:i}=function(){let r=arguments.length>0&&arguments[0]!==void 0?arguments[0]:[],o=arguments.length>1&&arguments[1]!==void 0?arguments[1]:[],s=[],a=[],l=new Set;r.forEach(u=>{l.add(u)});let c=new Set;return o.forEach(u=>{c.add(u),l.has(u)||s.push(u)}),r.forEach(u=>{c.has(u)||a.push(u)}),{added:s,removed:a}}(this.attachments,t);return this.attachments=t,Array.from(i).forEach(r=>{var o,s;r.delegate=null,(o=this.delegate)===null||o===void 0||(s=o.compositionDidRemoveAttachment)===null||s===void 0||s.call(o,r)}),(()=>{let r=[];return Array.from(e).forEach(o=>{var s,a;o.delegate=this,r.push((s=this.delegate)===null||s===void 0||(a=s.compositionDidAddAttachment)===null||a===void 0?void 0:a.call(s,o))}),r})()}attachmentDidChangeAttributes(t){var e,i;return this.revision++,(e=this.delegate)===null||e===void 0||(i=e.compositionDidEditAttachment)===null||i===void 0?void 0:i.call(e,t)}attachmentDidChangePreviewURL(t){var e,i;return this.revision++,(e=this.delegate)===null||e===void 0||(i=e.compositionDidChangeAttachmentPreviewURL)===null||i===void 0?void 0:i.call(e,t)}editAttachment(t,e){var i,r;if(t!==this.editingAttachment)return this.stopEditingAttachment(),this.editingAttachment=t,(i=this.delegate)===null||i===void 0||(r=i.compositionDidStartEditingAttachment)===null||r===void 0?void 0:r.call(i,this.editingAttachment,e)}stopEditingAttachment(){var t,e;this.editingAttachment&&((t=this.delegate)===null||t===void 0||(e=t.compositionDidStopEditingAttachment)===null||e===void 0||e.call(t,this.editingAttachment),this.editingAttachment=null)}updateAttributesForAttachment(t,e){return this.setDocument(this.document.updateAttributesForAttachment(t,e))}removeAttributeForAttachment(t,e){return this.setDocument(this.document.removeAttributeForAttachment(t,e))}breakFormattedBlock(t){let{document:e}=t,{block:i}=t,r=t.startPosition,o=[r-1,r];i.getBlockBreakPosition()===t.startLocation.offset?(i.breaksOnReturn()&&t.nextCharacter===` +`?r+=1:e=e.removeTextAtRange(o),o=[r,r]):t.nextCharacter===` +`?t.previousCharacter===` +`?o=[r-1,r+1]:(o=[r,r+1],r+=1):t.startLocation.offset-1!=0&&(r+=1);let s=new k([i.removeLastAttribute().copyWithoutText()]);return this.setDocument(e.insertDocumentAtRange(s,o)),this.setSelection(r)}getPreviousBlock(){let t=this.getLocationRange();if(t){let{index:e}=t[0];if(e>0)return this.document.getBlockAtIndex(e-1)}}getBlock(){let t=this.getLocationRange();if(t)return this.document.getBlockAtIndex(t[0].index)}getAttachmentAtRange(t){let e=this.document.getDocumentAtRange(t);if(e.toString()==="".concat("\uFFFC",` +`))return e.getAttachments()[0]}notifyDelegateOfCurrentAttributesChange(){var t,e;return(t=this.delegate)===null||t===void 0||(e=t.compositionDidChangeCurrentAttributes)===null||e===void 0?void 0:e.call(t,this.currentAttributes)}notifyDelegateOfInsertionAtRange(t){var e,i;return(e=this.delegate)===null||e===void 0||(i=e.compositionDidPerformInsertionAtRange)===null||i===void 0?void 0:i.call(e,t)}translateUTF16PositionFromOffset(t,e){let i=this.document.toUTF16String(),r=i.offsetFromUCS2Offset(t);return i.offsetToUCS2Offset(r+e)}};F.proxyMethod("getSelectionManager().getPointRange"),F.proxyMethod("getSelectionManager().setLocationRangeFromPointRange"),F.proxyMethod("getSelectionManager().createLocationRangeFromDOMRange"),F.proxyMethod("getSelectionManager().locationIsCursorTarget"),F.proxyMethod("getSelectionManager().selectionIsExpanded"),F.proxyMethod("delegate?.getSelectionManager");var Et=class extends f{constructor(t){super(...arguments),this.composition=t,this.undoEntries=[],this.redoEntries=[]}recordUndoEntry(t){let{context:e,consolidatable:i}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{},r=this.undoEntries.slice(-1)[0];if(!i||!Tn(r,t,e)){let o=this.createEntry({description:t,context:e});this.undoEntries.push(o),this.redoEntries=[]}}undo(){let t=this.undoEntries.pop();if(t){let e=this.createEntry(t);return this.redoEntries.push(e),this.composition.loadSnapshot(t.snapshot)}}redo(){let t=this.redoEntries.pop();if(t){let e=this.createEntry(t);return this.undoEntries.push(e),this.composition.loadSnapshot(t.snapshot)}}canUndo(){return this.undoEntries.length>0}canRedo(){return this.redoEntries.length>0}createEntry(){let{description:t,context:e}=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};return{description:t?.toString(),context:JSON.stringify(e),snapshot:this.composition.getSnapshot()}}},Tn=(n,t,e)=>n?.description===t?.toString()&&n?.context===JSON.stringify(e),be="attachmentGallery",Vt=class{constructor(t){this.document=t.document,this.selectedRange=t.selectedRange}perform(){return this.removeBlockAttribute(),this.applyBlockAttribute()}getSnapshot(){return{document:this.document,selectedRange:this.selectedRange}}removeBlockAttribute(){return this.findRangesOfBlocks().map(t=>this.document=this.document.removeAttributeAtRange(be,t))}applyBlockAttribute(){let t=0;this.findRangesOfPieces().forEach(e=>{e[1]-e[0]>1&&(e[0]+=t,e[1]+=t,this.document.getCharacterAtPosition(e[1])!==` +`&&(this.document=this.document.insertBlockBreakAtRange(e[1]),e[1]0&&arguments[0]!==void 0?arguments[0]:"",e=et.parse(t,{referenceElement:this.element}).getDocument();return this.loadDocument(e)}loadJSON(t){let{document:e,selectedRange:i}=t;return e=k.fromJSON(e),this.loadSnapshot({document:e,selectedRange:i})}loadSnapshot(t){return this.undoManager=new Et(this.composition),this.composition.loadSnapshot(t)}getDocument(){return this.composition.document}getSelectedDocument(){return this.composition.getSelectedDocument()}getSnapshot(){return this.composition.getSnapshot()}toJSON(){return this.getSnapshot()}deleteInDirection(t){return this.composition.deleteInDirection(t)}insertAttachment(t){return this.composition.insertAttachment(t)}insertAttachments(t){return this.composition.insertAttachments(t)}insertDocument(t){return this.composition.insertDocument(t)}insertFile(t){return this.composition.insertFile(t)}insertFiles(t){return this.composition.insertFiles(t)}insertHTML(t){return this.composition.insertHTML(t)}insertString(t){return this.composition.insertString(t)}insertText(t){return this.composition.insertText(t)}insertLineBreak(){return this.composition.insertLineBreak()}getSelectedRange(){return this.composition.getSelectedRange()}getPosition(){return this.composition.getPosition()}getClientRectAtPosition(t){let e=this.getDocument().locationRangeFromRange([t,t+1]);return this.selectionManager.getClientRectAtLocationRange(e)}expandSelectionInDirection(t){return this.composition.expandSelectionInDirection(t)}moveCursorInDirection(t){return this.composition.moveCursorInDirection(t)}setSelectedRange(t){return this.composition.setSelectedRange(t)}activateAttribute(t){let e=!(arguments.length>1&&arguments[1]!==void 0)||arguments[1];return this.composition.setCurrentAttribute(t,e)}attributeIsActive(t){return this.composition.hasCurrentAttribute(t)}canActivateAttribute(t){return this.composition.canSetCurrentAttribute(t)}deactivateAttribute(t){return this.composition.removeCurrentAttribute(t)}setHTMLAtributeAtPosition(t,e,i){this.composition.setHTMLAtributeAtPosition(t,e,i)}canDecreaseNestingLevel(){return this.composition.canDecreaseNestingLevel()}canIncreaseNestingLevel(){return this.composition.canIncreaseNestingLevel()}decreaseNestingLevel(){if(this.canDecreaseNestingLevel())return this.composition.decreaseNestingLevel()}increaseNestingLevel(){if(this.canIncreaseNestingLevel())return this.composition.increaseNestingLevel()}canRedo(){return this.undoManager.canRedo()}canUndo(){return this.undoManager.canUndo()}recordUndoEntry(t){let{context:e,consolidatable:i}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};return this.undoManager.recordUndoEntry(t,{context:e,consolidatable:i})}redo(){if(this.canRedo())return this.undoManager.redo()}undo(){if(this.canUndo())return this.undoManager.undo()}},zt=class{constructor(t){this.element=t}findLocationFromContainerAndOffset(t,e){let{strict:i}=arguments.length>2&&arguments[2]!==void 0?arguments[2]:{strict:!0},r=0,o=!1,s={index:0,offset:0},a=this.findAttachmentElementParentForNode(t);a&&(t=a.parentNode,e=ae(a));let l=Ft(this.element,{usingFilter:Fi});for(;l.nextNode();){let c=l.currentNode;if(c===t&&xt(t)){st(c)||(s.offset+=e);break}if(c.parentNode===t){if(r++===e)break}else if(!J(t,c)&&r>0)break;$e(c,{strict:i})?(o&&s.index++,s.offset=0,o=!0):s.offset+=ve(c)}return s}findContainerAndOffsetFromLocation(t){let e,i;if(t.index===0&&t.offset===0){for(e=this.element,i=0;e.firstChild;)if(e=e.firstChild,le(e)){i=1;break}return[e,i]}let[r,o]=this.findNodeAndOffsetFromLocation(t);if(r){if(xt(r))ve(r)===0?(e=r.parentNode.parentNode,i=ae(r.parentNode),st(r,{name:"right"})&&i++):(e=r,i=t.offset-o);else{if(e=r.parentNode,!$e(r.previousSibling)&&!le(e))for(;r===e.lastChild&&(r=e,e=e.parentNode,!le(e)););i=ae(r),t.offset!==0&&i++}return[e,i]}}findNodeAndOffsetFromLocation(t){let e,i,r=0;for(let o of this.getSignificantNodesForIndex(t.index)){let s=ve(o);if(t.offset<=r+s)if(xt(o)){if(e=o,i=r,t.offset===i&&st(e))break}else e||(e=o,i=r);if(r+=s,r>t.offset)break}return[e,i]}findAttachmentElementParentForNode(t){for(;t&&t!==this.element;){if($(t))return t;t=t.parentNode}}getSignificantNodesForIndex(t){let e=[],i=Ft(this.element,{usingFilter:Fn}),r=!1;for(;i.nextNode();){let s=i.currentNode;var o;if(ot(s)){if(o!=null?o++:o=0,o===t)r=!0;else if(r)break}else r&&e.push(s)}return e}},ve=function(n){return n.nodeType===Node.TEXT_NODE?st(n)?0:n.textContent.length:x(n)==="br"||$(n)?1:0},Fn=function(n){return Pn(n)===NodeFilter.FILTER_ACCEPT?Fi(n):NodeFilter.FILTER_REJECT},Pn=function(n){return yi(n)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},Fi=function(n){return $(n.parentNode)?NodeFilter.FILTER_REJECT:NodeFilter.FILTER_ACCEPT},_t=class{createDOMRangeFromPoint(t){let e,{x:i,y:r}=t;if(document.caretPositionFromPoint){let{offsetNode:o,offset:s}=document.caretPositionFromPoint(i,r);return e=document.createRange(),e.setStart(o,s),e}if(document.caretRangeFromPoint)return document.caretRangeFromPoint(i,r);if(document.body.createTextRange){let o=yt();try{let s=document.body.createTextRange();s.moveToPoint(i,r),s.select()}catch{}return e=yt(),Di(o),e}}getClientRectsForDOMRange(t){let e=Array.from(t.getClientRects());return[e[0],e[e.length-1]]}},I=class extends f{constructor(t){super(...arguments),this.didMouseDown=this.didMouseDown.bind(this),this.selectionDidChange=this.selectionDidChange.bind(this),this.element=t,this.locationMapper=new zt(this.element),this.pointMapper=new _t,this.lockCount=0,p("mousedown",{onElement:this.element,withCallback:this.didMouseDown})}getLocationRange(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};return t.strict===!1?this.createLocationRangeFromDOMRange(yt()):t.ignoreLock?this.currentLocationRange:this.lockedLocationRange?this.lockedLocationRange:this.currentLocationRange}setLocationRange(t){if(this.lockedLocationRange)return;t=g(t);let e=this.createDOMRangeFromLocationRange(t);e&&(Di(e),this.updateCurrentLocationRange(t))}setLocationRangeFromPointRange(t){t=g(t);let e=this.getLocationAtPoint(t[0]),i=this.getLocationAtPoint(t[1]);this.setLocationRange([e,i])}getClientRectAtLocationRange(t){let e=this.createDOMRangeFromLocationRange(t);if(e)return this.getClientRectsForDOMRange(e)[1]}locationIsCursorTarget(t){let e=Array.from(this.findNodeAndOffsetFromLocation(t))[0];return st(e)}lock(){this.lockCount++==0&&(this.updateCurrentLocationRange(),this.lockedLocationRange=this.getLocationRange())}unlock(){if(--this.lockCount==0){let{lockedLocationRange:t}=this;if(this.lockedLocationRange=null,t!=null)return this.setLocationRange(t)}}clearSelection(){var t;return(t=Li())===null||t===void 0?void 0:t.removeAllRanges()}selectionIsCollapsed(){var t;return((t=yt())===null||t===void 0?void 0:t.collapsed)===!0}selectionIsExpanded(){return!this.selectionIsCollapsed()}createLocationRangeFromDOMRange(t,e){if(t==null||!this.domRangeWithinElement(t))return;let i=this.findLocationFromContainerAndOffset(t.startContainer,t.startOffset,e);if(!i)return;let r=t.collapsed?void 0:this.findLocationFromContainerAndOffset(t.endContainer,t.endOffset,e);return g([i,r])}didMouseDown(){return this.pauseTemporarily()}pauseTemporarily(){let t;this.paused=!0;let e=()=>{if(this.paused=!1,clearTimeout(i),Array.from(t).forEach(r=>{r.destroy()}),J(document,this.element))return this.selectionDidChange()},i=setTimeout(e,200);t=["mousemove","keydown"].map(r=>p(r,{onElement:document,withCallback:e}))}selectionDidChange(){if(!this.paused&&!Ue(this.element))return this.updateCurrentLocationRange()}updateCurrentLocationRange(t){var e,i;if((t??(t=this.createLocationRangeFromDOMRange(yt())))&&!Pt(t,this.currentLocationRange))return this.currentLocationRange=t,(e=this.delegate)===null||e===void 0||(i=e.locationRangeDidChange)===null||i===void 0?void 0:i.call(e,this.currentLocationRange.slice(0))}createDOMRangeFromLocationRange(t){let e=this.findContainerAndOffsetFromLocation(t[0]),i=N(t)?e:this.findContainerAndOffsetFromLocation(t[1])||e;if(e!=null&&i!=null){let r=document.createRange();return r.setStart(...Array.from(e||[])),r.setEnd(...Array.from(i||[])),r}}getLocationAtPoint(t){let e=this.createDOMRangeFromPoint(t);var i;if(e)return(i=this.createLocationRangeFromDOMRange(e))===null||i===void 0?void 0:i[0]}domRangeWithinElement(t){return t.collapsed?J(this.element,t.startContainer):J(this.element,t.startContainer)&&J(this.element,t.endContainer)}};I.proxyMethod("locationMapper.findLocationFromContainerAndOffset"),I.proxyMethod("locationMapper.findContainerAndOffsetFromLocation"),I.proxyMethod("locationMapper.findNodeAndOffsetFromLocation"),I.proxyMethod("pointMapper.createDOMRangeFromPoint"),I.proxyMethod("pointMapper.getClientRectsForDOMRange");var Pi=Object.freeze({__proto__:null,Attachment:H,AttachmentManager:Ut,AttachmentPiece:z,Block:S,Composition:F,Document:k,Editor:Ht,HTMLParser:et,HTMLSanitizer:lt,LineBreakInsertion:qt,LocationMapper:zt,ManagedAttachment:m,Piece:j,PointMapper:_t,SelectionManager:I,SplittableList:ut,StringPiece:Rt,Text:R,UndoManager:Et}),In=Object.freeze({__proto__:null,ObjectView:M,AttachmentView:kt,BlockView:jt,DocumentView:ct,PieceView:Ot,PreviewableAttachmentView:Nt,TextView:Mt}),{lang:Ae,css:_,keyNames:Nn}=Lt,xe=function(n){return function(){let t=n.apply(this,arguments);t.do(),this.undos||(this.undos=[]),this.undos.push(t.undo)}},Jt=class extends f{constructor(t,e,i){let r=arguments.length>3&&arguments[3]!==void 0?arguments[3]:{};super(...arguments),E(this,"makeElementMutable",xe(()=>({do:()=>{this.element.dataset.trixMutable=!0},undo:()=>delete this.element.dataset.trixMutable}))),E(this,"addToolbar",xe(()=>{let o=d({tagName:"div",className:_.attachmentToolbar,data:{trixMutable:!0},childNodes:d({tagName:"div",className:"trix-button-row",childNodes:d({tagName:"span",className:"trix-button-group trix-button-group--actions",childNodes:d({tagName:"button",className:"trix-button trix-button--remove",textContent:Ae.remove,attributes:{title:Ae.remove},data:{trixAction:"remove"}})})})});return this.attachment.isPreviewable()&&o.appendChild(d({tagName:"div",className:_.attachmentMetadataContainer,childNodes:d({tagName:"span",className:_.attachmentMetadata,childNodes:[d({tagName:"span",className:_.attachmentName,textContent:this.attachment.getFilename(),attributes:{title:this.attachment.getFilename()}}),d({tagName:"span",className:_.attachmentSize,textContent:this.attachment.getFormattedFilesize()})]})})),p("click",{onElement:o,withCallback:this.didClickToolbar}),p("click",{onElement:o,matchingSelector:"[data-trix-action]",withCallback:this.didClickActionButton}),vt("trix-attachment-before-toolbar",{onElement:this.element,attributes:{toolbar:o,attachment:this.attachment}}),{do:()=>this.element.appendChild(o),undo:()=>V(o)}})),E(this,"installCaptionEditor",xe(()=>{let o=d({tagName:"textarea",className:_.attachmentCaptionEditor,attributes:{placeholder:Ae.captionPlaceholder},data:{trixMutable:!0}});o.value=this.attachmentPiece.getCaption();let s=o.cloneNode();s.classList.add("trix-autoresize-clone"),s.tabIndex=-1;let a=function(){s.value=o.value,o.style.height=s.scrollHeight+"px"};p("input",{onElement:o,withCallback:a}),p("input",{onElement:o,withCallback:this.didInputCaption}),p("keydown",{onElement:o,withCallback:this.didKeyDownCaption}),p("change",{onElement:o,withCallback:this.didChangeCaption}),p("blur",{onElement:o,withCallback:this.didBlurCaption});let l=this.element.querySelector("figcaption"),c=l.cloneNode();return{do:()=>{if(l.style.display="none",c.appendChild(o),c.appendChild(s),c.classList.add("".concat(_.attachmentCaption,"--editing")),l.parentElement.insertBefore(c,l),a(),this.options.editCaption)return He(()=>o.focus())},undo(){V(c),l.style.display=null}}})),this.didClickToolbar=this.didClickToolbar.bind(this),this.didClickActionButton=this.didClickActionButton.bind(this),this.didKeyDownCaption=this.didKeyDownCaption.bind(this),this.didInputCaption=this.didInputCaption.bind(this),this.didChangeCaption=this.didChangeCaption.bind(this),this.didBlurCaption=this.didBlurCaption.bind(this),this.attachmentPiece=t,this.element=e,this.container=i,this.options=r,this.attachment=this.attachmentPiece.attachment,x(this.element)==="a"&&(this.element=this.element.firstChild),this.install()}install(){this.makeElementMutable(),this.addToolbar(),this.attachment.isPreviewable()&&this.installCaptionEditor()}uninstall(){var t;let e=this.undos.pop();for(this.savePendingCaption();e;)e(),e=this.undos.pop();(t=this.delegate)===null||t===void 0||t.didUninstallAttachmentEditor(this)}savePendingCaption(){if(this.pendingCaption!=null){let o=this.pendingCaption;var t,e,i,r;this.pendingCaption=null,o?(t=this.delegate)===null||t===void 0||(e=t.attachmentEditorDidRequestUpdatingAttributesForAttachment)===null||e===void 0||e.call(t,{caption:o},this.attachment):(i=this.delegate)===null||i===void 0||(r=i.attachmentEditorDidRequestRemovingAttributeForAttachment)===null||r===void 0||r.call(i,"caption",this.attachment)}}didClickToolbar(t){return t.preventDefault(),t.stopPropagation()}didClickActionButton(t){var e;if(t.target.getAttribute("data-trix-action")==="remove")return(e=this.delegate)===null||e===void 0?void 0:e.attachmentEditorDidRequestRemovalOfAttachment(this.attachment)}didKeyDownCaption(t){var e,i;if(Nn[t.keyCode]==="return")return t.preventDefault(),this.savePendingCaption(),(e=this.delegate)===null||e===void 0||(i=e.attachmentEditorDidRequestDeselectingAttachment)===null||i===void 0?void 0:i.call(e,this.attachment)}didInputCaption(t){this.pendingCaption=t.target.value.replace(/\s/g," ").trim()}didChangeCaption(t){return this.savePendingCaption()}didBlurCaption(t){return this.savePendingCaption()}},Kt=class extends f{constructor(t,e){super(...arguments),this.didFocus=this.didFocus.bind(this),this.didBlur=this.didBlur.bind(this),this.didClickAttachment=this.didClickAttachment.bind(this),this.element=t,this.composition=e,this.documentView=new ct(this.composition.document,{element:this.element}),p("focus",{onElement:this.element,withCallback:this.didFocus}),p("blur",{onElement:this.element,withCallback:this.didBlur}),p("click",{onElement:this.element,matchingSelector:"a[contenteditable=false]",preventDefault:!0}),p("mousedown",{onElement:this.element,matchingSelector:K,withCallback:this.didClickAttachment}),p("click",{onElement:this.element,matchingSelector:"a".concat(K),preventDefault:!0})}didFocus(t){var e;let i=()=>{var r,o;if(!this.focused)return this.focused=!0,(r=this.delegate)===null||r===void 0||(o=r.compositionControllerDidFocus)===null||o===void 0?void 0:o.call(r)};return((e=this.blurPromise)===null||e===void 0?void 0:e.then(i))||i()}didBlur(t){this.blurPromise=new Promise(e=>He(()=>{var i,r;return Ue(this.element)||(this.focused=null,(i=this.delegate)===null||i===void 0||(r=i.compositionControllerDidBlur)===null||r===void 0||r.call(i)),this.blurPromise=null,e()}))}didClickAttachment(t,e){var i,r;let o=this.findAttachmentForElement(e),s=!!q(t.target,{matchingSelector:"figcaption"});return(i=this.delegate)===null||i===void 0||(r=i.compositionControllerDidSelectAttachment)===null||r===void 0?void 0:r.call(i,o,{editCaption:s})}getSerializableElement(){return this.isEditingAttachment()?this.documentView.shadowElement:this.element}render(){var t,e,i,r,o,s;return this.revision!==this.composition.revision&&(this.documentView.setDocument(this.composition.document),this.documentView.render(),this.revision=this.composition.revision),this.canSyncDocumentView()&&!this.documentView.isSynced()&&((i=this.delegate)===null||i===void 0||(r=i.compositionControllerWillSyncDocumentView)===null||r===void 0||r.call(i),this.documentView.sync(),(o=this.delegate)===null||o===void 0||(s=o.compositionControllerDidSyncDocumentView)===null||s===void 0||s.call(o)),(t=this.delegate)===null||t===void 0||(e=t.compositionControllerDidRender)===null||e===void 0?void 0:e.call(t)}rerenderViewForObject(t){return this.invalidateViewForObject(t),this.render()}invalidateViewForObject(t){return this.documentView.invalidateViewForObject(t)}isViewCachingEnabled(){return this.documentView.isViewCachingEnabled()}enableViewCaching(){return this.documentView.enableViewCaching()}disableViewCaching(){return this.documentView.disableViewCaching()}refreshViewCache(){return this.documentView.garbageCollectCachedViews()}isEditingAttachment(){return!!this.attachmentEditor}installAttachmentEditorForAttachment(t,e){var i;if(((i=this.attachmentEditor)===null||i===void 0?void 0:i.attachment)===t)return;let r=this.documentView.findElementForObject(t);if(!r)return;this.uninstallAttachmentEditor();let o=this.composition.document.getAttachmentPieceForAttachment(t);this.attachmentEditor=new Jt(o,r,this.element,e),this.attachmentEditor.delegate=this}uninstallAttachmentEditor(){var t;return(t=this.attachmentEditor)===null||t===void 0?void 0:t.uninstall()}didUninstallAttachmentEditor(){return this.attachmentEditor=null,this.render()}attachmentEditorDidRequestUpdatingAttributesForAttachment(t,e){var i,r;return(i=this.delegate)===null||i===void 0||(r=i.compositionControllerWillUpdateAttachment)===null||r===void 0||r.call(i,e),this.composition.updateAttributesForAttachment(t,e)}attachmentEditorDidRequestRemovingAttributeForAttachment(t,e){var i,r;return(i=this.delegate)===null||i===void 0||(r=i.compositionControllerWillUpdateAttachment)===null||r===void 0||r.call(i,e),this.composition.removeAttributeForAttachment(t,e)}attachmentEditorDidRequestRemovalOfAttachment(t){var e,i;return(e=this.delegate)===null||e===void 0||(i=e.compositionControllerDidRequestRemovalOfAttachment)===null||i===void 0?void 0:i.call(e,t)}attachmentEditorDidRequestDeselectingAttachment(t){var e,i;return(e=this.delegate)===null||e===void 0||(i=e.compositionControllerDidRequestDeselectingAttachment)===null||i===void 0?void 0:i.call(e,t)}canSyncDocumentView(){return!this.isEditingAttachment()}findAttachmentForElement(t){return this.composition.document.getAttachmentById(parseInt(t.dataset.trixId,10))}},$t=class extends f{},Ii="data-trix-mutable",On="[".concat(Ii,"]"),Mn={attributes:!0,childList:!0,characterData:!0,characterDataOldValue:!0,subtree:!0},Gt=class extends f{constructor(t){super(t),this.didMutate=this.didMutate.bind(this),this.element=t,this.observer=new window.MutationObserver(this.didMutate),this.start()}start(){return this.reset(),this.observer.observe(this.element,Mn)}stop(){return this.observer.disconnect()}didMutate(t){var e,i;if(this.mutations.push(...Array.from(this.findSignificantMutations(t)||[])),this.mutations.length)return(e=this.delegate)===null||e===void 0||(i=e.elementDidMutate)===null||i===void 0||i.call(e,this.getMutationSummary()),this.reset()}reset(){this.mutations=[]}findSignificantMutations(t){return t.filter(e=>this.mutationIsSignificant(e))}mutationIsSignificant(t){if(this.nodeIsMutable(t.target))return!1;for(let e of Array.from(this.nodesModifiedByMutation(t)))if(this.nodeIsSignificant(e))return!0;return!1}nodeIsSignificant(t){return t!==this.element&&!this.nodeIsMutable(t)&&!yi(t)}nodeIsMutable(t){return q(t,{matchingSelector:On})}nodesModifiedByMutation(t){let e=[];switch(t.type){case"attributes":t.attributeName!==Ii&&e.push(t.target);break;case"characterData":e.push(t.target.parentNode),e.push(t.target);break;case"childList":e.push(...Array.from(t.addedNodes||[])),e.push(...Array.from(t.removedNodes||[]))}return e}getMutationSummary(){return this.getTextMutationSummary()}getTextMutationSummary(){let{additions:t,deletions:e}=this.getTextChangesFromCharacterData(),i=this.getTextChangesFromChildList();Array.from(i.additions).forEach(a=>{Array.from(t).includes(a)||t.push(a)}),e.push(...Array.from(i.deletions||[]));let r={},o=t.join("");o&&(r.textAdded=o);let s=e.join("");return s&&(r.textDeleted=s),r}getMutationsByType(t){return Array.from(this.mutations).filter(e=>e.type===t)}getTextChangesFromChildList(){let t,e,i=[],r=[];return Array.from(this.getMutationsByType("childList")).forEach(o=>{i.push(...Array.from(o.addedNodes||[])),r.push(...Array.from(o.removedNodes||[]))}),i.length===0&&r.length===1&&ot(r[0])?(t=[],e=[` +`]):(t=Ie(i),e=Ie(r)),{additions:t.filter((o,s)=>o!==e[s]).map(bt),deletions:e.filter((o,s)=>o!==t[s]).map(bt)}}getTextChangesFromCharacterData(){let t,e,i=this.getMutationsByType("characterData");if(i.length){let r=i[0],o=i[i.length-1],s=function(a,l){let c,u;return a=Z.box(a),(l=Z.box(l)).length0&&arguments[0]!==void 0?arguments[0]:[],t=[];for(let e of Array.from(n))switch(e.nodeType){case Node.TEXT_NODE:t.push(e.data);break;case Node.ELEMENT_NODE:x(e)==="br"?t.push(` +`):t.push(...Array.from(Ie(e.childNodes)||[]))}return t},Xt=class extends at{constructor(t){super(...arguments),this.file=t}perform(t){let e=new FileReader;return e.onerror=()=>t(!1),e.onload=()=>{e.onerror=null;try{e.abort()}catch{}return t(!0,this.file)},e.readAsArrayBuffer(this.file)}},Ne=class{constructor(t){this.element=t}shouldIgnore(t){return!!St.samsungAndroid&&(this.previousEvent=this.event,this.event=t,this.checkSamsungKeyboardBuggyModeStart(),this.checkSamsungKeyboardBuggyModeEnd(),this.buggyMode)}checkSamsungKeyboardBuggyModeStart(){this.insertingLongTextAfterUnidentifiedChar()&&jn(this.element.innerText,this.event.data)&&(this.buggyMode=!0,this.event.preventDefault())}checkSamsungKeyboardBuggyModeEnd(){this.buggyMode&&this.event.inputType!=="insertText"&&(this.buggyMode=!1)}insertingLongTextAfterUnidentifiedChar(){var t;return this.isBeforeInputInsertText()&&this.previousEventWasUnidentifiedKeydown()&&((t=this.event.data)===null||t===void 0?void 0:t.length)>50}isBeforeInputInsertText(){return this.event.type==="beforeinput"&&this.event.inputType==="insertText"}previousEventWasUnidentifiedKeydown(){var t,e;return((t=this.previousEvent)===null||t===void 0?void 0:t.type)==="keydown"&&((e=this.previousEvent)===null||e===void 0?void 0:e.key)==="Unidentified"}},jn=(n,t)=>gi(n)===gi(t),Wn=new RegExp("(".concat("\uFFFC","|").concat(te,"|").concat(U,"|\\s)+"),"g"),gi=n=>n.replace(Wn," ").trim(),ht=class extends f{constructor(t){super(...arguments),this.element=t,this.mutationObserver=new Gt(this.element),this.mutationObserver.delegate=this,this.flakyKeyboardDetector=new Ne(this.element);for(let e in this.constructor.events)p(e,{onElement:this.element,withCallback:this.handlerFor(e)})}elementDidMutate(t){}editorWillSyncDocumentView(){return this.mutationObserver.stop()}editorDidSyncDocumentView(){return this.mutationObserver.start()}requestRender(){var t,e;return(t=this.delegate)===null||t===void 0||(e=t.inputControllerDidRequestRender)===null||e===void 0?void 0:e.call(t)}requestReparse(){var t,e;return(t=this.delegate)===null||t===void 0||(e=t.inputControllerDidRequestReparse)===null||e===void 0||e.call(t),this.requestRender()}attachFiles(t){let e=Array.from(t).map(i=>new Xt(i));return Promise.all(e).then(i=>{this.handleInput(function(){var r,o;return(r=this.delegate)===null||r===void 0||r.inputControllerWillAttachFiles(),(o=this.responder)===null||o===void 0||o.insertFiles(i),this.requestRender()})})}handlerFor(t){return e=>{e.defaultPrevented||this.handleInput(()=>{if(!Ue(this.element)){if(this.flakyKeyboardDetector.shouldIgnore(e))return;this.eventName=t,this.constructor.events[t].call(this,e)}})}}handleInput(t){try{var e;(e=this.delegate)===null||e===void 0||e.inputControllerWillHandleInput(),t.call(this)}finally{var i;(i=this.delegate)===null||i===void 0||i.inputControllerDidHandleInput()}}createLinkHTML(t,e){let i=document.createElement("a");return i.href=t,i.textContent=e||t,i.outerHTML}},ye;E(ht,"events",{});var{browser:Un,keyNames:Ni}=Lt,qn=0,w=class extends ht{constructor(){super(...arguments),this.resetInputSummary()}setInputSummary(){let t=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{};this.inputSummary.eventName=this.eventName;for(let e in t){let i=t[e];this.inputSummary[e]=i}return this.inputSummary}resetInputSummary(){this.inputSummary={}}reset(){return this.resetInputSummary(),tt.reset()}elementDidMutate(t){var e,i;return this.isComposing()?(e=this.delegate)===null||e===void 0||(i=e.inputControllerDidAllowUnhandledInput)===null||i===void 0?void 0:i.call(e):this.handleInput(function(){return this.mutationIsSignificant(t)&&(this.mutationIsExpected(t)?this.requestRender():this.requestReparse()),this.reset()})}mutationIsExpected(t){let{textAdded:e,textDeleted:i}=t;if(this.inputSummary.preferDocument)return!0;let r=e!=null?e===this.inputSummary.textAdded:!this.inputSummary.textAdded,o=i!=null?this.inputSummary.didDelete:!this.inputSummary.didDelete,s=[` +`,` +`].includes(e)&&!r,a=i===` +`&&!o;if(s&&!a||a&&!s){let c=this.getSelectedRange();if(c){var l;let u=s?e.replace(/\n$/,"").length||-1:e?.length||1;if((l=this.responder)!==null&&l!==void 0&&l.positionIsBlockBreak(c[1]+u))return!0}}return r&&o}mutationIsSignificant(t){var e;let i=Object.keys(t).length>0,r=((e=this.compositionInput)===null||e===void 0?void 0:e.getEndData())==="";return i||!r}getCompositionInput(){if(this.isComposing())return this.compositionInput;this.compositionInput=new B(this)}isComposing(){return this.compositionInput&&!this.compositionInput.isEnded()}deleteInDirection(t,e){var i;return((i=this.responder)===null||i===void 0?void 0:i.deleteInDirection(t))!==!1?this.setInputSummary({didDelete:!0}):e?(e.preventDefault(),this.requestRender()):void 0}serializeSelectionToDataTransfer(t){var e;if(!function(r){if(r==null||!r.setData)return!1;for(let o in Ye){let s=Ye[o];try{if(r.setData(o,s),!r.getData(o)===s)return!1}catch{return!1}}return!0}(t))return;let i=(e=this.responder)===null||e===void 0?void 0:e.getSelectedDocument().toSerializableDocument();return t.setData("application/x-trix-document",JSON.stringify(i)),t.setData("text/html",ct.render(i).innerHTML),t.setData("text/plain",i.toString().replace(/\n$/,"")),!0}canAcceptDataTransfer(t){let e={};return Array.from(t?.types||[]).forEach(i=>{e[i]=!0}),e.Files||e["application/x-trix-document"]||e["text/html"]||e["text/plain"]}getPastedHTMLUsingHiddenElement(t){let e=this.getSelectedRange(),i={position:"absolute",left:"".concat(window.pageXOffset,"px"),top:"".concat(window.pageYOffset,"px"),opacity:0},r=d({style:i,tagName:"div",editable:!0});return document.body.appendChild(r),r.focus(),requestAnimationFrame(()=>{let o=r.innerHTML;return V(r),this.setSelectedRange(e),t(o)})}};E(w,"events",{keydown(n){this.isComposing()||this.resetInputSummary(),this.inputSummary.didInput=!0;let t=Ni[n.keyCode];if(t){var e;let r=this.keys;["ctrl","alt","shift","meta"].forEach(o=>{var s;n["".concat(o,"Key")]&&(o==="ctrl"&&(o="control"),r=(s=r)===null||s===void 0?void 0:s[o])}),((e=r)===null||e===void 0?void 0:e[t])!=null&&(this.setInputSummary({keyName:t}),tt.reset(),r[t].call(this,n))}if(Ei(n)){let r=String.fromCharCode(n.keyCode).toLowerCase();if(r){var i;let o=["alt","shift"].map(s=>{if(n["".concat(s,"Key")])return s}).filter(s=>s);o.push(r),(i=this.delegate)!==null&&i!==void 0&&i.inputControllerDidReceiveKeyboardCommand(o)&&n.preventDefault()}}},keypress(n){if(this.inputSummary.eventName!=null||n.metaKey||n.ctrlKey&&!n.altKey)return;let t=zn(n);var e,i;return t?((e=this.delegate)===null||e===void 0||e.inputControllerWillPerformTyping(),(i=this.responder)===null||i===void 0||i.insertString(t),this.setInputSummary({textAdded:t,didDelete:this.selectionIsExpanded()})):void 0},textInput(n){let{data:t}=n,{textAdded:e}=this.inputSummary;if(e&&e!==t&&e.toUpperCase()===t){var i;let r=this.getSelectedRange();return this.setSelectedRange([r[0],r[1]+e.length]),(i=this.responder)===null||i===void 0||i.insertString(t),this.setInputSummary({textAdded:t}),this.setSelectedRange(r)}},dragenter(n){n.preventDefault()},dragstart(n){var t,e;return this.serializeSelectionToDataTransfer(n.dataTransfer),this.draggedRange=this.getSelectedRange(),(t=this.delegate)===null||t===void 0||(e=t.inputControllerDidStartDrag)===null||e===void 0?void 0:e.call(t)},dragover(n){if(this.draggedRange||this.canAcceptDataTransfer(n.dataTransfer)){n.preventDefault();let i={x:n.clientX,y:n.clientY};var t,e;if(!dt(i,this.draggingPoint))return this.draggingPoint=i,(t=this.delegate)===null||t===void 0||(e=t.inputControllerDidReceiveDragOverPoint)===null||e===void 0?void 0:e.call(t,this.draggingPoint)}},dragend(n){var t,e;(t=this.delegate)===null||t===void 0||(e=t.inputControllerDidCancelDrag)===null||e===void 0||e.call(t),this.draggedRange=null,this.draggingPoint=null},drop(n){var t,e;n.preventDefault();let i=(t=n.dataTransfer)===null||t===void 0?void 0:t.files,r=n.dataTransfer.getData("application/x-trix-document"),o={x:n.clientX,y:n.clientY};if((e=this.responder)===null||e===void 0||e.setLocationRangeFromPointRange(o),i!=null&&i.length)this.attachFiles(i);else if(this.draggedRange){var s,a;(s=this.delegate)===null||s===void 0||s.inputControllerWillMoveText(),(a=this.responder)===null||a===void 0||a.moveTextFromRange(this.draggedRange),this.draggedRange=null,this.requestRender()}else if(r){var l;let c=k.fromJSONString(r);(l=this.responder)===null||l===void 0||l.insertDocument(c),this.requestRender()}this.draggedRange=null,this.draggingPoint=null},cut(n){var t,e;if((t=this.responder)!==null&&t!==void 0&&t.selectionIsExpanded()&&(this.serializeSelectionToDataTransfer(n.clipboardData)&&n.preventDefault(),(e=this.delegate)===null||e===void 0||e.inputControllerWillCutText(),this.deleteInDirection("backward"),n.defaultPrevented))return this.requestRender()},copy(n){var t;(t=this.responder)!==null&&t!==void 0&&t.selectionIsExpanded()&&this.serializeSelectionToDataTransfer(n.clipboardData)&&n.preventDefault()},paste(n){let t=n.clipboardData||n.testClipboardData,e={clipboard:t};if(!t||_n(n))return void this.getPastedHTMLUsingHiddenElement(D=>{var nt,re,oe;return e.type="text/html",e.html=D,(nt=this.delegate)===null||nt===void 0||nt.inputControllerWillPaste(e),(re=this.responder)===null||re===void 0||re.insertHTML(e.html),this.requestRender(),(oe=this.delegate)===null||oe===void 0?void 0:oe.inputControllerDidPaste(e)});let i=t.getData("URL"),r=t.getData("text/html"),o=t.getData("public.url-name");if(i){var s,a,l;let D;e.type="text/html",D=o?_e(o).trim():i,e.html=this.createLinkHTML(i,D),(s=this.delegate)===null||s===void 0||s.inputControllerWillPaste(e),this.setInputSummary({textAdded:D,didDelete:this.selectionIsExpanded()}),(a=this.responder)===null||a===void 0||a.insertHTML(e.html),this.requestRender(),(l=this.delegate)===null||l===void 0||l.inputControllerDidPaste(e)}else if(Ri(t)){var c,u,b;e.type="text/plain",e.string=t.getData("text/plain"),(c=this.delegate)===null||c===void 0||c.inputControllerWillPaste(e),this.setInputSummary({textAdded:e.string,didDelete:this.selectionIsExpanded()}),(u=this.responder)===null||u===void 0||u.insertString(e.string),this.requestRender(),(b=this.delegate)===null||b===void 0||b.inputControllerDidPaste(e)}else if(r){var A,L,gt;e.type="text/html",e.html=r,(A=this.delegate)===null||A===void 0||A.inputControllerWillPaste(e),(L=this.responder)===null||L===void 0||L.insertHTML(e.html),this.requestRender(),(gt=this.delegate)===null||gt===void 0||gt.inputControllerDidPaste(e)}else if(Array.from(t.types).includes("Files")){var P,it;let D=(P=t.items)===null||P===void 0||(P=P[0])===null||P===void 0||(it=P.getAsFile)===null||it===void 0?void 0:it.call(P);if(D){var mt,ie,ne;let nt=Vn(D);!D.name&&nt&&(D.name="pasted-file-".concat(++qn,".").concat(nt)),e.type="File",e.file=D,(mt=this.delegate)===null||mt===void 0||mt.inputControllerWillAttachFiles(),(ie=this.responder)===null||ie===void 0||ie.insertFile(e.file),this.requestRender(),(ne=this.delegate)===null||ne===void 0||ne.inputControllerDidPaste(e)}}n.preventDefault()},compositionstart(n){return this.getCompositionInput().start(n.data)},compositionupdate(n){return this.getCompositionInput().update(n.data)},compositionend(n){return this.getCompositionInput().end(n.data)},beforeinput(n){this.inputSummary.didInput=!0},input(n){return this.inputSummary.didInput=!0,n.stopPropagation()}}),E(w,"keys",{backspace(n){var t;return(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),this.deleteInDirection("backward",n)},delete(n){var t;return(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),this.deleteInDirection("forward",n)},return(n){var t,e;return this.setInputSummary({preferDocument:!0}),(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),(e=this.responder)===null||e===void 0?void 0:e.insertLineBreak()},tab(n){var t,e;(t=this.responder)!==null&&t!==void 0&&t.canIncreaseNestingLevel()&&((e=this.responder)===null||e===void 0||e.increaseNestingLevel(),this.requestRender(),n.preventDefault())},left(n){var t;if(this.selectionIsInCursorTarget())return n.preventDefault(),(t=this.responder)===null||t===void 0?void 0:t.moveCursorInDirection("backward")},right(n){var t;if(this.selectionIsInCursorTarget())return n.preventDefault(),(t=this.responder)===null||t===void 0?void 0:t.moveCursorInDirection("forward")},control:{d(n){var t;return(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),this.deleteInDirection("forward",n)},h(n){var t;return(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),this.deleteInDirection("backward",n)},o(n){var t,e;return n.preventDefault(),(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),(e=this.responder)===null||e===void 0||e.insertString(` +`,{updatePosition:!1}),this.requestRender()}},shift:{return(n){var t,e;(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),(e=this.responder)===null||e===void 0||e.insertString(` +`),this.requestRender(),n.preventDefault()},tab(n){var t,e;(t=this.responder)!==null&&t!==void 0&&t.canDecreaseNestingLevel()&&((e=this.responder)===null||e===void 0||e.decreaseNestingLevel(),this.requestRender(),n.preventDefault())},left(n){if(this.selectionIsInCursorTarget())return n.preventDefault(),this.expandSelectionInDirection("backward")},right(n){if(this.selectionIsInCursorTarget())return n.preventDefault(),this.expandSelectionInDirection("forward")}},alt:{backspace(n){var t;return this.setInputSummary({preferDocument:!1}),(t=this.delegate)===null||t===void 0?void 0:t.inputControllerWillPerformTyping()}},meta:{backspace(n){var t;return this.setInputSummary({preferDocument:!1}),(t=this.delegate)===null||t===void 0?void 0:t.inputControllerWillPerformTyping()}}}),w.proxyMethod("responder?.getSelectedRange"),w.proxyMethod("responder?.setSelectedRange"),w.proxyMethod("responder?.expandSelectionInDirection"),w.proxyMethod("responder?.selectionIsInCursorTarget"),w.proxyMethod("responder?.selectionIsExpanded");var Vn=n=>{var t;return(t=n.type)===null||t===void 0||(t=t.match(/\/(\w+)$/))===null||t===void 0?void 0:t[1]},Hn=!((ye=" ".codePointAt)===null||ye===void 0||!ye.call(" ",0)),zn=function(n){if(n.key&&Hn&&n.key.codePointAt(0)===n.keyCode)return n.key;{let t;if(n.which===null?t=n.keyCode:n.which!==0&&n.charCode!==0&&(t=n.charCode),t!=null&&Ni[t]!=="escape")return Z.fromCodepoints([t]).toString()}},_n=function(n){let t=n.clipboardData;if(t){if(t.types.includes("text/html")){for(let e of t.types){let i=/^CorePasteboardFlavorType/.test(e),r=/^dyn\./.test(e)&&t.getData(e);if(i||r)return!0}return!1}{let e=t.types.includes("com.apple.webarchive"),i=t.types.includes("com.apple.flat-rtfd");return e||i}}},B=class extends f{constructor(t){super(...arguments),this.inputController=t,this.responder=this.inputController.responder,this.delegate=this.inputController.delegate,this.inputSummary=this.inputController.inputSummary,this.data={}}start(t){if(this.data.start=t,this.isSignificant()){var e,i;this.inputSummary.eventName==="keypress"&&this.inputSummary.textAdded&&((i=this.responder)===null||i===void 0||i.deleteInDirection("left")),this.selectionIsExpanded()||(this.insertPlaceholder(),this.requestRender()),this.range=(e=this.responder)===null||e===void 0?void 0:e.getSelectedRange()}}update(t){if(this.data.update=t,this.isSignificant()){let e=this.selectPlaceholder();e&&(this.forgetPlaceholder(),this.range=e)}}end(t){return this.data.end=t,this.isSignificant()?(this.forgetPlaceholder(),this.canApplyToDocument()?(this.setInputSummary({preferDocument:!0,didInput:!1}),(e=this.delegate)===null||e===void 0||e.inputControllerWillPerformTyping(),(i=this.responder)===null||i===void 0||i.setSelectedRange(this.range),(r=this.responder)===null||r===void 0||r.insertString(this.data.end),(o=this.responder)===null||o===void 0?void 0:o.setSelectedRange(this.range[0]+this.data.end.length)):this.data.start!=null||this.data.update!=null?(this.requestReparse(),this.inputController.reset()):void 0):this.inputController.reset();var e,i,r,o}getEndData(){return this.data.end}isEnded(){return this.getEndData()!=null}isSignificant(){return!Un.composesExistingText||this.inputSummary.didInput}canApplyToDocument(){var t,e;return((t=this.data.start)===null||t===void 0?void 0:t.length)===0&&((e=this.data.end)===null||e===void 0?void 0:e.length)>0&&this.range}};B.proxyMethod("inputController.setInputSummary"),B.proxyMethod("inputController.requestRender"),B.proxyMethod("inputController.requestReparse"),B.proxyMethod("responder?.selectionIsExpanded"),B.proxyMethod("responder?.insertPlaceholder"),B.proxyMethod("responder?.selectPlaceholder"),B.proxyMethod("responder?.forgetPlaceholder");var G=class extends ht{constructor(){super(...arguments),this.render=this.render.bind(this)}elementDidMutate(){return this.scheduledRender?this.composing?(t=this.delegate)===null||t===void 0||(e=t.inputControllerDidAllowUnhandledInput)===null||e===void 0?void 0:e.call(t):void 0:this.reparse();var t,e}scheduleRender(){return this.scheduledRender?this.scheduledRender:this.scheduledRender=requestAnimationFrame(this.render)}render(){var t,e;cancelAnimationFrame(this.scheduledRender),this.scheduledRender=null,this.composing||(e=this.delegate)===null||e===void 0||e.render(),(t=this.afterRender)===null||t===void 0||t.call(this),this.afterRender=null}reparse(){var t;return(t=this.delegate)===null||t===void 0?void 0:t.reparse()}insertString(){var t;let e=arguments.length>0&&arguments[0]!==void 0?arguments[0]:"",i=arguments.length>1?arguments[1]:void 0;return(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),this.withTargetDOMRange(function(){var r;return(r=this.responder)===null||r===void 0?void 0:r.insertString(e,i)})}toggleAttributeIfSupported(t){var e;if(Le().includes(t))return(e=this.delegate)===null||e===void 0||e.inputControllerWillPerformFormatting(t),this.withTargetDOMRange(function(){var i;return(i=this.responder)===null||i===void 0?void 0:i.toggleCurrentAttribute(t)})}activateAttributeIfSupported(t,e){var i;if(Le().includes(t))return(i=this.delegate)===null||i===void 0||i.inputControllerWillPerformFormatting(t),this.withTargetDOMRange(function(){var r;return(r=this.responder)===null||r===void 0?void 0:r.setCurrentAttribute(t,e)})}deleteInDirection(t){let{recordUndoEntry:e}=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{recordUndoEntry:!0};var i;e&&((i=this.delegate)===null||i===void 0||i.inputControllerWillPerformTyping());let r=()=>{var s;return(s=this.responder)===null||s===void 0?void 0:s.deleteInDirection(t)},o=this.getTargetDOMRange({minLength:this.composing?1:2});return o?this.withTargetDOMRange(o,r):r()}withTargetDOMRange(t,e){var i;return typeof t=="function"&&(e=t,t=this.getTargetDOMRange()),t?(i=this.responder)===null||i===void 0?void 0:i.withTargetDOMRange(t,e.bind(this)):(tt.reset(),e.call(this))}getTargetDOMRange(){var t,e;let{minLength:i}=arguments.length>0&&arguments[0]!==void 0?arguments[0]:{minLength:0},r=(t=(e=this.event).getTargetRanges)===null||t===void 0?void 0:t.call(e);if(r&&r.length){let o=Jn(r[0]);if(i===0||o.toString().length>=i)return o}}withEvent(t,e){let i;this.event=t;try{i=e.call(this)}finally{this.event=null}return i}};E(G,"events",{keydown(n){if(Ei(n)){var t;let e=Gn(n);(t=this.delegate)!==null&&t!==void 0&&t.inputControllerDidReceiveKeyboardCommand(e)&&n.preventDefault()}else{let e=n.key;n.altKey&&(e+="+Alt"),n.shiftKey&&(e+="+Shift");let i=this.constructor.keys[e];if(i)return this.withEvent(n,i)}},paste(n){var t;let e,i=(t=n.clipboardData)===null||t===void 0?void 0:t.getData("URL");return Oi(n)?(n.preventDefault(),this.attachFiles(n.clipboardData.files)):$n(n)?(n.preventDefault(),e={type:"text/plain",string:n.clipboardData.getData("text/plain")},(r=this.delegate)===null||r===void 0||r.inputControllerWillPaste(e),(o=this.responder)===null||o===void 0||o.insertString(e.string),this.render(),(s=this.delegate)===null||s===void 0?void 0:s.inputControllerDidPaste(e)):i?(n.preventDefault(),e={type:"text/html",html:this.createLinkHTML(i)},(a=this.delegate)===null||a===void 0||a.inputControllerWillPaste(e),(l=this.responder)===null||l===void 0||l.insertHTML(e.html),this.render(),(c=this.delegate)===null||c===void 0?void 0:c.inputControllerDidPaste(e)):void 0;var r,o,s,a,l,c},beforeinput(n){let t=this.constructor.inputTypes[n.inputType];t&&(this.withEvent(n,t),this.scheduleRender())},input(n){tt.reset()},dragstart(n){var t,e;(t=this.responder)!==null&&t!==void 0&&t.selectionContainsAttachments()&&(n.dataTransfer.setData("application/x-trix-dragging",!0),this.dragging={range:(e=this.responder)===null||e===void 0?void 0:e.getSelectedRange(),point:ke(n)})},dragenter(n){Ce(n)&&n.preventDefault()},dragover(n){if(this.dragging){n.preventDefault();let e=ke(n);var t;if(!dt(e,this.dragging.point))return this.dragging.point=e,(t=this.responder)===null||t===void 0?void 0:t.setLocationRangeFromPointRange(e)}else Ce(n)&&n.preventDefault()},drop(n){var t,e;if(this.dragging)return n.preventDefault(),(t=this.delegate)===null||t===void 0||t.inputControllerWillMoveText(),(e=this.responder)===null||e===void 0||e.moveTextFromRange(this.dragging.range),this.dragging=null,this.scheduleRender();if(Ce(n)){var i;n.preventDefault();let r=ke(n);return(i=this.responder)===null||i===void 0||i.setLocationRangeFromPointRange(r),this.attachFiles(n.dataTransfer.files)}},dragend(){var n;this.dragging&&((n=this.responder)===null||n===void 0||n.setSelectedRange(this.dragging.range),this.dragging=null)},compositionend(n){this.composing&&(this.composing=!1,St.recentAndroid||this.scheduleRender())}}),E(G,"keys",{ArrowLeft(){var n,t;if((n=this.responder)!==null&&n!==void 0&&n.shouldManageMovingCursorInDirection("backward"))return this.event.preventDefault(),(t=this.responder)===null||t===void 0?void 0:t.moveCursorInDirection("backward")},ArrowRight(){var n,t;if((n=this.responder)!==null&&n!==void 0&&n.shouldManageMovingCursorInDirection("forward"))return this.event.preventDefault(),(t=this.responder)===null||t===void 0?void 0:t.moveCursorInDirection("forward")},Backspace(){var n,t,e;if((n=this.responder)!==null&&n!==void 0&&n.shouldManageDeletingInDirection("backward"))return this.event.preventDefault(),(t=this.delegate)===null||t===void 0||t.inputControllerWillPerformTyping(),(e=this.responder)===null||e===void 0||e.deleteInDirection("backward"),this.render()},Tab(){var n,t;if((n=this.responder)!==null&&n!==void 0&&n.canIncreaseNestingLevel())return this.event.preventDefault(),(t=this.responder)===null||t===void 0||t.increaseNestingLevel(),this.render()},"Tab+Shift"(){var n,t;if((n=this.responder)!==null&&n!==void 0&&n.canDecreaseNestingLevel())return this.event.preventDefault(),(t=this.responder)===null||t===void 0||t.decreaseNestingLevel(),this.render()}}),E(G,"inputTypes",{deleteByComposition(){return this.deleteInDirection("backward",{recordUndoEntry:!1})},deleteByCut(){return this.deleteInDirection("backward")},deleteByDrag(){return this.event.preventDefault(),this.withTargetDOMRange(function(){var n;this.deleteByDragRange=(n=this.responder)===null||n===void 0?void 0:n.getSelectedRange()})},deleteCompositionText(){return this.deleteInDirection("backward",{recordUndoEntry:!1})},deleteContent(){return this.deleteInDirection("backward")},deleteContentBackward(){return this.deleteInDirection("backward")},deleteContentForward(){return this.deleteInDirection("forward")},deleteEntireSoftLine(){return this.deleteInDirection("forward")},deleteHardLineBackward(){return this.deleteInDirection("backward")},deleteHardLineForward(){return this.deleteInDirection("forward")},deleteSoftLineBackward(){return this.deleteInDirection("backward")},deleteSoftLineForward(){return this.deleteInDirection("forward")},deleteWordBackward(){return this.deleteInDirection("backward")},deleteWordForward(){return this.deleteInDirection("forward")},formatBackColor(){return this.activateAttributeIfSupported("backgroundColor",this.event.data)},formatBold(){return this.toggleAttributeIfSupported("bold")},formatFontColor(){return this.activateAttributeIfSupported("color",this.event.data)},formatFontName(){return this.activateAttributeIfSupported("font",this.event.data)},formatIndent(){var n;if((n=this.responder)!==null&&n!==void 0&&n.canIncreaseNestingLevel())return this.withTargetDOMRange(function(){var t;return(t=this.responder)===null||t===void 0?void 0:t.increaseNestingLevel()})},formatItalic(){return this.toggleAttributeIfSupported("italic")},formatJustifyCenter(){return this.toggleAttributeIfSupported("justifyCenter")},formatJustifyFull(){return this.toggleAttributeIfSupported("justifyFull")},formatJustifyLeft(){return this.toggleAttributeIfSupported("justifyLeft")},formatJustifyRight(){return this.toggleAttributeIfSupported("justifyRight")},formatOutdent(){var n;if((n=this.responder)!==null&&n!==void 0&&n.canDecreaseNestingLevel())return this.withTargetDOMRange(function(){var t;return(t=this.responder)===null||t===void 0?void 0:t.decreaseNestingLevel()})},formatRemove(){this.withTargetDOMRange(function(){for(let e in(n=this.responder)===null||n===void 0?void 0:n.getCurrentAttributes()){var n,t;(t=this.responder)===null||t===void 0||t.removeCurrentAttribute(e)}})},formatSetBlockTextDirection(){return this.activateAttributeIfSupported("blockDir",this.event.data)},formatSetInlineTextDirection(){return this.activateAttributeIfSupported("textDir",this.event.data)},formatStrikeThrough(){return this.toggleAttributeIfSupported("strike")},formatSubscript(){return this.toggleAttributeIfSupported("sub")},formatSuperscript(){return this.toggleAttributeIfSupported("sup")},formatUnderline(){return this.toggleAttributeIfSupported("underline")},historyRedo(){var n;return(n=this.delegate)===null||n===void 0?void 0:n.inputControllerWillPerformRedo()},historyUndo(){var n;return(n=this.delegate)===null||n===void 0?void 0:n.inputControllerWillPerformUndo()},insertCompositionText(){return this.composing=!0,this.insertString(this.event.data)},insertFromComposition(){return this.composing=!1,this.insertString(this.event.data)},insertFromDrop(){let n=this.deleteByDragRange;var t;if(n)return this.deleteByDragRange=null,(t=this.delegate)===null||t===void 0||t.inputControllerWillMoveText(),this.withTargetDOMRange(function(){var e;return(e=this.responder)===null||e===void 0?void 0:e.moveTextFromRange(n)})},insertFromPaste(){let{dataTransfer:n}=this.event,t={dataTransfer:n},e=n.getData("URL"),i=n.getData("text/html");if(e){var r;let l;this.event.preventDefault(),t.type="text/html";let c=n.getData("public.url-name");l=c?_e(c).trim():e,t.html=this.createLinkHTML(e,l),(r=this.delegate)===null||r===void 0||r.inputControllerWillPaste(t),this.withTargetDOMRange(function(){var u;return(u=this.responder)===null||u===void 0?void 0:u.insertHTML(t.html)}),this.afterRender=()=>{var u;return(u=this.delegate)===null||u===void 0?void 0:u.inputControllerDidPaste(t)}}else if(Ri(n)){var o;t.type="text/plain",t.string=n.getData("text/plain"),(o=this.delegate)===null||o===void 0||o.inputControllerWillPaste(t),this.withTargetDOMRange(function(){var l;return(l=this.responder)===null||l===void 0?void 0:l.insertString(t.string)}),this.afterRender=()=>{var l;return(l=this.delegate)===null||l===void 0?void 0:l.inputControllerDidPaste(t)}}else if(Kn(this.event)){var s;t.type="File",t.file=n.files[0],(s=this.delegate)===null||s===void 0||s.inputControllerWillPaste(t),this.withTargetDOMRange(function(){var l;return(l=this.responder)===null||l===void 0?void 0:l.insertFile(t.file)}),this.afterRender=()=>{var l;return(l=this.delegate)===null||l===void 0?void 0:l.inputControllerDidPaste(t)}}else if(i){var a;this.event.preventDefault(),t.type="text/html",t.html=i,(a=this.delegate)===null||a===void 0||a.inputControllerWillPaste(t),this.withTargetDOMRange(function(){var l;return(l=this.responder)===null||l===void 0?void 0:l.insertHTML(t.html)}),this.afterRender=()=>{var l;return(l=this.delegate)===null||l===void 0?void 0:l.inputControllerDidPaste(t)}}},insertFromYank(){return this.insertString(this.event.data)},insertLineBreak(){return this.insertString(` +`)},insertLink(){return this.activateAttributeIfSupported("href",this.event.data)},insertOrderedList(){return this.toggleAttributeIfSupported("number")},insertParagraph(){var n;return(n=this.delegate)===null||n===void 0||n.inputControllerWillPerformTyping(),this.withTargetDOMRange(function(){var t;return(t=this.responder)===null||t===void 0?void 0:t.insertLineBreak()})},insertReplacementText(){let n=this.event.dataTransfer.getData("text/plain"),t=this.event.getTargetRanges()[0];this.withTargetDOMRange(t,()=>{this.insertString(n,{updatePosition:!1})})},insertText(){var n;return this.insertString(this.event.data||((n=this.event.dataTransfer)===null||n===void 0?void 0:n.getData("text/plain")))},insertTranspose(){return this.insertString(this.event.data)},insertUnorderedList(){return this.toggleAttributeIfSupported("bullet")}});var Jn=function(n){let t=document.createRange();return t.setStart(n.startContainer,n.startOffset),t.setEnd(n.endContainer,n.endOffset),t},Ce=n=>{var t;return Array.from(((t=n.dataTransfer)===null||t===void 0?void 0:t.types)||[]).includes("Files")},Kn=n=>{var t;return((t=n.dataTransfer.files)===null||t===void 0?void 0:t[0])&&!Oi(n)&&!(e=>{let{dataTransfer:i}=e;return i.types.includes("Files")&&i.types.includes("text/html")&&i.getData("text/html").includes("urn:schemas-microsoft-com:office:office")})(n)},Oi=function(n){let t=n.clipboardData;if(t)return Array.from(t.types).filter(e=>e.match(/file/i)).length===t.types.length&&t.files.length>=1},$n=function(n){let t=n.clipboardData;if(t)return t.types.includes("text/plain")&&t.types.length===1},Gn=function(n){let t=[];return n.altKey&&t.push("alt"),n.shiftKey&&t.push("shift"),t.push(n.key),t},ke=n=>({x:n.clientX,y:n.clientY}),Oe="[data-trix-attribute]",Me="[data-trix-action]",Xn="".concat(Oe,", ").concat(Me),ee="[data-trix-dialog]",Yn="".concat(ee,"[data-trix-active]"),Zn="".concat(ee," [data-trix-method]"),mi="".concat(ee," [data-trix-input]"),pi=(n,t)=>(t||(t=rt(n)),n.querySelector("[data-trix-input][name='".concat(t,"']"))),fi=n=>n.getAttribute("data-trix-action"),rt=n=>n.getAttribute("data-trix-attribute")||n.getAttribute("data-trix-dialog-attribute"),Yt=class extends f{constructor(t){super(t),this.didClickActionButton=this.didClickActionButton.bind(this),this.didClickAttributeButton=this.didClickAttributeButton.bind(this),this.didClickDialogButton=this.didClickDialogButton.bind(this),this.didKeyDownDialogInput=this.didKeyDownDialogInput.bind(this),this.element=t,this.attributes={},this.actions={},this.resetDialogInputs(),p("mousedown",{onElement:this.element,matchingSelector:Me,withCallback:this.didClickActionButton}),p("mousedown",{onElement:this.element,matchingSelector:Oe,withCallback:this.didClickAttributeButton}),p("click",{onElement:this.element,matchingSelector:Xn,preventDefault:!0}),p("click",{onElement:this.element,matchingSelector:Zn,withCallback:this.didClickDialogButton}),p("keydown",{onElement:this.element,matchingSelector:mi,withCallback:this.didKeyDownDialogInput})}didClickActionButton(t,e){var i;(i=this.delegate)===null||i===void 0||i.toolbarDidClickButton(),t.preventDefault();let r=fi(e);return this.getDialog(r)?this.toggleDialog(r):(o=this.delegate)===null||o===void 0?void 0:o.toolbarDidInvokeAction(r,e);var o}didClickAttributeButton(t,e){var i;(i=this.delegate)===null||i===void 0||i.toolbarDidClickButton(),t.preventDefault();let r=rt(e);var o;return this.getDialog(r)?this.toggleDialog(r):(o=this.delegate)===null||o===void 0||o.toolbarDidToggleAttribute(r),this.refreshAttributeButtons()}didClickDialogButton(t,e){let i=q(e,{matchingSelector:ee});return this[e.getAttribute("data-trix-method")].call(this,i)}didKeyDownDialogInput(t,e){if(t.keyCode===13){t.preventDefault();let i=e.getAttribute("name"),r=this.getDialog(i);this.setAttribute(r)}if(t.keyCode===27)return t.preventDefault(),this.hideDialog()}updateActions(t){return this.actions=t,this.refreshActionButtons()}refreshActionButtons(){return this.eachActionButton((t,e)=>{t.disabled=this.actions[e]===!1})}eachActionButton(t){return Array.from(this.element.querySelectorAll(Me)).map(e=>t(e,fi(e)))}updateAttributes(t){return this.attributes=t,this.refreshAttributeButtons()}refreshAttributeButtons(){return this.eachAttributeButton((t,e)=>(t.disabled=this.attributes[e]===!1,this.attributes[e]||this.dialogIsVisible(e)?(t.setAttribute("data-trix-active",""),t.classList.add("trix-active")):(t.removeAttribute("data-trix-active"),t.classList.remove("trix-active"))))}eachAttributeButton(t){return Array.from(this.element.querySelectorAll(Oe)).map(e=>t(e,rt(e)))}applyKeyboardCommand(t){let e=JSON.stringify(t.sort());for(let i of Array.from(this.element.querySelectorAll("[data-trix-key]"))){let r=i.getAttribute("data-trix-key").split("+");if(JSON.stringify(r.sort())===e)return vt("mousedown",{onElement:i}),!0}return!1}dialogIsVisible(t){let e=this.getDialog(t);if(e)return e.hasAttribute("data-trix-active")}toggleDialog(t){return this.dialogIsVisible(t)?this.hideDialog():this.showDialog(t)}showDialog(t){var e,i;this.hideDialog(),(e=this.delegate)===null||e===void 0||e.toolbarWillShowDialog();let r=this.getDialog(t);r.setAttribute("data-trix-active",""),r.classList.add("trix-active"),Array.from(r.querySelectorAll("input[disabled]")).forEach(s=>{s.removeAttribute("disabled")});let o=rt(r);if(o){let s=pi(r,t);s&&(s.value=this.attributes[o]||"",s.select())}return(i=this.delegate)===null||i===void 0?void 0:i.toolbarDidShowDialog(t)}setAttribute(t){let e=rt(t),i=pi(t,e);return i.willValidate&&!i.checkValidity()?(i.setAttribute("data-trix-validate",""),i.classList.add("trix-validate"),i.focus()):((r=this.delegate)===null||r===void 0||r.toolbarDidUpdateAttribute(e,i.value),this.hideDialog());var r}removeAttribute(t){var e;let i=rt(t);return(e=this.delegate)===null||e===void 0||e.toolbarDidRemoveAttribute(i),this.hideDialog()}hideDialog(){let t=this.element.querySelector(Yn);var e;if(t)return t.removeAttribute("data-trix-active"),t.classList.remove("trix-active"),this.resetDialogInputs(),(e=this.delegate)===null||e===void 0?void 0:e.toolbarDidHideDialog((i=>i.getAttribute("data-trix-dialog"))(t))}resetDialogInputs(){Array.from(this.element.querySelectorAll(mi)).forEach(t=>{t.setAttribute("disabled","disabled"),t.removeAttribute("data-trix-validate"),t.classList.remove("trix-validate")})}getDialog(t){return this.element.querySelector("[data-trix-dialog=".concat(t,"]"))}},X=class extends $t{constructor(t){let{editorElement:e,document:i,html:r}=t;super(...arguments),this.editorElement=e,this.selectionManager=new I(this.editorElement),this.selectionManager.delegate=this,this.composition=new F,this.composition.delegate=this,this.attachmentManager=new Ut(this.composition.getAttachments()),this.attachmentManager.delegate=this,this.inputController=qe.getLevel()===2?new G(this.editorElement):new w(this.editorElement),this.inputController.delegate=this,this.inputController.responder=this.composition,this.compositionController=new Kt(this.editorElement,this.composition),this.compositionController.delegate=this,this.toolbarController=new Yt(this.editorElement.toolbarElement),this.toolbarController.delegate=this,this.editor=new Ht(this.composition,this.selectionManager,this.editorElement),i?this.editor.loadDocument(i):this.editor.loadHTML(r)}registerSelectionManager(){return tt.registerSelectionManager(this.selectionManager)}unregisterSelectionManager(){return tt.unregisterSelectionManager(this.selectionManager)}render(){return this.compositionController.render()}reparse(){return this.composition.replaceHTML(this.editorElement.innerHTML)}compositionDidChangeDocument(t){if(this.notifyEditorElement("document-change"),!this.handlingInput)return this.render()}compositionDidChangeCurrentAttributes(t){return this.currentAttributes=t,this.toolbarController.updateAttributes(this.currentAttributes),this.updateCurrentActions(),this.notifyEditorElement("attributes-change",{attributes:this.currentAttributes})}compositionDidPerformInsertionAtRange(t){this.pasting&&(this.pastedRange=t)}compositionShouldAcceptFile(t){return this.notifyEditorElement("file-accept",{file:t})}compositionDidAddAttachment(t){let e=this.attachmentManager.manageAttachment(t);return this.notifyEditorElement("attachment-add",{attachment:e})}compositionDidEditAttachment(t){this.compositionController.rerenderViewForObject(t);let e=this.attachmentManager.manageAttachment(t);return this.notifyEditorElement("attachment-edit",{attachment:e}),this.notifyEditorElement("change")}compositionDidChangeAttachmentPreviewURL(t){return this.compositionController.invalidateViewForObject(t),this.notifyEditorElement("change")}compositionDidRemoveAttachment(t){let e=this.attachmentManager.unmanageAttachment(t);return this.notifyEditorElement("attachment-remove",{attachment:e})}compositionDidStartEditingAttachment(t,e){return this.attachmentLocationRange=this.composition.document.getLocationRangeOfAttachment(t),this.compositionController.installAttachmentEditorForAttachment(t,e),this.selectionManager.setLocationRange(this.attachmentLocationRange)}compositionDidStopEditingAttachment(t){this.compositionController.uninstallAttachmentEditor(),this.attachmentLocationRange=null}compositionDidRequestChangingSelectionToLocationRange(t){if(!this.loadingSnapshot||this.isFocused())return this.requestedLocationRange=t,this.compositionRevisionWhenLocationRangeRequested=this.composition.revision,this.handlingInput?void 0:this.render()}compositionWillLoadSnapshot(){this.loadingSnapshot=!0}compositionDidLoadSnapshot(){this.compositionController.refreshViewCache(),this.render(),this.loadingSnapshot=!1}getSelectionManager(){return this.selectionManager}attachmentManagerDidRequestRemovalOfAttachment(t){return this.removeAttachment(t)}compositionControllerWillSyncDocumentView(){return this.inputController.editorWillSyncDocumentView(),this.selectionManager.lock(),this.selectionManager.clearSelection()}compositionControllerDidSyncDocumentView(){return this.inputController.editorDidSyncDocumentView(),this.selectionManager.unlock(),this.updateCurrentActions(),this.notifyEditorElement("sync")}compositionControllerDidRender(){this.requestedLocationRange&&(this.compositionRevisionWhenLocationRangeRequested===this.composition.revision&&this.selectionManager.setLocationRange(this.requestedLocationRange),this.requestedLocationRange=null,this.compositionRevisionWhenLocationRangeRequested=null),this.renderedCompositionRevision!==this.composition.revision&&(this.runEditorFilters(),this.composition.updateCurrentAttributes(),this.notifyEditorElement("render")),this.renderedCompositionRevision=this.composition.revision}compositionControllerDidFocus(){return this.isFocusedInvisibly()&&this.setLocationRange({index:0,offset:0}),this.toolbarController.hideDialog(),this.notifyEditorElement("focus")}compositionControllerDidBlur(){return this.notifyEditorElement("blur")}compositionControllerDidSelectAttachment(t,e){return this.toolbarController.hideDialog(),this.composition.editAttachment(t,e)}compositionControllerDidRequestDeselectingAttachment(t){let e=this.attachmentLocationRange||this.composition.document.getLocationRangeOfAttachment(t);return this.selectionManager.setLocationRange(e[1])}compositionControllerWillUpdateAttachment(t){return this.editor.recordUndoEntry("Edit Attachment",{context:t.id,consolidatable:!0})}compositionControllerDidRequestRemovalOfAttachment(t){return this.removeAttachment(t)}inputControllerWillHandleInput(){this.handlingInput=!0,this.requestedRender=!1}inputControllerDidRequestRender(){this.requestedRender=!0}inputControllerDidHandleInput(){if(this.handlingInput=!1,this.requestedRender)return this.requestedRender=!1,this.render()}inputControllerDidAllowUnhandledInput(){return this.notifyEditorElement("change")}inputControllerDidRequestReparse(){return this.reparse()}inputControllerWillPerformTyping(){return this.recordTypingUndoEntry()}inputControllerWillPerformFormatting(t){return this.recordFormattingUndoEntry(t)}inputControllerWillCutText(){return this.editor.recordUndoEntry("Cut")}inputControllerWillPaste(t){return this.editor.recordUndoEntry("Paste"),this.pasting=!0,this.notifyEditorElement("before-paste",{paste:t})}inputControllerDidPaste(t){return t.range=this.pastedRange,this.pastedRange=null,this.pasting=null,this.notifyEditorElement("paste",{paste:t})}inputControllerWillMoveText(){return this.editor.recordUndoEntry("Move")}inputControllerWillAttachFiles(){return this.editor.recordUndoEntry("Drop Files")}inputControllerWillPerformUndo(){return this.editor.undo()}inputControllerWillPerformRedo(){return this.editor.redo()}inputControllerDidReceiveKeyboardCommand(t){return this.toolbarController.applyKeyboardCommand(t)}inputControllerDidStartDrag(){this.locationRangeBeforeDrag=this.selectionManager.getLocationRange()}inputControllerDidReceiveDragOverPoint(t){return this.selectionManager.setLocationRangeFromPointRange(t)}inputControllerDidCancelDrag(){this.selectionManager.setLocationRange(this.locationRangeBeforeDrag),this.locationRangeBeforeDrag=null}locationRangeDidChange(t){return this.composition.updateCurrentAttributes(),this.updateCurrentActions(),this.attachmentLocationRange&&!Pt(this.attachmentLocationRange,t)&&this.composition.stopEditingAttachment(),this.notifyEditorElement("selection-change")}toolbarDidClickButton(){if(!this.getLocationRange())return this.setLocationRange({index:0,offset:0})}toolbarDidInvokeAction(t,e){return this.invokeAction(t,e)}toolbarDidToggleAttribute(t){if(this.recordFormattingUndoEntry(t),this.composition.toggleCurrentAttribute(t),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarDidUpdateAttribute(t,e){if(this.recordFormattingUndoEntry(t),this.composition.setCurrentAttribute(t,e),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarDidRemoveAttribute(t){if(this.recordFormattingUndoEntry(t),this.composition.removeCurrentAttribute(t),this.render(),!this.selectionFrozen)return this.editorElement.focus()}toolbarWillShowDialog(t){return this.composition.expandSelectionForEditing(),this.freezeSelection()}toolbarDidShowDialog(t){return this.notifyEditorElement("toolbar-dialog-show",{dialogName:t})}toolbarDidHideDialog(t){return this.thawSelection(),this.editorElement.focus(),this.notifyEditorElement("toolbar-dialog-hide",{dialogName:t})}freezeSelection(){if(!this.selectionFrozen)return this.selectionManager.lock(),this.composition.freezeSelection(),this.selectionFrozen=!0,this.render()}thawSelection(){if(this.selectionFrozen)return this.composition.thawSelection(),this.selectionManager.unlock(),this.selectionFrozen=!1,this.render()}canInvokeAction(t){return!!this.actionIsExternal(t)||!((e=this.actions[t])===null||e===void 0||(e=e.test)===null||e===void 0||!e.call(this));var e}invokeAction(t,e){return this.actionIsExternal(t)?this.notifyEditorElement("action-invoke",{actionName:t,invokingElement:e}):(i=this.actions[t])===null||i===void 0||(i=i.perform)===null||i===void 0?void 0:i.call(this);var i}actionIsExternal(t){return/^x-./.test(t)}getCurrentActions(){let t={};for(let e in this.actions)t[e]=this.canInvokeAction(e);return t}updateCurrentActions(){let t=this.getCurrentActions();if(!dt(t,this.currentActions))return this.currentActions=t,this.toolbarController.updateActions(this.currentActions),this.notifyEditorElement("actions-change",{actions:this.currentActions})}runEditorFilters(){let t=this.composition.getSnapshot();if(Array.from(this.editor.filters).forEach(r=>{let{document:o,selectedRange:s}=t;t=r.call(this.editor,t)||{},t.document||(t.document=o),t.selectedRange||(t.selectedRange=s)}),e=t,i=this.composition.getSnapshot(),!Pt(e.selectedRange,i.selectedRange)||!e.document.isEqualTo(i.document))return this.composition.loadSnapshot(t);var e,i}updateInputElement(){let t=function(e,i){let r=Dn[i];if(r)return r(e);throw new Error("unknown content type: ".concat(i))}(this.compositionController.getSerializableElement(),"text/html");return this.editorElement.setInputElementValue(t)}notifyEditorElement(t,e){switch(t){case"document-change":this.documentChangedSinceLastRender=!0;break;case"render":this.documentChangedSinceLastRender&&(this.documentChangedSinceLastRender=!1,this.notifyEditorElement("change"));break;case"change":case"attachment-add":case"attachment-edit":case"attachment-remove":this.updateInputElement()}return this.editorElement.notify(t,e)}removeAttachment(t){return this.editor.recordUndoEntry("Delete Attachment"),this.composition.removeAttachment(t),this.render()}recordFormattingUndoEntry(t){let e=v(t),i=this.selectionManager.getLocationRange();if(e||!N(i))return this.editor.recordUndoEntry("Formatting",{context:this.getUndoContext(),consolidatable:!0})}recordTypingUndoEntry(){return this.editor.recordUndoEntry("Typing",{context:this.getUndoContext(this.currentAttributes),consolidatable:!0})}getUndoContext(){for(var t=arguments.length,e=new Array(t),i=0;i0?Math.floor(new Date().getTime()/Re.interval):0}isFocused(){var t;return this.editorElement===((t=this.editorElement.ownerDocument)===null||t===void 0?void 0:t.activeElement)}isFocusedInvisibly(){return this.isFocused()&&!this.getLocationRange()}get actions(){return this.constructor.actions}};E(X,"actions",{undo:{test(){return this.editor.canUndo()},perform(){return this.editor.undo()}},redo:{test(){return this.editor.canRedo()},perform(){return this.editor.redo()}},link:{test(){return this.editor.canActivateAttribute("href")}},increaseNestingLevel:{test(){return this.editor.canIncreaseNestingLevel()},perform(){return this.editor.increaseNestingLevel()&&this.render()}},decreaseNestingLevel:{test(){return this.editor.canDecreaseNestingLevel()},perform(){return this.editor.decreaseNestingLevel()&&this.render()}},attachFiles:{test:()=>!0,perform(){return qe.pickFiles(this.editor.insertFiles)}}}),X.proxyMethod("getSelectionManager().setLocationRange"),X.proxyMethod("getSelectionManager().getLocationRange");var Qn=Object.freeze({__proto__:null,AttachmentEditorController:Jt,CompositionController:Kt,Controller:$t,EditorController:X,InputController:ht,Level0InputController:w,Level2InputController:G,ToolbarController:Yt}),tr=Object.freeze({__proto__:null,MutationObserver:Gt,SelectionChangeObserver:It}),er=Object.freeze({__proto__:null,FileVerificationOperation:Xt,ImagePreloadOperation:Wt});ki("trix-toolbar",`%t { + display: block; +} + +%t { + white-space: nowrap; +} + +%t [data-trix-dialog] { + display: none; +} + +%t [data-trix-dialog][data-trix-active] { + display: block; +} + +%t [data-trix-dialog] [data-trix-validate]:invalid { + background-color: #ffdddd; +}`);var Zt=class extends HTMLElement{connectedCallback(){this.innerHTML===""&&(this.innerHTML=Ci.getDefaultHTML())}},ir=0,nr=function(n){if(!n.hasAttribute("contenteditable"))return n.setAttribute("contenteditable",""),function(t){let e=arguments.length>1&&arguments[1]!==void 0?arguments[1]:{};return e.times=1,p(t,e)}("focus",{onElement:n,withCallback:()=>rr(n)})},rr=function(n){return or(n),sr(n)},or=function(n){var t,e;if((t=(e=document).queryCommandSupported)!==null&&t!==void 0&&t.call(e,"enableObjectResizing"))return document.execCommand("enableObjectResizing",!1,!1),p("mscontrolselect",{onElement:n,preventDefault:!0})},sr=function(n){var t,e;if((t=(e=document).queryCommandSupported)!==null&&t!==void 0&&t.call(e,"DefaultParagraphSeparator")){let{tagName:i}=y.default;if(["div","p"].includes(i))return document.execCommand("DefaultParagraphSeparator",!1,i)}},bi=St.forcesObjectResizing?{display:"inline",width:"auto"}:{display:"inline-block",width:"1px"};ki("trix-editor",`%t { + display: block; +} + +%t:empty::before { + content: attr(placeholder); + color: graytext; + cursor: text; + pointer-events: none; + white-space: pre-line; +} + +%t a[contenteditable=false] { + cursor: text; +} + +%t img { + max-width: 100%; + height: auto; +} + +%t `.concat(K,` figcaption textarea { + resize: none; +} + +%t `).concat(K,` figcaption textarea.trix-autoresize-clone { + position: absolute; + left: -9999px; + max-height: 0px; +} + +%t `).concat(K,` figcaption[data-trix-placeholder]:empty::before { + content: attr(data-trix-placeholder); + color: graytext; +} + +%t [data-trix-cursor-target] { + display: `).concat(bi.display,` !important; + width: `).concat(bi.width,` !important; + padding: 0 !important; + margin: 0 !important; + border: none !important; +} + +%t [data-trix-cursor-target=left] { + vertical-align: top !important; + margin-left: -1px !important; +} + +%t [data-trix-cursor-target=right] { + vertical-align: bottom !important; + margin-right: -1px !important; +}`));var Qt=class extends HTMLElement{get trixId(){return this.hasAttribute("trix-id")?this.getAttribute("trix-id"):(this.setAttribute("trix-id",++ir),this.trixId)}get labels(){let t=[];this.id&&this.ownerDocument&&t.push(...Array.from(this.ownerDocument.querySelectorAll("label[for='".concat(this.id,"']"))||[]));let e=q(this,{matchingSelector:"label"});return e&&[this,null].includes(e.control)&&t.push(e),t}get toolbarElement(){var t;if(this.hasAttribute("toolbar"))return(t=this.ownerDocument)===null||t===void 0?void 0:t.getElementById(this.getAttribute("toolbar"));if(this.parentNode){let e="trix-toolbar-".concat(this.trixId);this.setAttribute("toolbar",e);let i=d("trix-toolbar",{id:e});return this.parentNode.insertBefore(i,this),i}}get form(){var t;return(t=this.inputElement)===null||t===void 0?void 0:t.form}get inputElement(){var t;if(this.hasAttribute("input"))return(t=this.ownerDocument)===null||t===void 0?void 0:t.getElementById(this.getAttribute("input"));if(this.parentNode){let e="trix-input-".concat(this.trixId);this.setAttribute("input",e);let i=d("input",{type:"hidden",id:e});return this.parentNode.insertBefore(i,this.nextElementSibling),i}}get editor(){var t;return(t=this.editorController)===null||t===void 0?void 0:t.editor}get name(){var t;return(t=this.inputElement)===null||t===void 0?void 0:t.name}get value(){var t;return(t=this.inputElement)===null||t===void 0?void 0:t.value}set value(t){var e;this.defaultValue=t,(e=this.editor)===null||e===void 0||e.loadHTML(this.defaultValue)}notify(t,e){if(this.editorController)return vt("trix-".concat(t),{onElement:this,attributes:e})}setInputElementValue(t){this.inputElement&&(this.inputElement.value=t)}connectedCallback(){this.hasAttribute("data-trix-internal")||(nr(this),function(t){t.hasAttribute("role")||t.setAttribute("role","textbox")}(this),function(t){if(t.hasAttribute("aria-label")||t.hasAttribute("aria-labelledby"))return;let e=function(){let i=Array.from(t.labels).map(o=>{if(!o.contains(t))return o.textContent}).filter(o=>o),r=i.join(" ");return r?t.setAttribute("aria-label",r):t.removeAttribute("aria-label")};e(),p("focus",{onElement:t,withCallback:e})}(this),this.editorController||(vt("trix-before-initialize",{onElement:this}),this.editorController=new X({editorElement:this,html:this.defaultValue=this.value}),requestAnimationFrame(()=>vt("trix-initialize",{onElement:this}))),this.editorController.registerSelectionManager(),this.registerResetListener(),this.registerClickListener(),function(t){!document.querySelector(":focus")&&t.hasAttribute("autofocus")&&document.querySelector("[autofocus]")===t&&t.focus()}(this))}disconnectedCallback(){var t;return(t=this.editorController)===null||t===void 0||t.unregisterSelectionManager(),this.unregisterResetListener(),this.unregisterClickListener()}registerResetListener(){return this.resetListener=this.resetBubbled.bind(this),window.addEventListener("reset",this.resetListener,!1)}unregisterResetListener(){return window.removeEventListener("reset",this.resetListener,!1)}registerClickListener(){return this.clickListener=this.clickBubbled.bind(this),window.addEventListener("click",this.clickListener,!1)}unregisterClickListener(){return window.removeEventListener("click",this.clickListener,!1)}resetBubbled(t){if(!t.defaultPrevented&&t.target===this.form)return this.reset()}clickBubbled(t){if(t.defaultPrevented||this.contains(t.target))return;let e=q(t.target,{matchingSelector:"label"});return e&&Array.from(this.labels).includes(e)?this.focus():void 0}reset(){this.value=this.defaultValue}},T={VERSION:Mi,config:Lt,core:wn,models:Pi,views:In,controllers:Qn,observers:tr,operations:er,elements:Object.freeze({__proto__:null,TrixEditorElement:Qt,TrixToolbarElement:Zt}),filters:Object.freeze({__proto__:null,Filter:Vt,attachmentGalleryFilter:Bi})};Object.assign(T,Pi),window.Trix=T,setTimeout(function(){customElements.get("trix-toolbar")||customElements.define("trix-toolbar",Zt),customElements.get("trix-editor")||customElements.define("trix-editor",Qt)},0);T.config.blockAttributes.default.tagName="p";T.config.blockAttributes.default.breakOnReturn=!0;T.config.blockAttributes.heading={tagName:"h2",terminal:!0,breakOnReturn:!0,group:!1};T.config.blockAttributes.subHeading={tagName:"h3",terminal:!0,breakOnReturn:!0,group:!1};T.config.textAttributes.underline={style:{textDecoration:"underline"},inheritable:!0,parser:n=>window.getComputedStyle(n).textDecoration.includes("underline")};T.Block.prototype.breaksOnReturn=function(){let n=this.getLastAttribute();return T.config.blockAttributes[n||"default"]?.breakOnReturn??!1};T.LineBreakInsertion.prototype.shouldInsertBlockBreak=function(){return this.block.hasAttributes()&&this.block.isListItem()&&!this.block.isEmpty()?this.startLocation.offset>0:this.shouldBreakFormattedBlock()?!1:this.breaksOnReturn};function ar({state:n}){return{state:n,init:function(){this.$refs.trixValue.value=this.state,this.$refs.trix.editor?.loadHTML(this.state??""),this.$watch("state",()=>{document.activeElement!==this.$refs.trix&&(this.$refs.trixValue.value=this.state,this.$refs.trix.editor?.loadHTML(this.state??""))})}}}export{ar as default}; diff --git a/public/js/filament/forms/components/select.js b/public/js/filament/forms/components/select.js new file mode 100644 index 0000000..7b3c78f --- /dev/null +++ b/public/js/filament/forms/components/select.js @@ -0,0 +1,6 @@ +var lt=Object.create;var Ge=Object.defineProperty;var ct=Object.getOwnPropertyDescriptor;var ut=Object.getOwnPropertyNames;var ht=Object.getPrototypeOf,dt=Object.prototype.hasOwnProperty;var ft=(se,ie)=>()=>(ie||se((ie={exports:{}}).exports,ie),ie.exports);var pt=(se,ie,X,me)=>{if(ie&&typeof ie=="object"||typeof ie=="function")for(let j of ut(ie))!dt.call(se,j)&&j!==X&&Ge(se,j,{get:()=>ie[j],enumerable:!(me=ct(ie,j))||me.enumerable});return se};var mt=(se,ie,X)=>(X=se!=null?lt(ht(se)):{},pt(ie||!se||!se.__esModule?Ge(X,"default",{value:se,enumerable:!0}):X,se));var $e=ft((Ae,Ye)=>{(function(ie,X){typeof Ae=="object"&&typeof Ye=="object"?Ye.exports=X():typeof define=="function"&&define.amd?define([],X):typeof Ae=="object"?Ae.Choices=X():ie.Choices=X()})(window,function(){return function(){"use strict";var se={282:function(j,i,b){Object.defineProperty(i,"__esModule",{value:!0}),i.clearChoices=i.activateChoices=i.filterChoices=i.addChoice=void 0;var _=b(883),h=function(c){var l=c.value,O=c.label,L=c.id,y=c.groupId,D=c.disabled,k=c.elementId,Q=c.customProperties,Z=c.placeholder,ne=c.keyCode;return{type:_.ACTION_TYPES.ADD_CHOICE,value:l,label:O,id:L,groupId:y,disabled:D,elementId:k,customProperties:Q,placeholder:Z,keyCode:ne}};i.addChoice=h;var d=function(c){return{type:_.ACTION_TYPES.FILTER_CHOICES,results:c}};i.filterChoices=d;var a=function(c){return c===void 0&&(c=!0),{type:_.ACTION_TYPES.ACTIVATE_CHOICES,active:c}};i.activateChoices=a;var r=function(){return{type:_.ACTION_TYPES.CLEAR_CHOICES}};i.clearChoices=r},783:function(j,i,b){Object.defineProperty(i,"__esModule",{value:!0}),i.addGroup=void 0;var _=b(883),h=function(d){var a=d.value,r=d.id,c=d.active,l=d.disabled;return{type:_.ACTION_TYPES.ADD_GROUP,value:a,id:r,active:c,disabled:l}};i.addGroup=h},464:function(j,i,b){Object.defineProperty(i,"__esModule",{value:!0}),i.highlightItem=i.removeItem=i.addItem=void 0;var _=b(883),h=function(r){var c=r.value,l=r.label,O=r.id,L=r.choiceId,y=r.groupId,D=r.customProperties,k=r.placeholder,Q=r.keyCode;return{type:_.ACTION_TYPES.ADD_ITEM,value:c,label:l,id:O,choiceId:L,groupId:y,customProperties:D,placeholder:k,keyCode:Q}};i.addItem=h;var d=function(r,c){return{type:_.ACTION_TYPES.REMOVE_ITEM,id:r,choiceId:c}};i.removeItem=d;var a=function(r,c){return{type:_.ACTION_TYPES.HIGHLIGHT_ITEM,id:r,highlighted:c}};i.highlightItem=a},137:function(j,i,b){Object.defineProperty(i,"__esModule",{value:!0}),i.setIsLoading=i.resetTo=i.clearAll=void 0;var _=b(883),h=function(){return{type:_.ACTION_TYPES.CLEAR_ALL}};i.clearAll=h;var d=function(r){return{type:_.ACTION_TYPES.RESET_TO,state:r}};i.resetTo=d;var a=function(r){return{type:_.ACTION_TYPES.SET_IS_LOADING,isLoading:r}};i.setIsLoading=a},373:function(j,i,b){var _=this&&this.__spreadArray||function(g,e,t){if(t||arguments.length===2)for(var n=0,s=e.length,v;n=0?this._store.getGroupById(v):null;return this._store.dispatch((0,l.highlightItem)(n,!0)),t&&this.passedElement.triggerEvent(y.EVENTS.highlightItem,{id:n,value:M,label:f,groupValue:u&&u.value?u.value:null}),this},g.prototype.unhighlightItem=function(e){if(!e||!e.id)return this;var t=e.id,n=e.groupId,s=n===void 0?-1:n,v=e.value,P=v===void 0?"":v,M=e.label,K=M===void 0?"":M,f=s>=0?this._store.getGroupById(s):null;return this._store.dispatch((0,l.highlightItem)(t,!1)),this.passedElement.triggerEvent(y.EVENTS.highlightItem,{id:t,value:P,label:K,groupValue:f&&f.value?f.value:null}),this},g.prototype.highlightAll=function(){var e=this;return this._store.items.forEach(function(t){return e.highlightItem(t)}),this},g.prototype.unhighlightAll=function(){var e=this;return this._store.items.forEach(function(t){return e.unhighlightItem(t)}),this},g.prototype.removeActiveItemsByValue=function(e){var t=this;return this._store.activeItems.filter(function(n){return n.value===e}).forEach(function(n){return t._removeItem(n)}),this},g.prototype.removeActiveItems=function(e){var t=this;return this._store.activeItems.filter(function(n){var s=n.id;return s!==e}).forEach(function(n){return t._removeItem(n)}),this},g.prototype.removeHighlightedItems=function(e){var t=this;return e===void 0&&(e=!1),this._store.highlightedActiveItems.forEach(function(n){t._removeItem(n),e&&t._triggerChange(n.value)}),this},g.prototype.showDropdown=function(e){var t=this;return this.dropdown.isActive?this:(requestAnimationFrame(function(){t.dropdown.show(),t.containerOuter.open(t.dropdown.distanceFromTopWindow),!e&&t._canSearch&&t.input.focus(),t.passedElement.triggerEvent(y.EVENTS.showDropdown,{})}),this)},g.prototype.hideDropdown=function(e){var t=this;return this.dropdown.isActive?(requestAnimationFrame(function(){t.dropdown.hide(),t.containerOuter.close(),!e&&t._canSearch&&(t.input.removeActiveDescendant(),t.input.blur()),t.passedElement.triggerEvent(y.EVENTS.hideDropdown,{})}),this):this},g.prototype.getValue=function(e){e===void 0&&(e=!1);var t=this._store.activeItems.reduce(function(n,s){var v=e?s.value:s;return n.push(v),n},[]);return this._isSelectOneElement?t[0]:t},g.prototype.setValue=function(e){var t=this;return this.initialised?(e.forEach(function(n){return t._setChoiceOrItem(n)}),this):this},g.prototype.setChoiceByValue=function(e){var t=this;if(!this.initialised||this._isTextElement)return this;var n=Array.isArray(e)?e:[e];return n.forEach(function(s){return t._findAndSelectChoiceByValue(s)}),this},g.prototype.setChoices=function(e,t,n,s){var v=this;if(e===void 0&&(e=[]),t===void 0&&(t="value"),n===void 0&&(n="label"),s===void 0&&(s=!1),!this.initialised)throw new ReferenceError("setChoices was called on a non-initialized instance of Choices");if(!this._isSelectElement)throw new TypeError("setChoices can't be used with INPUT based Choices");if(typeof t!="string"||!t)throw new TypeError("value parameter must be a name of 'value' field in passed objects");if(s&&this.clearChoices(),typeof e=="function"){var P=e(this);if(typeof Promise=="function"&&P instanceof Promise)return new Promise(function(M){return requestAnimationFrame(M)}).then(function(){return v._handleLoadingState(!0)}).then(function(){return P}).then(function(M){return v.setChoices(M,t,n,s)}).catch(function(M){v.config.silent||console.error(M)}).then(function(){return v._handleLoadingState(!1)}).then(function(){return v});if(!Array.isArray(P))throw new TypeError(".setChoices first argument function must return either array of choices or Promise, got: ".concat(typeof P));return this.setChoices(P,t,n,!1)}if(!Array.isArray(e))throw new TypeError(".setChoices must be called either with array of choices with a function resulting into Promise of array of choices");return this.containerOuter.removeLoadingState(),this._startLoading(),e.forEach(function(M){if(M.choices)v._addGroup({id:M.id?parseInt("".concat(M.id),10):null,group:M,valueKey:t,labelKey:n});else{var K=M;v._addChoice({value:K[t],label:K[n],isSelected:!!K.selected,isDisabled:!!K.disabled,placeholder:!!K.placeholder,customProperties:K.customProperties})}}),this._stopLoading(),this},g.prototype.clearChoices=function(){return this._store.dispatch((0,r.clearChoices)()),this},g.prototype.clearStore=function(){return this._store.dispatch((0,O.clearAll)()),this},g.prototype.clearInput=function(){var e=!this._isSelectOneElement;return this.input.clear(e),!this._isTextElement&&this._canSearch&&(this._isSearching=!1,this._store.dispatch((0,r.activateChoices)(!0))),this},g.prototype._render=function(){if(!this._store.isLoading()){this._currentState=this._store.state;var e=this._currentState.choices!==this._prevState.choices||this._currentState.groups!==this._prevState.groups||this._currentState.items!==this._prevState.items,t=this._isSelectElement,n=this._currentState.items!==this._prevState.items;e&&(t&&this._renderChoices(),n&&this._renderItems(),this._prevState=this._currentState)}},g.prototype._renderChoices=function(){var e=this,t=this._store,n=t.activeGroups,s=t.activeChoices,v=document.createDocumentFragment();if(this.choiceList.clear(),this.config.resetScrollPosition&&requestAnimationFrame(function(){return e.choiceList.scrollToTop()}),n.length>=1&&!this._isSearching){var P=s.filter(function(C){return C.placeholder===!0&&C.groupId===-1});P.length>=1&&(v=this._createChoicesFragment(P,v)),v=this._createGroupsFragment(n,s,v)}else s.length>=1&&(v=this._createChoicesFragment(s,v));if(v.childNodes&&v.childNodes.length>0){var M=this._store.activeItems,K=this._canAddItem(M,this.input.value);if(K.response)this.choiceList.append(v),this._highlightChoice();else{var f=this._getTemplate("notice",K.notice);this.choiceList.append(f)}}else{var u=void 0,f=void 0;this._isSearching?(f=typeof this.config.noResultsText=="function"?this.config.noResultsText():this.config.noResultsText,u=this._getTemplate("notice",f,"no-results")):(f=typeof this.config.noChoicesText=="function"?this.config.noChoicesText():this.config.noChoicesText,u=this._getTemplate("notice",f,"no-choices")),this.choiceList.append(u)}},g.prototype._renderItems=function(){var e=this._store.activeItems||[];this.itemList.clear();var t=this._createItemsFragment(e);t.childNodes&&this.itemList.append(t)},g.prototype._createGroupsFragment=function(e,t,n){var s=this;n===void 0&&(n=document.createDocumentFragment());var v=function(P){return t.filter(function(M){return s._isSelectOneElement?M.groupId===P.id:M.groupId===P.id&&(s.config.renderSelectedChoices==="always"||!M.selected)})};return this.config.shouldSort&&e.sort(this.config.sorter),e.forEach(function(P){var M=v(P);if(M.length>=1){var K=s._getTemplate("choiceGroup",P);n.appendChild(K),s._createChoicesFragment(M,n,!0)}}),n},g.prototype._createChoicesFragment=function(e,t,n){var s=this;t===void 0&&(t=document.createDocumentFragment()),n===void 0&&(n=!1);var v=this.config,P=v.renderSelectedChoices,M=v.searchResultLimit,K=v.renderChoiceLimit,f=this._isSearching?k.sortByScore:this.config.sorter,u=function(z){var ee=P==="auto"?s._isSelectOneElement||!z.selected:!0;if(ee){var ae=s._getTemplate("choice",z,s.config.itemSelectText);t.appendChild(ae)}},C=e;P==="auto"&&!this._isSelectOneElement&&(C=e.filter(function(z){return!z.selected}));var Y=C.reduce(function(z,ee){return ee.placeholder?z.placeholderChoices.push(ee):z.normalChoices.push(ee),z},{placeholderChoices:[],normalChoices:[]}),V=Y.placeholderChoices,U=Y.normalChoices;(this.config.shouldSort||this._isSearching)&&U.sort(f);var $=C.length,W=this._isSelectOneElement?_(_([],V,!0),U,!0):U;this._isSearching?$=M:K&&K>0&&!n&&($=K);for(var J=0;J<$;J+=1)W[J]&&u(W[J]);return t},g.prototype._createItemsFragment=function(e,t){var n=this;t===void 0&&(t=document.createDocumentFragment());var s=this.config,v=s.shouldSortItems,P=s.sorter,M=s.removeItemButton;v&&!this._isSelectOneElement&&e.sort(P),this._isTextElement?this.passedElement.value=e.map(function(f){var u=f.value;return u}).join(this.config.delimiter):this.passedElement.options=e;var K=function(f){var u=n._getTemplate("item",f,M);t.appendChild(u)};return e.forEach(K),t},g.prototype._triggerChange=function(e){e!=null&&this.passedElement.triggerEvent(y.EVENTS.change,{value:e})},g.prototype._selectPlaceholderChoice=function(e){this._addItem({value:e.value,label:e.label,choiceId:e.id,groupId:e.groupId,placeholder:e.placeholder}),this._triggerChange(e.value)},g.prototype._handleButtonAction=function(e,t){if(!(!e||!t||!this.config.removeItems||!this.config.removeItemButton)){var n=t.parentNode&&t.parentNode.dataset.id,s=n&&e.find(function(v){return v.id===parseInt(n,10)});s&&(this._removeItem(s),this._triggerChange(s.value),this._isSelectOneElement&&this._store.placeholderChoice&&this._selectPlaceholderChoice(this._store.placeholderChoice))}},g.prototype._handleItemAction=function(e,t,n){var s=this;if(n===void 0&&(n=!1),!(!e||!t||!this.config.removeItems||this._isSelectOneElement)){var v=t.dataset.id;e.forEach(function(P){P.id===parseInt("".concat(v),10)&&!P.highlighted?s.highlightItem(P):!n&&P.highlighted&&s.unhighlightItem(P)}),this.input.focus()}},g.prototype._handleChoiceAction=function(e,t){if(!(!e||!t)){var n=t.dataset.id,s=n&&this._store.getChoiceById(n);if(s){var v=e[0]&&e[0].keyCode?e[0].keyCode:void 0,P=this.dropdown.isActive;if(s.keyCode=v,this.passedElement.triggerEvent(y.EVENTS.choice,{choice:s}),!s.selected&&!s.disabled){var M=this._canAddItem(e,s.value);M.response&&(this._addItem({value:s.value,label:s.label,choiceId:s.id,groupId:s.groupId,customProperties:s.customProperties,placeholder:s.placeholder,keyCode:s.keyCode}),this._triggerChange(s.value))}this.clearInput(),P&&this._isSelectOneElement&&(this.hideDropdown(!0),this.containerOuter.focus())}}},g.prototype._handleBackspace=function(e){if(!(!this.config.removeItems||!e)){var t=e[e.length-1],n=e.some(function(s){return s.highlighted});this.config.editItems&&!n&&t?(this.input.value=t.value,this.input.setWidth(),this._removeItem(t),this._triggerChange(t.value)):(n||this.highlightItem(t,!1),this.removeHighlightedItems(!0))}},g.prototype._startLoading=function(){this._store.dispatch((0,O.setIsLoading)(!0))},g.prototype._stopLoading=function(){this._store.dispatch((0,O.setIsLoading)(!1))},g.prototype._handleLoadingState=function(e){e===void 0&&(e=!0);var t=this.itemList.getChild(".".concat(this.config.classNames.placeholder));e?(this.disable(),this.containerOuter.addLoadingState(),this._isSelectOneElement?t?t.innerHTML=this.config.loadingText:(t=this._getTemplate("placeholder",this.config.loadingText),t&&this.itemList.append(t)):this.input.placeholder=this.config.loadingText):(this.enable(),this.containerOuter.removeLoadingState(),this._isSelectOneElement?t&&(t.innerHTML=this._placeholderValue||""):this.input.placeholder=this._placeholderValue||"")},g.prototype._handleSearch=function(e){if(this.input.isFocussed){var t=this._store.choices,n=this.config,s=n.searchFloor,v=n.searchChoices,P=t.some(function(K){return!K.active});if(e!==null&&typeof e<"u"&&e.length>=s){var M=v?this._searchChoices(e):0;this.passedElement.triggerEvent(y.EVENTS.search,{value:e,resultCount:M})}else P&&(this._isSearching=!1,this._store.dispatch((0,r.activateChoices)(!0)))}},g.prototype._canAddItem=function(e,t){var n=!0,s=typeof this.config.addItemText=="function"?this.config.addItemText(t):this.config.addItemText;if(!this._isSelectOneElement){var v=(0,k.existsInArray)(e,t);this.config.maxItemCount>0&&this.config.maxItemCount<=e.length&&(n=!1,s=typeof this.config.maxItemText=="function"?this.config.maxItemText(this.config.maxItemCount):this.config.maxItemText),!this.config.duplicateItemsAllowed&&v&&n&&(n=!1,s=typeof this.config.uniqueItemText=="function"?this.config.uniqueItemText(t):this.config.uniqueItemText),this._isTextElement&&this.config.addItems&&n&&typeof this.config.addItemFilter=="function"&&!this.config.addItemFilter(t)&&(n=!1,s=typeof this.config.customAddItemText=="function"?this.config.customAddItemText(t):this.config.customAddItemText)}return{response:n,notice:s}},g.prototype._searchChoices=function(e){var t=typeof e=="string"?e.trim():e,n=typeof this._currentValue=="string"?this._currentValue.trim():this._currentValue;if(t.length<1&&t==="".concat(n," "))return 0;var s=this._store.searchableChoices,v=t,P=Object.assign(this.config.fuseOptions,{keys:_([],this.config.searchFields,!0),includeMatches:!0}),M=new a.default(s,P),K=M.search(v);return this._currentValue=t,this._highlightPosition=0,this._isSearching=!0,this._store.dispatch((0,r.filterChoices)(K)),K.length},g.prototype._addEventListeners=function(){var e=document.documentElement;e.addEventListener("touchend",this._onTouchEnd,!0),this.containerOuter.element.addEventListener("keydown",this._onKeyDown,!0),this.containerOuter.element.addEventListener("mousedown",this._onMouseDown,!0),e.addEventListener("click",this._onClick,{passive:!0}),e.addEventListener("touchmove",this._onTouchMove,{passive:!0}),this.dropdown.element.addEventListener("mouseover",this._onMouseOver,{passive:!0}),this._isSelectOneElement&&(this.containerOuter.element.addEventListener("focus",this._onFocus,{passive:!0}),this.containerOuter.element.addEventListener("blur",this._onBlur,{passive:!0})),this.input.element.addEventListener("keyup",this._onKeyUp,{passive:!0}),this.input.element.addEventListener("focus",this._onFocus,{passive:!0}),this.input.element.addEventListener("blur",this._onBlur,{passive:!0}),this.input.element.form&&this.input.element.form.addEventListener("reset",this._onFormReset,{passive:!0}),this.input.addEventListeners()},g.prototype._removeEventListeners=function(){var e=document.documentElement;e.removeEventListener("touchend",this._onTouchEnd,!0),this.containerOuter.element.removeEventListener("keydown",this._onKeyDown,!0),this.containerOuter.element.removeEventListener("mousedown",this._onMouseDown,!0),e.removeEventListener("click",this._onClick),e.removeEventListener("touchmove",this._onTouchMove),this.dropdown.element.removeEventListener("mouseover",this._onMouseOver),this._isSelectOneElement&&(this.containerOuter.element.removeEventListener("focus",this._onFocus),this.containerOuter.element.removeEventListener("blur",this._onBlur)),this.input.element.removeEventListener("keyup",this._onKeyUp),this.input.element.removeEventListener("focus",this._onFocus),this.input.element.removeEventListener("blur",this._onBlur),this.input.element.form&&this.input.element.form.removeEventListener("reset",this._onFormReset),this.input.removeEventListeners()},g.prototype._onKeyDown=function(e){var t=e.keyCode,n=this._store.activeItems,s=this.input.isFocussed,v=this.dropdown.isActive,P=this.itemList.hasChildren(),M=String.fromCharCode(t),K=/[^\x00-\x1F]/.test(M),f=y.KEY_CODES.BACK_KEY,u=y.KEY_CODES.DELETE_KEY,C=y.KEY_CODES.ENTER_KEY,Y=y.KEY_CODES.A_KEY,V=y.KEY_CODES.ESC_KEY,U=y.KEY_CODES.UP_KEY,$=y.KEY_CODES.DOWN_KEY,W=y.KEY_CODES.PAGE_UP_KEY,J=y.KEY_CODES.PAGE_DOWN_KEY;switch(!this._isTextElement&&!v&&K&&(this.showDropdown(),this.input.isFocussed||(this.input.value+=e.key.toLowerCase())),t){case Y:return this._onSelectKey(e,P);case C:return this._onEnterKey(e,n,v);case V:return this._onEscapeKey(v);case U:case W:case $:case J:return this._onDirectionKey(e,v);case u:case f:return this._onDeleteKey(e,n,s);default:}},g.prototype._onKeyUp=function(e){var t=e.target,n=e.keyCode,s=this.input.value,v=this._store.activeItems,P=this._canAddItem(v,s),M=y.KEY_CODES.BACK_KEY,K=y.KEY_CODES.DELETE_KEY;if(this._isTextElement){var f=P.notice&&s;if(f){var u=this._getTemplate("notice",P.notice);this.dropdown.element.innerHTML=u.outerHTML,this.showDropdown(!0)}else this.hideDropdown(!0)}else{var C=n===M||n===K,Y=C&&t&&!t.value,V=!this._isTextElement&&this._isSearching,U=this._canSearch&&P.response;Y&&V?(this._isSearching=!1,this._store.dispatch((0,r.activateChoices)(!0))):U&&this._handleSearch(this.input.rawValue)}this._canSearch=this.config.searchEnabled},g.prototype._onSelectKey=function(e,t){var n=e.ctrlKey,s=e.metaKey,v=n||s;if(v&&t){this._canSearch=!1;var P=this.config.removeItems&&!this.input.value&&this.input.element===document.activeElement;P&&this.highlightAll()}},g.prototype._onEnterKey=function(e,t,n){var s=e.target,v=y.KEY_CODES.ENTER_KEY,P=s&&s.hasAttribute("data-button");if(this._isTextElement&&s&&s.value){var M=this.input.value,K=this._canAddItem(t,M);K.response&&(this.hideDropdown(!0),this._addItem({value:M}),this._triggerChange(M),this.clearInput())}if(P&&(this._handleButtonAction(t,s),e.preventDefault()),n){var f=this.dropdown.getChild(".".concat(this.config.classNames.highlightedState));f&&(t[0]&&(t[0].keyCode=v),this._handleChoiceAction(t,f)),e.preventDefault()}else this._isSelectOneElement&&(this.showDropdown(),e.preventDefault())},g.prototype._onEscapeKey=function(e){e&&(this.hideDropdown(!0),this.containerOuter.focus())},g.prototype._onDirectionKey=function(e,t){var n=e.keyCode,s=e.metaKey,v=y.KEY_CODES.DOWN_KEY,P=y.KEY_CODES.PAGE_UP_KEY,M=y.KEY_CODES.PAGE_DOWN_KEY;if(t||this._isSelectOneElement){this.showDropdown(),this._canSearch=!1;var K=n===v||n===M?1:-1,f=s||n===M||n===P,u="[data-choice-selectable]",C=void 0;if(f)K>0?C=this.dropdown.element.querySelector("".concat(u,":last-of-type")):C=this.dropdown.element.querySelector(u);else{var Y=this.dropdown.element.querySelector(".".concat(this.config.classNames.highlightedState));Y?C=(0,k.getAdjacentEl)(Y,u,K):C=this.dropdown.element.querySelector(u)}C&&((0,k.isScrolledIntoView)(C,this.choiceList.element,K)||this.choiceList.scrollToChildElement(C,K),this._highlightChoice(C)),e.preventDefault()}},g.prototype._onDeleteKey=function(e,t,n){var s=e.target;!this._isSelectOneElement&&!s.value&&n&&(this._handleBackspace(t),e.preventDefault())},g.prototype._onTouchMove=function(){this._wasTap&&(this._wasTap=!1)},g.prototype._onTouchEnd=function(e){var t=(e||e.touches[0]).target,n=this._wasTap&&this.containerOuter.element.contains(t);if(n){var s=t===this.containerOuter.element||t===this.containerInner.element;s&&(this._isTextElement?this.input.focus():this._isSelectMultipleElement&&this.showDropdown()),e.stopPropagation()}this._wasTap=!0},g.prototype._onMouseDown=function(e){var t=e.target;if(t instanceof HTMLElement){if(E&&this.choiceList.element.contains(t)){var n=this.choiceList.element.firstElementChild,s=this._direction==="ltr"?e.offsetX>=n.offsetWidth:e.offsetX0;s&&this.unhighlightAll(),this.containerOuter.removeFocusState(),this.hideDropdown(!0)}},g.prototype._onFocus=function(e){var t,n=this,s=e.target,v=s&&this.containerOuter.element.contains(s);if(v){var P=(t={},t[y.TEXT_TYPE]=function(){s===n.input.element&&n.containerOuter.addFocusState()},t[y.SELECT_ONE_TYPE]=function(){n.containerOuter.addFocusState(),s===n.input.element&&n.showDropdown(!0)},t[y.SELECT_MULTIPLE_TYPE]=function(){s===n.input.element&&(n.showDropdown(!0),n.containerOuter.addFocusState())},t);P[this.passedElement.element.type]()}},g.prototype._onBlur=function(e){var t,n=this,s=e.target,v=s&&this.containerOuter.element.contains(s);if(v&&!this._isScrollingOnIe){var P=this._store.activeItems,M=P.some(function(f){return f.highlighted}),K=(t={},t[y.TEXT_TYPE]=function(){s===n.input.element&&(n.containerOuter.removeFocusState(),M&&n.unhighlightAll(),n.hideDropdown(!0))},t[y.SELECT_ONE_TYPE]=function(){n.containerOuter.removeFocusState(),(s===n.input.element||s===n.containerOuter.element&&!n._canSearch)&&n.hideDropdown(!0)},t[y.SELECT_MULTIPLE_TYPE]=function(){s===n.input.element&&(n.containerOuter.removeFocusState(),n.hideDropdown(!0),M&&n.unhighlightAll())},t);K[this.passedElement.element.type]()}else this._isScrollingOnIe=!1,this.input.element.focus()},g.prototype._onFormReset=function(){this._store.dispatch((0,O.resetTo)(this._initialState))},g.prototype._highlightChoice=function(e){var t=this;e===void 0&&(e=null);var n=Array.from(this.dropdown.element.querySelectorAll("[data-choice-selectable]"));if(n.length){var s=e,v=Array.from(this.dropdown.element.querySelectorAll(".".concat(this.config.classNames.highlightedState)));v.forEach(function(P){P.classList.remove(t.config.classNames.highlightedState),P.setAttribute("aria-selected","false")}),s?this._highlightPosition=n.indexOf(s):(n.length>this._highlightPosition?s=n[this._highlightPosition]:s=n[n.length-1],s||(s=n[0])),s.classList.add(this.config.classNames.highlightedState),s.setAttribute("aria-selected","true"),this.passedElement.triggerEvent(y.EVENTS.highlightChoice,{el:s}),this.dropdown.isActive&&(this.input.setActiveDescendant(s.id),this.containerOuter.setActiveDescendant(s.id))}},g.prototype._addItem=function(e){var t=e.value,n=e.label,s=n===void 0?null:n,v=e.choiceId,P=v===void 0?-1:v,M=e.groupId,K=M===void 0?-1:M,f=e.customProperties,u=f===void 0?{}:f,C=e.placeholder,Y=C===void 0?!1:C,V=e.keyCode,U=V===void 0?-1:V,$=typeof t=="string"?t.trim():t,W=this._store.items,J=s||$,z=P||-1,ee=K>=0?this._store.getGroupById(K):null,ae=W?W.length+1:1;this.config.prependValue&&($=this.config.prependValue+$.toString()),this.config.appendValue&&($+=this.config.appendValue.toString()),this._store.dispatch((0,l.addItem)({value:$,label:J,id:ae,choiceId:z,groupId:K,customProperties:u,placeholder:Y,keyCode:U})),this._isSelectOneElement&&this.removeActiveItems(ae),this.passedElement.triggerEvent(y.EVENTS.addItem,{id:ae,value:$,label:J,customProperties:u,groupValue:ee&&ee.value?ee.value:null,keyCode:U})},g.prototype._removeItem=function(e){var t=e.id,n=e.value,s=e.label,v=e.customProperties,P=e.choiceId,M=e.groupId,K=M&&M>=0?this._store.getGroupById(M):null;!t||!P||(this._store.dispatch((0,l.removeItem)(t,P)),this.passedElement.triggerEvent(y.EVENTS.removeItem,{id:t,value:n,label:s,customProperties:v,groupValue:K&&K.value?K.value:null}))},g.prototype._addChoice=function(e){var t=e.value,n=e.label,s=n===void 0?null:n,v=e.isSelected,P=v===void 0?!1:v,M=e.isDisabled,K=M===void 0?!1:M,f=e.groupId,u=f===void 0?-1:f,C=e.customProperties,Y=C===void 0?{}:C,V=e.placeholder,U=V===void 0?!1:V,$=e.keyCode,W=$===void 0?-1:$;if(!(typeof t>"u"||t===null)){var J=this._store.choices,z=s||t,ee=J?J.length+1:1,ae="".concat(this._baseId,"-").concat(this._idNames.itemChoice,"-").concat(ee);this._store.dispatch((0,r.addChoice)({id:ee,groupId:u,elementId:ae,value:t,label:z,disabled:K,customProperties:Y,placeholder:U,keyCode:W})),P&&this._addItem({value:t,label:z,choiceId:ee,customProperties:Y,placeholder:U,keyCode:W})}},g.prototype._addGroup=function(e){var t=this,n=e.group,s=e.id,v=e.valueKey,P=v===void 0?"value":v,M=e.labelKey,K=M===void 0?"label":M,f=(0,k.isType)("Object",n)?n.choices:Array.from(n.getElementsByTagName("OPTION")),u=s||Math.floor(new Date().valueOf()*Math.random()),C=n.disabled?n.disabled:!1;if(f){this._store.dispatch((0,c.addGroup)({value:n.label,id:u,active:!0,disabled:C}));var Y=function(V){var U=V.disabled||V.parentNode&&V.parentNode.disabled;t._addChoice({value:V[P],label:(0,k.isType)("Object",V)?V[K]:V.innerHTML,isSelected:V.selected,isDisabled:U,groupId:u,customProperties:V.customProperties,placeholder:V.placeholder})};f.forEach(Y)}else this._store.dispatch((0,c.addGroup)({value:n.label,id:n.id,active:!1,disabled:n.disabled}))},g.prototype._getTemplate=function(e){for(var t,n=[],s=1;s0?this.element.scrollTop+y-O:a.offsetTop;requestAnimationFrame(function(){c._animateScroll(D,r)})}},d.prototype._scrollDown=function(a,r,c){var l=(c-a)/r,O=l>1?l:1;this.element.scrollTop=a+O},d.prototype._scrollUp=function(a,r,c){var l=(a-c)/r,O=l>1?l:1;this.element.scrollTop=a-O},d.prototype._animateScroll=function(a,r){var c=this,l=_.SCROLLING_SPEED,O=this.element.scrollTop,L=!1;r>0?(this._scrollDown(O,l,a),Oa&&(L=!0)),L&&requestAnimationFrame(function(){c._animateScroll(a,r)})},d}();i.default=h},730:function(j,i,b){Object.defineProperty(i,"__esModule",{value:!0});var _=b(799),h=function(){function d(a){var r=a.element,c=a.classNames;if(this.element=r,this.classNames=c,!(r instanceof HTMLInputElement)&&!(r instanceof HTMLSelectElement))throw new TypeError("Invalid element passed");this.isDisabled=!1}return Object.defineProperty(d.prototype,"isActive",{get:function(){return this.element.dataset.choice==="active"},enumerable:!1,configurable:!0}),Object.defineProperty(d.prototype,"dir",{get:function(){return this.element.dir},enumerable:!1,configurable:!0}),Object.defineProperty(d.prototype,"value",{get:function(){return this.element.value},set:function(a){this.element.value=a},enumerable:!1,configurable:!0}),d.prototype.conceal=function(){this.element.classList.add(this.classNames.input),this.element.hidden=!0,this.element.tabIndex=-1;var a=this.element.getAttribute("style");a&&this.element.setAttribute("data-choice-orig-style",a),this.element.setAttribute("data-choice","active")},d.prototype.reveal=function(){this.element.classList.remove(this.classNames.input),this.element.hidden=!1,this.element.removeAttribute("tabindex");var a=this.element.getAttribute("data-choice-orig-style");a?(this.element.removeAttribute("data-choice-orig-style"),this.element.setAttribute("style",a)):this.element.removeAttribute("style"),this.element.removeAttribute("data-choice"),this.element.value=this.element.value},d.prototype.enable=function(){this.element.removeAttribute("disabled"),this.element.disabled=!1,this.isDisabled=!1},d.prototype.disable=function(){this.element.setAttribute("disabled",""),this.element.disabled=!0,this.isDisabled=!0},d.prototype.triggerEvent=function(a,r){(0,_.dispatchEvent)(this.element,a,r)},d}();i.default=h},541:function(j,i,b){var _=this&&this.__extends||function(){var r=function(c,l){return r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(O,L){O.__proto__=L}||function(O,L){for(var y in L)Object.prototype.hasOwnProperty.call(L,y)&&(O[y]=L[y])},r(c,l)};return function(c,l){if(typeof l!="function"&&l!==null)throw new TypeError("Class extends value "+String(l)+" is not a constructor or null");r(c,l);function O(){this.constructor=c}c.prototype=l===null?Object.create(l):(O.prototype=l.prototype,new O)}}(),h=this&&this.__importDefault||function(r){return r&&r.__esModule?r:{default:r}};Object.defineProperty(i,"__esModule",{value:!0});var d=h(b(730)),a=function(r){_(c,r);function c(l){var O=l.element,L=l.classNames,y=l.delimiter,D=r.call(this,{element:O,classNames:L})||this;return D.delimiter=y,D}return Object.defineProperty(c.prototype,"value",{get:function(){return this.element.value},set:function(l){this.element.setAttribute("value",l),this.element.value=l},enumerable:!1,configurable:!0}),c}(d.default);i.default=a},982:function(j,i,b){var _=this&&this.__extends||function(){var r=function(c,l){return r=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(O,L){O.__proto__=L}||function(O,L){for(var y in L)Object.prototype.hasOwnProperty.call(L,y)&&(O[y]=L[y])},r(c,l)};return function(c,l){if(typeof l!="function"&&l!==null)throw new TypeError("Class extends value "+String(l)+" is not a constructor or null");r(c,l);function O(){this.constructor=c}c.prototype=l===null?Object.create(l):(O.prototype=l.prototype,new O)}}(),h=this&&this.__importDefault||function(r){return r&&r.__esModule?r:{default:r}};Object.defineProperty(i,"__esModule",{value:!0});var d=h(b(730)),a=function(r){_(c,r);function c(l){var O=l.element,L=l.classNames,y=l.template,D=r.call(this,{element:O,classNames:L})||this;return D.template=y,D}return Object.defineProperty(c.prototype,"placeholderOption",{get:function(){return this.element.querySelector('option[value=""]')||this.element.querySelector("option[placeholder]")},enumerable:!1,configurable:!0}),Object.defineProperty(c.prototype,"optionGroups",{get:function(){return Array.from(this.element.getElementsByTagName("OPTGROUP"))},enumerable:!1,configurable:!0}),Object.defineProperty(c.prototype,"options",{get:function(){return Array.from(this.element.options)},set:function(l){var O=this,L=document.createDocumentFragment(),y=function(D){var k=O.template(D);L.appendChild(k)};l.forEach(function(D){return y(D)}),this.appendDocFragment(L)},enumerable:!1,configurable:!0}),c.prototype.appendDocFragment=function(l){this.element.innerHTML="",this.element.appendChild(l)},c}(d.default);i.default=a},883:function(j,i){Object.defineProperty(i,"__esModule",{value:!0}),i.SCROLLING_SPEED=i.SELECT_MULTIPLE_TYPE=i.SELECT_ONE_TYPE=i.TEXT_TYPE=i.KEY_CODES=i.ACTION_TYPES=i.EVENTS=void 0,i.EVENTS={showDropdown:"showDropdown",hideDropdown:"hideDropdown",change:"change",choice:"choice",search:"search",addItem:"addItem",removeItem:"removeItem",highlightItem:"highlightItem",highlightChoice:"highlightChoice",unhighlightItem:"unhighlightItem"},i.ACTION_TYPES={ADD_CHOICE:"ADD_CHOICE",FILTER_CHOICES:"FILTER_CHOICES",ACTIVATE_CHOICES:"ACTIVATE_CHOICES",CLEAR_CHOICES:"CLEAR_CHOICES",ADD_GROUP:"ADD_GROUP",ADD_ITEM:"ADD_ITEM",REMOVE_ITEM:"REMOVE_ITEM",HIGHLIGHT_ITEM:"HIGHLIGHT_ITEM",CLEAR_ALL:"CLEAR_ALL",RESET_TO:"RESET_TO",SET_IS_LOADING:"SET_IS_LOADING"},i.KEY_CODES={BACK_KEY:46,DELETE_KEY:8,ENTER_KEY:13,A_KEY:65,ESC_KEY:27,UP_KEY:38,DOWN_KEY:40,PAGE_UP_KEY:33,PAGE_DOWN_KEY:34},i.TEXT_TYPE="text",i.SELECT_ONE_TYPE="select-one",i.SELECT_MULTIPLE_TYPE="select-multiple",i.SCROLLING_SPEED=4},789:function(j,i,b){Object.defineProperty(i,"__esModule",{value:!0}),i.DEFAULT_CONFIG=i.DEFAULT_CLASSNAMES=void 0;var _=b(799);i.DEFAULT_CLASSNAMES={containerOuter:"choices",containerInner:"choices__inner",input:"choices__input",inputCloned:"choices__input--cloned",list:"choices__list",listItems:"choices__list--multiple",listSingle:"choices__list--single",listDropdown:"choices__list--dropdown",item:"choices__item",itemSelectable:"choices__item--selectable",itemDisabled:"choices__item--disabled",itemChoice:"choices__item--choice",placeholder:"choices__placeholder",group:"choices__group",groupHeading:"choices__heading",button:"choices__button",activeState:"is-active",focusState:"is-focused",openState:"is-open",disabledState:"is-disabled",highlightedState:"is-highlighted",selectedState:"is-selected",flippedState:"is-flipped",loadingState:"is-loading",noResults:"has-no-results",noChoices:"has-no-choices"},i.DEFAULT_CONFIG={items:[],choices:[],silent:!1,renderChoiceLimit:-1,maxItemCount:-1,addItems:!0,addItemFilter:null,removeItems:!0,removeItemButton:!1,editItems:!1,allowHTML:!0,duplicateItemsAllowed:!0,delimiter:",",paste:!0,searchEnabled:!0,searchChoices:!0,searchFloor:1,searchResultLimit:4,searchFields:["label","value"],position:"auto",resetScrollPosition:!0,shouldSort:!0,shouldSortItems:!1,sorter:_.sortByAlpha,placeholder:!0,placeholderValue:null,searchPlaceholderValue:null,prependValue:null,appendValue:null,renderSelectedChoices:"auto",loadingText:"Loading...",noResultsText:"No results found",noChoicesText:"No choices to choose from",itemSelectText:"Press to select",uniqueItemText:"Only unique values can be added",customAddItemText:"Only values matching specific conditions can be added",addItemText:function(h){return'Press Enter to add "'.concat((0,_.sanitise)(h),'"')},maxItemText:function(h){return"Only ".concat(h," values can be added")},valueComparer:function(h,d){return h===d},fuseOptions:{includeScore:!0},labelId:"",callbackOnInit:null,callbackOnCreateTemplates:null,classNames:i.DEFAULT_CLASSNAMES}},18:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},978:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},948:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},359:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},285:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},533:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},187:function(j,i,b){var _=this&&this.__createBinding||(Object.create?function(d,a,r,c){c===void 0&&(c=r);var l=Object.getOwnPropertyDescriptor(a,r);(!l||("get"in l?!a.__esModule:l.writable||l.configurable))&&(l={enumerable:!0,get:function(){return a[r]}}),Object.defineProperty(d,c,l)}:function(d,a,r,c){c===void 0&&(c=r),d[c]=a[r]}),h=this&&this.__exportStar||function(d,a){for(var r in d)r!=="default"&&!Object.prototype.hasOwnProperty.call(a,r)&&_(a,d,r)};Object.defineProperty(i,"__esModule",{value:!0}),h(b(18),i),h(b(978),i),h(b(948),i),h(b(359),i),h(b(285),i),h(b(533),i),h(b(287),i),h(b(132),i),h(b(837),i),h(b(598),i),h(b(369),i),h(b(37),i),h(b(47),i),h(b(923),i),h(b(876),i)},287:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},132:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},837:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},598:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},37:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},369:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},47:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},923:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},876:function(j,i){Object.defineProperty(i,"__esModule",{value:!0})},799:function(j,i){Object.defineProperty(i,"__esModule",{value:!0}),i.parseCustomProperties=i.diff=i.cloneObject=i.existsInArray=i.dispatchEvent=i.sortByScore=i.sortByAlpha=i.strToEl=i.sanitise=i.isScrolledIntoView=i.getAdjacentEl=i.wrap=i.isType=i.getType=i.generateId=i.generateChars=i.getRandomNumber=void 0;var b=function(E,w){return Math.floor(Math.random()*(w-E)+E)};i.getRandomNumber=b;var _=function(E){return Array.from({length:E},function(){return(0,i.getRandomNumber)(0,36).toString(36)}).join("")};i.generateChars=_;var h=function(E,w){var N=E.id||E.name&&"".concat(E.name,"-").concat((0,i.generateChars)(2))||(0,i.generateChars)(4);return N=N.replace(/(:|\.|\[|\]|,)/g,""),N="".concat(w,"-").concat(N),N};i.generateId=h;var d=function(E){return Object.prototype.toString.call(E).slice(8,-1)};i.getType=d;var a=function(E,w){return w!=null&&(0,i.getType)(w)===E};i.isType=a;var r=function(E,w){return w===void 0&&(w=document.createElement("div")),E.parentNode&&(E.nextSibling?E.parentNode.insertBefore(w,E.nextSibling):E.parentNode.appendChild(w)),w.appendChild(E)};i.wrap=r;var c=function(E,w,N){N===void 0&&(N=1);for(var g="".concat(N>0?"next":"previous","ElementSibling"),e=E[g];e;){if(e.matches(w))return e;e=e[g]}return e};i.getAdjacentEl=c;var l=function(E,w,N){if(N===void 0&&(N=1),!E)return!1;var g;return N>0?g=w.scrollTop+w.offsetHeight>=E.offsetTop+E.offsetHeight:g=E.offsetTop>=w.scrollTop,g};i.isScrolledIntoView=l;var O=function(E){return typeof E!="string"?E:E.replace(/&/g,"&").replace(/>/g,">").replace(/-1?h.map(function(y){var D=y;return D.id===parseInt("".concat(c.choiceId),10)&&(D.selected=!0),D}):h}case"REMOVE_ITEM":{var l=d;return l.choiceId&&l.choiceId>-1?h.map(function(y){var D=y;return D.id===parseInt("".concat(l.choiceId),10)&&(D.selected=!1),D}):h}case"FILTER_CHOICES":{var O=d;return h.map(function(y){var D=y;return D.active=O.results.some(function(k){var Q=k.item,Z=k.score;return Q.id===D.id?(D.score=Z,!0):!1}),D})}case"ACTIVATE_CHOICES":{var L=d;return h.map(function(y){var D=y;return D.active=L.active,D})}case"CLEAR_CHOICES":return i.defaultState;default:return h}}i.default=_},871:function(j,i){var b=this&&this.__spreadArray||function(h,d,a){if(a||arguments.length===2)for(var r=0,c=d.length,l;r0?"treeitem":"option"),Object.assign(t.dataset,{choice:"",id:Q,value:Z,selectText:d}),N?(t.classList.add(D),t.dataset.choiceDisabled="",t.setAttribute("aria-disabled","true")):(t.classList.add(L),t.dataset.choiceSelectable=""),t},input:function(_,h){var d=_.classNames,a=d.input,r=d.inputCloned,c=Object.assign(document.createElement("input"),{type:"search",name:"search_terms",className:"".concat(a," ").concat(r),autocomplete:"off",autocapitalize:"off",spellcheck:!1});return c.setAttribute("role","textbox"),c.setAttribute("aria-autocomplete","list"),c.setAttribute("aria-label",h),c},dropdown:function(_){var h=_.classNames,d=h.list,a=h.listDropdown,r=document.createElement("div");return r.classList.add(d,a),r.setAttribute("aria-expanded","false"),r},notice:function(_,h,d){var a,r=_.allowHTML,c=_.classNames,l=c.item,O=c.itemChoice,L=c.noResults,y=c.noChoices;d===void 0&&(d="");var D=[l,O];return d==="no-choices"?D.push(y):d==="no-results"&&D.push(L),Object.assign(document.createElement("div"),(a={},a[r?"innerHTML":"innerText"]=h,a.className=D.join(" "),a))},option:function(_){var h=_.label,d=_.value,a=_.customProperties,r=_.active,c=_.disabled,l=new Option(h,d,!1,r);return a&&(l.dataset.customProperties="".concat(a)),l.disabled=!!c,l}};i.default=b},996:function(j){var i=function(w){return b(w)&&!_(w)};function b(E){return!!E&&typeof E=="object"}function _(E){var w=Object.prototype.toString.call(E);return w==="[object RegExp]"||w==="[object Date]"||a(E)}var h=typeof Symbol=="function"&&Symbol.for,d=h?Symbol.for("react.element"):60103;function a(E){return E.$$typeof===d}function r(E){return Array.isArray(E)?[]:{}}function c(E,w){return w.clone!==!1&&w.isMergeableObject(E)?Z(r(E),E,w):E}function l(E,w,N){return E.concat(w).map(function(g){return c(g,N)})}function O(E,w){if(!w.customMerge)return Z;var N=w.customMerge(E);return typeof N=="function"?N:Z}function L(E){return Object.getOwnPropertySymbols?Object.getOwnPropertySymbols(E).filter(function(w){return E.propertyIsEnumerable(w)}):[]}function y(E){return Object.keys(E).concat(L(E))}function D(E,w){try{return w in E}catch{return!1}}function k(E,w){return D(E,w)&&!(Object.hasOwnProperty.call(E,w)&&Object.propertyIsEnumerable.call(E,w))}function Q(E,w,N){var g={};return N.isMergeableObject(E)&&y(E).forEach(function(e){g[e]=c(E[e],N)}),y(w).forEach(function(e){k(E,e)||(D(E,e)&&N.isMergeableObject(w[e])?g[e]=O(e,N)(E[e],w[e],N):g[e]=c(w[e],N))}),g}function Z(E,w,N){N=N||{},N.arrayMerge=N.arrayMerge||l,N.isMergeableObject=N.isMergeableObject||i,N.cloneUnlessOtherwiseSpecified=c;var g=Array.isArray(w),e=Array.isArray(E),t=g===e;return t?g?N.arrayMerge(E,w,N):Q(E,w,N):c(w,N)}Z.all=function(w,N){if(!Array.isArray(w))throw new Error("first argument should be an array");return w.reduce(function(g,e){return Z(g,e,N)},{})};var ne=Z;j.exports=ne},221:function(j,i,b){b.r(i),b.d(i,{default:function(){return Se}});function _(p){return Array.isArray?Array.isArray(p):k(p)==="[object Array]"}let h=1/0;function d(p){if(typeof p=="string")return p;let o=p+"";return o=="0"&&1/p==-h?"-0":o}function a(p){return p==null?"":d(p)}function r(p){return typeof p=="string"}function c(p){return typeof p=="number"}function l(p){return p===!0||p===!1||L(p)&&k(p)=="[object Boolean]"}function O(p){return typeof p=="object"}function L(p){return O(p)&&p!==null}function y(p){return p!=null}function D(p){return!p.trim().length}function k(p){return p==null?p===void 0?"[object Undefined]":"[object Null]":Object.prototype.toString.call(p)}let Q="Extended search is not available",Z="Incorrect 'index' type",ne=p=>`Invalid value for key ${p}`,E=p=>`Pattern length exceeds max of ${p}.`,w=p=>`Missing ${p} property in key`,N=p=>`Property 'weight' in key '${p}' must be a positive integer`,g=Object.prototype.hasOwnProperty;class e{constructor(o){this._keys=[],this._keyMap={};let m=0;o.forEach(S=>{let I=t(S);m+=I.weight,this._keys.push(I),this._keyMap[I.id]=I,m+=I.weight}),this._keys.forEach(S=>{S.weight/=m})}get(o){return this._keyMap[o]}keys(){return this._keys}toJSON(){return JSON.stringify(this._keys)}}function t(p){let o=null,m=null,S=null,I=1,T=null;if(r(p)||_(p))S=p,o=n(p),m=s(p);else{if(!g.call(p,"name"))throw new Error(w("name"));let A=p.name;if(S=A,g.call(p,"weight")&&(I=p.weight,I<=0))throw new Error(N(A));o=n(A),m=s(A),T=p.getFn}return{path:o,id:m,weight:I,src:S,getFn:T}}function n(p){return _(p)?p:p.split(".")}function s(p){return _(p)?p.join("."):p}function v(p,o){let m=[],S=!1,I=(T,A,R)=>{if(y(T))if(!A[R])m.push(T);else{let F=A[R],H=T[F];if(!y(H))return;if(R===A.length-1&&(r(H)||c(H)||l(H)))m.push(a(H));else if(_(H)){S=!0;for(let B=0,x=H.length;Bp.score===o.score?p.idx{this._keysMap[m.id]=S})}create(){this.isCreated||!this.docs.length||(this.isCreated=!0,r(this.docs[0])?this.docs.forEach((o,m)=>{this._addString(o,m)}):this.docs.forEach((o,m)=>{this._addObject(o,m)}),this.norm.clear())}add(o){let m=this.size();r(o)?this._addString(o,m):this._addObject(o,m)}removeAt(o){this.records.splice(o,1);for(let m=o,S=this.size();m{let A=I.getFn?I.getFn(o):this.getFn(o,I.path);if(y(A)){if(_(A)){let R=[],F=[{nestedArrIndex:-1,value:A}];for(;F.length;){let{nestedArrIndex:H,value:B}=F.pop();if(y(B))if(r(B)&&!D(B)){let x={v:B,i:H,n:this.norm.get(B)};R.push(x)}else _(B)&&B.forEach((x,G)=>{F.push({nestedArrIndex:G,value:x})})}S.$[T]=R}else if(r(A)&&!D(A)){let R={v:A,n:this.norm.get(A)};S.$[T]=R}}}),this.records.push(S)}toJSON(){return{keys:this.keys,records:this.records}}}function U(p,o,{getFn:m=u.getFn,fieldNormWeight:S=u.fieldNormWeight}={}){let I=new V({getFn:m,fieldNormWeight:S});return I.setKeys(p.map(t)),I.setSources(o),I.create(),I}function $(p,{getFn:o=u.getFn,fieldNormWeight:m=u.fieldNormWeight}={}){let{keys:S,records:I}=p,T=new V({getFn:o,fieldNormWeight:m});return T.setKeys(S),T.setIndexRecords(I),T}function W(p,{errors:o=0,currentLocation:m=0,expectedLocation:S=0,distance:I=u.distance,ignoreLocation:T=u.ignoreLocation}={}){let A=o/p.length;if(T)return A;let R=Math.abs(S-m);return I?A+R/I:R?1:A}function J(p=[],o=u.minMatchCharLength){let m=[],S=-1,I=-1,T=0;for(let A=p.length;T=o&&m.push([S,I]),S=-1)}return p[T-1]&&T-S>=o&&m.push([S,T-1]),m}let z=32;function ee(p,o,m,{location:S=u.location,distance:I=u.distance,threshold:T=u.threshold,findAllMatches:A=u.findAllMatches,minMatchCharLength:R=u.minMatchCharLength,includeMatches:F=u.includeMatches,ignoreLocation:H=u.ignoreLocation}={}){if(o.length>z)throw new Error(E(z));let B=o.length,x=p.length,G=Math.max(0,Math.min(S,x)),q=T,re=G,ue=R>1||F,Ee=ue?Array(x):[],ve;for(;(ve=p.indexOf(o,re))>-1;){let he=W(o,{currentLocation:ve,expectedLocation:G,distance:I,ignoreLocation:H});if(q=Math.min(he,q),re=ve+B,ue){let ge=0;for(;ge=Ue;fe-=1){let Le=fe-1,We=m[p.charAt(Le)];if(ue&&(Ee[Le]=+!!We),Oe[fe]=(Oe[fe+1]<<1|1)&We,he&&(Oe[fe]|=(Ie[fe+1]|Ie[fe])<<1|1|Ie[fe+1]),Oe[fe]&at&&(be=W(o,{errors:he,currentLocation:Le,expectedLocation:G,distance:I,ignoreLocation:H}),be<=q)){if(q=be,re=Le,re<=G)break;Ue=Math.max(1,2*G-re)}}if(W(o,{errors:he+1,currentLocation:G,expectedLocation:G,distance:I,ignoreLocation:H})>q)break;Ie=Oe}let Ke={isMatch:re>=0,score:Math.max(.001,be)};if(ue){let he=J(Ee,R);he.length?F&&(Ke.indices=he):Ke.isMatch=!1}return Ke}function ae(p){let o={};for(let m=0,S=p.length;m{this.chunks.push({pattern:G,alphabet:ae(G),startIndex:q})},x=this.pattern.length;if(x>z){let G=0,q=x%z,re=x-q;for(;G{let{isMatch:ve,score:Ie,indices:be}=ee(o,re,ue,{location:I+Ee,distance:T,threshold:A,findAllMatches:R,minMatchCharLength:F,includeMatches:S,ignoreLocation:H});ve&&(G=!0),x+=Ie,ve&&be&&(B=[...B,...be])});let q={isMatch:G,score:G?x/this.chunks.length:1};return G&&S&&(q.indices=B),q}}class le{constructor(o){this.pattern=o}static isMultiMatch(o){return _e(o,this.multiRegex)}static isSingleMatch(o){return _e(o,this.singleRegex)}search(){}}function _e(p,o){let m=p.match(o);return m?m[1]:null}class te extends le{constructor(o){super(o)}static get type(){return"exact"}static get multiRegex(){return/^="(.*)"$/}static get singleRegex(){return/^=(.*)$/}search(o){let m=o===this.pattern;return{isMatch:m,score:m?0:1,indices:[0,this.pattern.length-1]}}}class de extends le{constructor(o){super(o)}static get type(){return"inverse-exact"}static get multiRegex(){return/^!"(.*)"$/}static get singleRegex(){return/^!(.*)$/}search(o){let S=o.indexOf(this.pattern)===-1;return{isMatch:S,score:S?0:1,indices:[0,o.length-1]}}}class pe extends le{constructor(o){super(o)}static get type(){return"prefix-exact"}static get multiRegex(){return/^\^"(.*)"$/}static get singleRegex(){return/^\^(.*)$/}search(o){let m=o.startsWith(this.pattern);return{isMatch:m,score:m?0:1,indices:[0,this.pattern.length-1]}}}class oe extends le{constructor(o){super(o)}static get type(){return"inverse-prefix-exact"}static get multiRegex(){return/^!\^"(.*)"$/}static get singleRegex(){return/^!\^(.*)$/}search(o){let m=!o.startsWith(this.pattern);return{isMatch:m,score:m?0:1,indices:[0,o.length-1]}}}class Te extends le{constructor(o){super(o)}static get type(){return"suffix-exact"}static get multiRegex(){return/^"(.*)"\$$/}static get singleRegex(){return/^(.*)\$$/}search(o){let m=o.endsWith(this.pattern);return{isMatch:m,score:m?0:1,indices:[o.length-this.pattern.length,o.length-1]}}}class Pe extends le{constructor(o){super(o)}static get type(){return"inverse-suffix-exact"}static get multiRegex(){return/^!"(.*)"\$$/}static get singleRegex(){return/^!(.*)\$$/}search(o){let m=!o.endsWith(this.pattern);return{isMatch:m,score:m?0:1,indices:[0,o.length-1]}}}class He extends le{constructor(o,{location:m=u.location,threshold:S=u.threshold,distance:I=u.distance,includeMatches:T=u.includeMatches,findAllMatches:A=u.findAllMatches,minMatchCharLength:R=u.minMatchCharLength,isCaseSensitive:F=u.isCaseSensitive,ignoreLocation:H=u.ignoreLocation}={}){super(o),this._bitapSearch=new ce(o,{location:m,threshold:S,distance:I,includeMatches:T,findAllMatches:A,minMatchCharLength:R,isCaseSensitive:F,ignoreLocation:H})}static get type(){return"fuzzy"}static get multiRegex(){return/^"(.*)"$/}static get singleRegex(){return/^(.*)$/}search(o){return this._bitapSearch.searchIn(o)}}class Be extends le{constructor(o){super(o)}static get type(){return"include"}static get multiRegex(){return/^'"(.*)"$/}static get singleRegex(){return/^'(.*)$/}search(o){let m=0,S,I=[],T=this.pattern.length;for(;(S=o.indexOf(this.pattern,m))>-1;)m=S+T,I.push([S,m-1]);let A=!!I.length;return{isMatch:A,score:A?0:1,indices:I}}}let Me=[te,Be,pe,oe,Pe,Te,de,He],Ve=Me.length,Xe=/ +(?=(?:[^\"]*\"[^\"]*\")*[^\"]*$)/,Je="|";function Qe(p,o={}){return p.split(Je).map(m=>{let S=m.trim().split(Xe).filter(T=>T&&!!T.trim()),I=[];for(let T=0,A=S.length;T!!(p[Ce.AND]||p[Ce.OR]),tt=p=>!!p[je.PATH],it=p=>!_(p)&&O(p)&&!Re(p),ke=p=>({[Ce.AND]:Object.keys(p).map(o=>({[o]:p[o]}))});function xe(p,o,{auto:m=!0}={}){let S=I=>{let T=Object.keys(I),A=tt(I);if(!A&&T.length>1&&!Re(I))return S(ke(I));if(it(I)){let F=A?I[je.PATH]:T[0],H=A?I[je.PATTERN]:I[F];if(!r(H))throw new Error(ne(F));let B={keyId:s(F),pattern:H};return m&&(B.searcher=Ne(H,o)),B}let R={children:[],operator:T[0]};return T.forEach(F=>{let H=I[F];_(H)&&H.forEach(B=>{R.children.push(S(B))})}),R};return Re(p)||(p=ke(p)),S(p)}function nt(p,{ignoreFieldNorm:o=u.ignoreFieldNorm}){p.forEach(m=>{let S=1;m.matches.forEach(({key:I,norm:T,score:A})=>{let R=I?I.weight:null;S*=Math.pow(A===0&&R?Number.EPSILON:A,(R||1)*(o?1:T))}),m.score=S})}function rt(p,o){let m=p.matches;o.matches=[],y(m)&&m.forEach(S=>{if(!y(S.indices)||!S.indices.length)return;let{indices:I,value:T}=S,A={indices:I,value:T};S.key&&(A.key=S.key.src),S.idx>-1&&(A.refIndex=S.idx),o.matches.push(A)})}function st(p,o){o.score=p.score}function ot(p,o,{includeMatches:m=u.includeMatches,includeScore:S=u.includeScore}={}){let I=[];return m&&I.push(rt),S&&I.push(st),p.map(T=>{let{idx:A}=T,R={item:o[A],refIndex:A};return I.length&&I.forEach(F=>{F(T,R)}),R})}class Se{constructor(o,m={},S){this.options={...u,...m},this.options.useExtendedSearch,this._keyStore=new e(this.options.keys),this.setCollection(o,S)}setCollection(o,m){if(this._docs=o,m&&!(m instanceof V))throw new Error(Z);this._myIndex=m||U(this.options.keys,this._docs,{getFn:this.options.getFn,fieldNormWeight:this.options.fieldNormWeight})}add(o){y(o)&&(this._docs.push(o),this._myIndex.add(o))}remove(o=()=>!1){let m=[];for(let S=0,I=this._docs.length;S-1&&(F=F.slice(0,m)),ot(F,this._docs,{includeMatches:S,includeScore:I})}_searchStringList(o){let m=Ne(o,this.options),{records:S}=this._myIndex,I=[];return S.forEach(({v:T,i:A,n:R})=>{if(!y(T))return;let{isMatch:F,score:H,indices:B}=m.searchIn(T);F&&I.push({item:T,idx:A,matches:[{score:H,value:T,norm:R,indices:B}]})}),I}_searchLogical(o){let m=xe(o,this.options),S=(R,F,H)=>{if(!R.children){let{keyId:x,searcher:G}=R,q=this._findMatches({key:this._keyStore.get(x),value:this._myIndex.getValueForItemAtKeyId(F,x),searcher:G});return q&&q.length?[{idx:H,item:F,matches:q}]:[]}let B=[];for(let x=0,G=R.children.length;x{if(y(R)){let H=S(m,R,F);H.length&&(T[F]||(T[F]={idx:F,item:R,matches:[]},A.push(T[F])),H.forEach(({matches:B})=>{T[F].matches.push(...B)}))}}),A}_searchObjectList(o){let m=Ne(o,this.options),{keys:S,records:I}=this._myIndex,T=[];return I.forEach(({$:A,i:R})=>{if(!y(A))return;let F=[];S.forEach((H,B)=>{F.push(...this._findMatches({key:H,value:A[B],searcher:m}))}),F.length&&T.push({idx:R,item:A,matches:F})}),T}_findMatches({key:o,value:m,searcher:S}){if(!y(m))return[];let I=[];if(_(m))m.forEach(({v:T,i:A,n:R})=>{if(!y(T))return;let{isMatch:F,score:H,indices:B}=S.searchIn(T);F&&I.push({score:H,key:o,value:T,idx:A,norm:R,indices:B})});else{let{v:T,n:A}=m,{isMatch:R,score:F,indices:H}=S.searchIn(T);R&&I.push({score:F,key:o,value:T,norm:A,indices:H})}return I}}Se.version="6.6.2",Se.createIndex=U,Se.parseIndex=$,Se.config=u,Se.parseQuery=xe,et(qe)},791:function(j,i,b){b.r(i),b.d(i,{__DO_NOT_USE__ActionTypes:function(){return y},applyMiddleware:function(){return M},bindActionCreators:function(){return v},combineReducers:function(){return n},compose:function(){return P},createStore:function(){return w},legacy_createStore:function(){return N}});function _(f){"@babel/helpers - typeof";return _=typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?function(u){return typeof u}:function(u){return u&&typeof Symbol=="function"&&u.constructor===Symbol&&u!==Symbol.prototype?"symbol":typeof u},_(f)}function h(f,u){if(_(f)!=="object"||f===null)return f;var C=f[Symbol.toPrimitive];if(C!==void 0){var Y=C.call(f,u||"default");if(_(Y)!=="object")return Y;throw new TypeError("@@toPrimitive must return a primitive value.")}return(u==="string"?String:Number)(f)}function d(f){var u=h(f,"string");return _(u)==="symbol"?u:String(u)}function a(f,u,C){return u=d(u),u in f?Object.defineProperty(f,u,{value:C,enumerable:!0,configurable:!0,writable:!0}):f[u]=C,f}function r(f,u){var C=Object.keys(f);if(Object.getOwnPropertySymbols){var Y=Object.getOwnPropertySymbols(f);u&&(Y=Y.filter(function(V){return Object.getOwnPropertyDescriptor(f,V).enumerable})),C.push.apply(C,Y)}return C}function c(f){for(var u=1;u"u"&&(C=u,u=void 0),typeof C<"u"){if(typeof C!="function")throw new Error(l(1));return C(w)(f,u)}if(typeof f!="function")throw new Error(l(2));var V=f,U=u,$=[],W=$,J=!1;function z(){W===$&&(W=$.slice())}function ee(){if(J)throw new Error(l(3));return U}function ae(te){if(typeof te!="function")throw new Error(l(4));if(J)throw new Error(l(5));var de=!0;return z(),W.push(te),function(){if(de){if(J)throw new Error(l(6));de=!1,z();var oe=W.indexOf(te);W.splice(oe,1),$=null}}}function ce(te){if(!D(te))throw new Error(l(7));if(typeof te.type>"u")throw new Error(l(8));if(J)throw new Error(l(9));try{J=!0,U=V(U,te)}finally{J=!1}for(var de=$=W,pe=0;pe0)return"Unexpected "+($.length>1?"keys":"key")+" "+('"'+$.join('", "')+'" found in '+U+". ")+"Expected to find one of the known reducer keys instead: "+('"'+V.join('", "')+'". Unexpected keys will be ignored.')}function t(f){Object.keys(f).forEach(function(u){var C=f[u],Y=C(void 0,{type:y.INIT});if(typeof Y>"u")throw new Error(l(12));if(typeof C(void 0,{type:y.PROBE_UNKNOWN_ACTION()})>"u")throw new Error(l(13))})}function n(f){for(var u=Object.keys(f),C={},Y=0;Y"u"){var Te=ee&&ee.type;throw new Error(l(14))}le[te]=oe,ce=ce||oe!==pe}return ce=ce||U.length!==Object.keys(z).length,ce?le:z}}function s(f,u){return function(){return u(f.apply(this,arguments))}}function v(f,u){if(typeof f=="function")return s(f,u);if(typeof f!="object"||f===null)throw new Error(l(16));var C={};for(var Y in f){var V=f[Y];typeof V=="function"&&(C[Y]=s(V,u))}return C}function P(){for(var f=arguments.length,u=new Array(f),C=0;Cwindow.pluralize(O,e,{count:e}),noChoicesText:E,noResultsText:L,placeholderValue:k,position:Q??"auto",removeItemButton:se,renderChoiceLimit:D,searchEnabled:h,searchFields:w??["label"],searchPlaceholderValue:E,searchResultLimit:D,shouldSort:!1,searchFloor:a?0:1}),await this.refreshChoices({withInitialOptions:!0}),[null,void 0,""].includes(this.state)||this.select.setChoiceByValue(this.formatState(this.state)),this.refreshPlaceholder(),b&&this.select.showDropdown(),this.$refs.input.addEventListener("change",()=>{this.refreshPlaceholder(),!this.isStateBeingUpdated&&(this.isStateBeingUpdated=!0,this.state=this.select.getValue(!0)??null,this.$nextTick(()=>this.isStateBeingUpdated=!1))}),d&&this.$refs.input.addEventListener("showDropdown",async()=>{this.select.clearChoices(),await this.select.setChoices([{label:c,value:"",disabled:!0}]),await this.refreshChoices()}),a&&(this.$refs.input.addEventListener("search",async e=>{let t=e.detail.value?.trim();this.isSearching=!0,this.select.clearChoices(),await this.select.setChoices([{label:[null,void 0,""].includes(t)?c:ne,value:"",disabled:!0}])}),this.$refs.input.addEventListener("search",Alpine.debounce(async e=>{await this.refreshChoices({search:e.detail.value?.trim()}),this.isSearching=!1},Z))),_||window.addEventListener("filament-forms::select.refreshSelectedOptionLabel",async e=>{e.detail.livewireId===r&&e.detail.statePath===g&&await this.refreshChoices({withInitialOptions:!1})}),this.$watch("state",async()=>{this.select&&(this.refreshPlaceholder(),!this.isStateBeingUpdated&&await this.refreshChoices({withInitialOptions:!d}))})},destroy:function(){this.select.destroy(),this.select=null},refreshChoices:async function(e={}){let t=await this.getChoices(e);this.select&&(this.select.clearStore(),this.refreshPlaceholder(),this.setChoices(t),[null,void 0,""].includes(this.state)||this.select.setChoiceByValue(this.formatState(this.state)))},setChoices:function(e){this.select.setChoices(e,"value","label",!0)},getChoices:async function(e={}){let t=await this.getExistingOptions(e);return t.concat(await this.getMissingOptions(t))},getExistingOptions:async function({search:e,withInitialOptions:t}){if(t)return y;let n=[];return e!==""&&e!==null&&e!==void 0?n=await i(e):n=await j(),n.map(s=>s.choices?(s.choices=s.choices.map(v=>(v.selected=Array.isArray(this.state)?this.state.includes(v.value):this.state===v.value,v)),s):(s.selected=Array.isArray(this.state)?this.state.includes(s.value):this.state===s.value,s))},refreshPlaceholder:function(){_||(this.select._renderItems(),[null,void 0,""].includes(this.state)&&(this.$el.querySelector(".choices__list--single").innerHTML=`
${k??""}
`))},formatState:function(e){return _?(e??[]).map(t=>t?.toString()):e?.toString()},getMissingOptions:async function(e){let t=this.formatState(this.state);if([null,void 0,"",[],{}].includes(t))return{};let n=new Set;return e.forEach(s=>{if(s.choices){s.choices.forEach(v=>n.add(v.value));return}n.add(s.value)}),_?t.every(s=>n.has(s))?{}:(await me()).filter(s=>!n.has(s.value)).map(s=>(s.selected=!0,s)):n.has(t)?n:[{label:await X(),value:t,selected:!0}]}}}export{vt as default}; +/*! Bundled license information: + +choices.js/public/assets/scripts/choices.js: + (*! choices.js v10.2.0 | © 2022 Josh Johnson | https://github.com/jshjohnson/Choices#readme *) +*/ diff --git a/public/js/filament/forms/components/tags-input.js b/public/js/filament/forms/components/tags-input.js new file mode 100644 index 0000000..c19c04a --- /dev/null +++ b/public/js/filament/forms/components/tags-input.js @@ -0,0 +1 @@ +function i({state:a,splitKeys:n}){return{newTag:"",state:a,createTag:function(){if(this.newTag=this.newTag.trim(),this.newTag!==""){if(this.state.includes(this.newTag)){this.newTag="";return}this.state.push(this.newTag),this.newTag=""}},deleteTag:function(t){this.state=this.state.filter(e=>e!==t)},reorderTags:function(t){let e=this.state.splice(t.oldIndex,1)[0];this.state.splice(t.newIndex,0,e),this.state=[...this.state]},input:{["x-on:blur"]:"createTag()",["x-model"]:"newTag",["x-on:keydown"](t){["Enter",...n].includes(t.key)&&(t.preventDefault(),t.stopPropagation(),this.createTag())},["x-on:paste"](){this.$nextTick(()=>{if(n.length===0){this.createTag();return}let t=n.map(e=>e.replace(/[/\-\\^$*+?.()|[\]{}]/g,"\\$&")).join("|");this.newTag.split(new RegExp(t,"g")).forEach(e=>{this.newTag=e,this.createTag()})})}}}}export{i as default}; diff --git a/public/js/filament/forms/components/textarea.js b/public/js/filament/forms/components/textarea.js new file mode 100644 index 0000000..4fda241 --- /dev/null +++ b/public/js/filament/forms/components/textarea.js @@ -0,0 +1 @@ +function r({initialHeight:t,shouldAutosize:i,state:s}){return{state:s,wrapperEl:null,init:function(){this.wrapperEl=this.$el.parentNode,this.setInitialHeight(),i?this.$watch("state",()=>{this.resize()}):this.setUpResizeObserver()},setInitialHeight:function(){this.$el.scrollHeight<=0||(this.wrapperEl.style.height=t+"rem")},resize:function(){if(this.setInitialHeight(),this.$el.scrollHeight<=0)return;let e=this.$el.scrollHeight+"px";this.wrapperEl.style.height!==e&&(this.wrapperEl.style.height=e)},setUpResizeObserver:function(){new ResizeObserver(()=>{this.wrapperEl.style.height=this.$el.style.height}).observe(this.$el)}}}export{r as default}; diff --git a/public/js/filament/notifications/notifications.js b/public/js/filament/notifications/notifications.js new file mode 100644 index 0000000..3c6d3ee --- /dev/null +++ b/public/js/filament/notifications/notifications.js @@ -0,0 +1 @@ +(()=>{var O=Object.create;var N=Object.defineProperty;var V=Object.getOwnPropertyDescriptor;var Y=Object.getOwnPropertyNames;var H=Object.getPrototypeOf,W=Object.prototype.hasOwnProperty;var d=(i,t)=>()=>(t||i((t={exports:{}}).exports,t),t.exports);var j=(i,t,e,s)=>{if(t&&typeof t=="object"||typeof t=="function")for(let n of Y(t))!W.call(i,n)&&n!==e&&N(i,n,{get:()=>t[n],enumerable:!(s=V(t,n))||s.enumerable});return i};var J=(i,t,e)=>(e=i!=null?O(H(i)):{},j(t||!i||!i.__esModule?N(e,"default",{value:i,enumerable:!0}):e,i));var S=d((ut,_)=>{var v,g=typeof global<"u"&&(global.crypto||global.msCrypto);g&&g.getRandomValues&&(y=new Uint8Array(16),v=function(){return g.getRandomValues(y),y});var y;v||(T=new Array(16),v=function(){for(var i=0,t;i<16;i++)i&3||(t=Math.random()*4294967296),T[i]=t>>>((i&3)<<3)&255;return T});var T;_.exports=v});var C=d((ct,U)=>{var P=[];for(f=0;f<256;++f)P[f]=(f+256).toString(16).substr(1);var f;function K(i,t){var e=t||0,s=P;return s[i[e++]]+s[i[e++]]+s[i[e++]]+s[i[e++]]+"-"+s[i[e++]]+s[i[e++]]+"-"+s[i[e++]]+s[i[e++]]+"-"+s[i[e++]]+s[i[e++]]+"-"+s[i[e++]]+s[i[e++]]+s[i[e++]]+s[i[e++]]+s[i[e++]]+s[i[e++]]}U.exports=K});var R=d((lt,F)=>{var Q=S(),X=C(),a=Q(),Z=[a[0]|1,a[1],a[2],a[3],a[4],a[5]],b=(a[6]<<8|a[7])&16383,D=0,A=0;function tt(i,t,e){var s=t&&e||0,n=t||[];i=i||{};var r=i.clockseq!==void 0?i.clockseq:b,o=i.msecs!==void 0?i.msecs:new Date().getTime(),h=i.nsecs!==void 0?i.nsecs:A+1,l=o-D+(h-A)/1e4;if(l<0&&i.clockseq===void 0&&(r=r+1&16383),(l<0||o>D)&&i.nsecs===void 0&&(h=0),h>=1e4)throw new Error("uuid.v1(): Can't create more than 10M uuids/sec");D=o,A=h,b=r,o+=122192928e5;var c=((o&268435455)*1e4+h)%4294967296;n[s++]=c>>>24&255,n[s++]=c>>>16&255,n[s++]=c>>>8&255,n[s++]=c&255;var u=o/4294967296*1e4&268435455;n[s++]=u>>>8&255,n[s++]=u&255,n[s++]=u>>>24&15|16,n[s++]=u>>>16&255,n[s++]=r>>>8|128,n[s++]=r&255;for(var $=i.node||Z,m=0;m<6;++m)n[s+m]=$[m];return t||X(n)}F.exports=tt});var I=d((dt,G)=>{var it=S(),et=C();function st(i,t,e){var s=t&&e||0;typeof i=="string"&&(t=i=="binary"?new Array(16):null,i=null),i=i||{};var n=i.random||(i.rng||it)();if(n[6]=n[6]&15|64,n[8]=n[8]&63|128,t)for(var r=0;r<16;++r)t[s+r]=n[r];return t||et(n)}G.exports=st});var z=d((ft,M)=>{var nt=R(),L=I(),E=L;E.v1=nt;E.v4=L;M.exports=E});function k(i,t=()=>{}){let e=!1;return function(){e?t.apply(this,arguments):(e=!0,i.apply(this,arguments))}}var q=i=>{i.data("notificationComponent",({notification:t})=>({isShown:!1,computedStyle:null,transitionDuration:null,transitionEasing:null,init:function(){this.computedStyle=window.getComputedStyle(this.$el),this.transitionDuration=parseFloat(this.computedStyle.transitionDuration)*1e3,this.transitionEasing=this.computedStyle.transitionTimingFunction,this.configureTransitions(),this.configureAnimations(),t.duration&&t.duration!=="persistent"&&setTimeout(()=>{if(!this.$el.matches(":hover")){this.close();return}this.$el.addEventListener("mouseleave",()=>this.close())},t.duration),this.isShown=!0},configureTransitions:function(){let e=this.computedStyle.display,s=()=>{i.mutateDom(()=>{this.$el.style.setProperty("display",e),this.$el.style.setProperty("visibility","visible")}),this.$el._x_isShown=!0},n=()=>{i.mutateDom(()=>{this.$el._x_isShown?this.$el.style.setProperty("visibility","hidden"):this.$el.style.setProperty("display","none")})},r=k(o=>o?s():n(),o=>{this.$el._x_toggleAndCascadeWithTransitions(this.$el,o,s,n)});i.effect(()=>r(this.isShown))},configureAnimations:function(){let e;Livewire.hook("commit",({component:s,commit:n,succeed:r,fail:o,respond:h})=>{if(!s.snapshot.data.isFilamentNotificationsComponent)return;let l=()=>this.$el.getBoundingClientRect().top,c=l();h(()=>{e=()=>{this.isShown&&this.$el.animate([{transform:`translateY(${c-l()}px)`},{transform:"translateY(0px)"}],{duration:this.transitionDuration,easing:this.transitionEasing})},this.$el.getAnimations().forEach(u=>u.finish())}),r(({snapshot:u,effect:$})=>{e()})})},close:function(){this.isShown=!1,setTimeout(()=>window.dispatchEvent(new CustomEvent("notificationClosed",{detail:{id:t.id}})),this.transitionDuration)},markAsRead:function(){window.dispatchEvent(new CustomEvent("markedNotificationAsRead",{detail:{id:t.id}}))},markAsUnread:function(){window.dispatchEvent(new CustomEvent("markedNotificationAsUnread",{detail:{id:t.id}}))}}))};var B=J(z(),1),p=class{constructor(){return this.id((0,B.v4)()),this}id(t){return this.id=t,this}title(t){return this.title=t,this}body(t){return this.body=t,this}actions(t){return this.actions=t,this}status(t){return this.status=t,this}color(t){return this.color=t,this}icon(t){return this.icon=t,this}iconColor(t){return this.iconColor=t,this}duration(t){return this.duration=t,this}seconds(t){return this.duration(t*1e3),this}persistent(){return this.duration("persistent"),this}danger(){return this.status("danger"),this}info(){return this.status("info"),this}success(){return this.status("success"),this}warning(){return this.status("warning"),this}view(t){return this.view=t,this}viewData(t){return this.viewData=t,this}send(){return window.dispatchEvent(new CustomEvent("notificationSent",{detail:{notification:this}})),this}},w=class{constructor(t){return this.name(t),this}name(t){return this.name=t,this}color(t){return this.color=t,this}dispatch(t,e){return this.event(t),this.eventData(e),this}dispatchSelf(t,e){return this.dispatch(t,e),this.dispatchDirection="self",this}dispatchTo(t,e,s){return this.dispatch(e,s),this.dispatchDirection="to",this.dispatchToComponent=t,this}emit(t,e){return this.dispatch(t,e),this}emitSelf(t,e){return this.dispatchSelf(t,e),this}emitTo(t,e,s){return this.dispatchTo(t,e,s),this}dispatchDirection(t){return this.dispatchDirection=t,this}dispatchToComponent(t){return this.dispatchToComponent=t,this}event(t){return this.event=t,this}eventData(t){return this.eventData=t,this}extraAttributes(t){return this.extraAttributes=t,this}icon(t){return this.icon=t,this}iconPosition(t){return this.iconPosition=t,this}outlined(t=!0){return this.isOutlined=t,this}disabled(t=!0){return this.isDisabled=t,this}label(t){return this.label=t,this}close(t=!0){return this.shouldClose=t,this}openUrlInNewTab(t=!0){return this.shouldOpenUrlInNewTab=t,this}size(t){return this.size=t,this}url(t){return this.url=t,this}view(t){return this.view=t,this}button(){return this.view("filament-actions::button-action"),this}grouped(){return this.view("filament-actions::grouped-action"),this}link(){return this.view("filament-actions::link-action"),this}},x=class{constructor(t){return this.actions(t),this}actions(t){return this.actions=t.map(e=>e.grouped()),this}color(t){return this.color=t,this}icon(t){return this.icon=t,this}iconPosition(t){return this.iconPosition=t,this}label(t){return this.label=t,this}tooltip(t){return this.tooltip=t,this}};window.FilamentNotificationAction=w;window.FilamentNotificationActionGroup=x;window.FilamentNotification=p;document.addEventListener("alpine:init",()=>{window.Alpine.plugin(q)});})(); diff --git a/public/js/filament/support/async-alpine.js b/public/js/filament/support/async-alpine.js new file mode 100644 index 0000000..048f75c --- /dev/null +++ b/public/js/filament/support/async-alpine.js @@ -0,0 +1 @@ +(()=>{(()=>{var d=Object.defineProperty,m=t=>d(t,"__esModule",{value:!0}),f=(t,e)=>{m(t);for(var i in e)d(t,i,{get:e[i],enumerable:!0})},o={};f(o,{eager:()=>g,event:()=>w,idle:()=>y,media:()=>b,visible:()=>E});var c=()=>!0,g=c,v=({component:t,argument:e})=>new Promise(i=>{if(e)window.addEventListener(e,()=>i(),{once:!0});else{let n=a=>{a.detail.id===t.id&&(window.removeEventListener("async-alpine:load",n),i())};window.addEventListener("async-alpine:load",n)}}),w=v,x=()=>new Promise(t=>{"requestIdleCallback"in window?window.requestIdleCallback(t):setTimeout(t,200)}),y=x,A=({argument:t})=>new Promise(e=>{if(!t)return console.log("Async Alpine: media strategy requires a media query. Treating as 'eager'"),e();let i=window.matchMedia(`(${t})`);i.matches?e():i.addEventListener("change",e,{once:!0})}),b=A,$=({component:t,argument:e})=>new Promise(i=>{let n=e||"0px 0px 0px 0px",a=new IntersectionObserver(r=>{r[0].isIntersecting&&(a.disconnect(),i())},{rootMargin:n});a.observe(t.el)}),E=$;function P(t){let e=q(t),i=u(e);return i.type==="method"?{type:"expression",operator:"&&",parameters:[i]}:i}function q(t){let e=/\s*([()])\s*|\s*(\|\||&&|\|)\s*|\s*((?:[^()&|]+\([^()]+\))|[^()&|]+)\s*/g,i=[],n;for(;(n=e.exec(t))!==null;){let[,a,r,s]=n;if(a!==void 0)i.push({type:"parenthesis",value:a});else if(r!==void 0)i.push({type:"operator",value:r==="|"?"&&":r});else{let p={type:"method",method:s.trim()};s.includes("(")&&(p.method=s.substring(0,s.indexOf("(")).trim(),p.argument=s.substring(s.indexOf("(")+1,s.indexOf(")"))),s.method==="immediate"&&(s.method="eager"),i.push(p)}}return i}function u(t){let e=h(t);for(;t.length>0&&(t[0].value==="&&"||t[0].value==="|"||t[0].value==="||");){let i=t.shift().value,n=h(t);e.type==="expression"&&e.operator===i?e.parameters.push(n):e={type:"expression",operator:i,parameters:[e,n]}}return e}function h(t){if(t[0].value==="("){t.shift();let e=u(t);return t[0].value===")"&&t.shift(),e}else return t.shift()}var _="__internal_",l={Alpine:null,_options:{prefix:"ax-",alpinePrefix:"x-",root:"load",inline:"load-src",defaultStrategy:"eager"},_alias:!1,_data:{},_realIndex:0,get _index(){return this._realIndex++},init(t,e={}){return this.Alpine=t,this._options={...this._options,...e},this},start(){return this._processInline(),this._setupComponents(),this._mutations(),this},data(t,e=!1){return this._data[t]={loaded:!1,download:e},this},url(t,e){!t||!e||(this._data[t]||this.data(t),this._data[t].download=()=>import(this._parseUrl(e)))},alias(t){this._alias=t},_processInline(){let t=document.querySelectorAll(`[${this._options.prefix}${this._options.inline}]`);for(let e of t)this._inlineElement(e)},_inlineElement(t){let e=t.getAttribute(`${this._options.alpinePrefix}data`),i=t.getAttribute(`${this._options.prefix}${this._options.inline}`);if(!e||!i)return;let n=this._parseName(e);this.url(n,i)},_setupComponents(){let t=document.querySelectorAll(`[${this._options.prefix}${this._options.root}]`);for(let e of t)this._setupComponent(e)},_setupComponent(t){let e=t.getAttribute(`${this._options.alpinePrefix}data`);t.setAttribute(`${this._options.alpinePrefix}ignore`,"");let i=this._parseName(e),n=t.getAttribute(`${this._options.prefix}${this._options.root}`)||this._options.defaultStrategy;this._componentStrategy({name:i,strategy:n,el:t,id:t.id||this._index})},async _componentStrategy(t){let e=P(t.strategy);await this._generateRequirements(t,e),await this._download(t.name),this._activate(t)},_generateRequirements(t,e){if(e.type==="expression"){if(e.operator==="&&")return Promise.all(e.parameters.map(i=>this._generateRequirements(t,i)));if(e.operator==="||")return Promise.any(e.parameters.map(i=>this._generateRequirements(t,i)))}return o[e.method]?o[e.method]({component:t,argument:e.argument}):!1},async _download(t){if(t.startsWith(_)||(this._handleAlias(t),!this._data[t]||this._data[t].loaded))return;let e=await this._getModule(t);this.Alpine.data(t,e),this._data[t].loaded=!0},async _getModule(t){if(!this._data[t])return;let e=await this._data[t].download(t);return typeof e=="function"?e:e[t]||e.default||Object.values(e)[0]||!1},_activate(t){this.Alpine.destroyTree(t.el),t.el.removeAttribute(`${this._options.alpinePrefix}ignore`),t.el._x_ignore=!1,this.Alpine.initTree(t.el)},_mutations(){new MutationObserver(t=>{for(let e of t)if(e.addedNodes)for(let i of e.addedNodes)i.nodeType===1&&(i.hasAttribute(`${this._options.prefix}${this._options.root}`)&&this._mutationEl(i),i.querySelectorAll(`[${this._options.prefix}${this._options.root}]`).forEach(n=>this._mutationEl(n)))}).observe(document,{attributes:!0,childList:!0,subtree:!0})},_mutationEl(t){t.hasAttribute(`${this._options.prefix}${this._options.inline}`)&&this._inlineElement(t),this._setupComponent(t)},_handleAlias(t){if(!(!this._alias||this._data[t])){if(typeof this._alias=="function"){this.data(t,this._alias);return}this.url(t,this._alias.replaceAll("[name]",t))}},_parseName(t){return(t||"").split(/[({]/g)[0]||`${_}${this._index}`},_parseUrl(t){return new RegExp("^(?:[a-z+]+:)?//","i").test(t)?t:new URL(t,document.baseURI).href}};document.addEventListener("alpine:init",()=>{window.AsyncAlpine=l,l.init(Alpine,window.AsyncAlpineOptions||{}),document.dispatchEvent(new CustomEvent("async-alpine:init")),l.start()})})();})(); diff --git a/public/js/filament/support/support.js b/public/js/filament/support/support.js new file mode 100644 index 0000000..9616ced --- /dev/null +++ b/public/js/filament/support/support.js @@ -0,0 +1,46 @@ +(()=>{var Bo=Object.create;var Di=Object.defineProperty;var Ho=Object.getOwnPropertyDescriptor;var $o=Object.getOwnPropertyNames;var Wo=Object.getPrototypeOf,Vo=Object.prototype.hasOwnProperty;var Kr=(t,e)=>()=>(e||t((e={exports:{}}).exports,e),e.exports);var zo=(t,e,r,n)=>{if(e&&typeof e=="object"||typeof e=="function")for(let i of $o(e))!Vo.call(t,i)&&i!==r&&Di(t,i,{get:()=>e[i],enumerable:!(n=Ho(e,i))||n.enumerable});return t};var Uo=(t,e,r)=>(r=t!=null?Bo(Wo(t)):{},zo(e||!t||!t.__esModule?Di(r,"default",{value:t,enumerable:!0}):r,t));var oo=Kr(()=>{});var ao=Kr(()=>{});var so=Kr((Os,yr)=>{(function(){"use strict";var t="input is invalid type",e="finalize already called",r=typeof window=="object",n=r?window:{};n.JS_MD5_NO_WINDOW&&(r=!1);var i=!r&&typeof self=="object",o=!n.JS_MD5_NO_NODE_JS&&typeof process=="object"&&process.versions&&process.versions.node;o?n=global:i&&(n=self);var s=!n.JS_MD5_NO_COMMON_JS&&typeof yr=="object"&&yr.exports,h=typeof define=="function"&&define.amd,u=!n.JS_MD5_NO_ARRAY_BUFFER&&typeof ArrayBuffer<"u",f="0123456789abcdef".split(""),w=[128,32768,8388608,-2147483648],m=[0,8,16,24],E=["hex","array","digest","buffer","arrayBuffer","base64"],O="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".split(""),S=[],P;if(u){var R=new ArrayBuffer(68);P=new Uint8Array(R),S=new Uint32Array(R)}var $=Array.isArray;(n.JS_MD5_NO_NODE_JS||!$)&&($=function(l){return Object.prototype.toString.call(l)==="[object Array]"});var B=ArrayBuffer.isView;u&&(n.JS_MD5_NO_ARRAY_BUFFER_IS_VIEW||!B)&&(B=function(l){return typeof l=="object"&&l.buffer&&l.buffer.constructor===ArrayBuffer});var K=function(l){var p=typeof l;if(p==="string")return[l,!0];if(p!=="object"||l===null)throw new Error(t);if(u&&l.constructor===ArrayBuffer)return[new Uint8Array(l),!1];if(!$(l)&&!B(l))throw new Error(t);return[l,!1]},X=function(l){return function(p){return new U(!0).update(p)[l]()}},ne=function(){var l=X("hex");o&&(l=J(l)),l.create=function(){return new U},l.update=function(d){return l.create().update(d)};for(var p=0;p>>6,Ue[_++]=128|d&63):d<55296||d>=57344?(Ue[_++]=224|d>>>12,Ue[_++]=128|d>>>6&63,Ue[_++]=128|d&63):(d=65536+((d&1023)<<10|l.charCodeAt(++N)&1023),Ue[_++]=240|d>>>18,Ue[_++]=128|d>>>12&63,Ue[_++]=128|d>>>6&63,Ue[_++]=128|d&63);else for(_=this.start;N>>2]|=d<>>2]|=(192|d>>>6)<>>2]|=(128|d&63)<=57344?(Q[_>>>2]|=(224|d>>>12)<>>2]|=(128|d>>>6&63)<>>2]|=(128|d&63)<>>2]|=(240|d>>>18)<>>2]|=(128|d>>>12&63)<>>2]|=(128|d>>>6&63)<>>2]|=(128|d&63)<>>2]|=l[N]<=64?(this.start=_-64,this.hash(),this.hashed=!0):this.start=_}return this.bytes>4294967295&&(this.hBytes+=this.bytes/4294967296<<0,this.bytes=this.bytes%4294967296),this},U.prototype.finalize=function(){if(!this.finalized){this.finalized=!0;var l=this.blocks,p=this.lastByteIndex;l[p>>>2]|=w[p&3],p>=56&&(this.hashed||this.hash(),l[0]=l[16],l[16]=l[1]=l[2]=l[3]=l[4]=l[5]=l[6]=l[7]=l[8]=l[9]=l[10]=l[11]=l[12]=l[13]=l[14]=l[15]=0),l[14]=this.bytes<<3,l[15]=this.hBytes<<3|this.bytes>>>29,this.hash()}},U.prototype.hash=function(){var l,p,v,d,N,_,M=this.blocks;this.first?(l=M[0]-680876937,l=(l<<7|l>>>25)-271733879<<0,d=(-1732584194^l&2004318071)+M[1]-117830708,d=(d<<12|d>>>20)+l<<0,v=(-271733879^d&(l^-271733879))+M[2]-1126478375,v=(v<<17|v>>>15)+d<<0,p=(l^v&(d^l))+M[3]-1316259209,p=(p<<22|p>>>10)+v<<0):(l=this.h0,p=this.h1,v=this.h2,d=this.h3,l+=(d^p&(v^d))+M[0]-680876936,l=(l<<7|l>>>25)+p<<0,d+=(v^l&(p^v))+M[1]-389564586,d=(d<<12|d>>>20)+l<<0,v+=(p^d&(l^p))+M[2]+606105819,v=(v<<17|v>>>15)+d<<0,p+=(l^v&(d^l))+M[3]-1044525330,p=(p<<22|p>>>10)+v<<0),l+=(d^p&(v^d))+M[4]-176418897,l=(l<<7|l>>>25)+p<<0,d+=(v^l&(p^v))+M[5]+1200080426,d=(d<<12|d>>>20)+l<<0,v+=(p^d&(l^p))+M[6]-1473231341,v=(v<<17|v>>>15)+d<<0,p+=(l^v&(d^l))+M[7]-45705983,p=(p<<22|p>>>10)+v<<0,l+=(d^p&(v^d))+M[8]+1770035416,l=(l<<7|l>>>25)+p<<0,d+=(v^l&(p^v))+M[9]-1958414417,d=(d<<12|d>>>20)+l<<0,v+=(p^d&(l^p))+M[10]-42063,v=(v<<17|v>>>15)+d<<0,p+=(l^v&(d^l))+M[11]-1990404162,p=(p<<22|p>>>10)+v<<0,l+=(d^p&(v^d))+M[12]+1804603682,l=(l<<7|l>>>25)+p<<0,d+=(v^l&(p^v))+M[13]-40341101,d=(d<<12|d>>>20)+l<<0,v+=(p^d&(l^p))+M[14]-1502002290,v=(v<<17|v>>>15)+d<<0,p+=(l^v&(d^l))+M[15]+1236535329,p=(p<<22|p>>>10)+v<<0,l+=(v^d&(p^v))+M[1]-165796510,l=(l<<5|l>>>27)+p<<0,d+=(p^v&(l^p))+M[6]-1069501632,d=(d<<9|d>>>23)+l<<0,v+=(l^p&(d^l))+M[11]+643717713,v=(v<<14|v>>>18)+d<<0,p+=(d^l&(v^d))+M[0]-373897302,p=(p<<20|p>>>12)+v<<0,l+=(v^d&(p^v))+M[5]-701558691,l=(l<<5|l>>>27)+p<<0,d+=(p^v&(l^p))+M[10]+38016083,d=(d<<9|d>>>23)+l<<0,v+=(l^p&(d^l))+M[15]-660478335,v=(v<<14|v>>>18)+d<<0,p+=(d^l&(v^d))+M[4]-405537848,p=(p<<20|p>>>12)+v<<0,l+=(v^d&(p^v))+M[9]+568446438,l=(l<<5|l>>>27)+p<<0,d+=(p^v&(l^p))+M[14]-1019803690,d=(d<<9|d>>>23)+l<<0,v+=(l^p&(d^l))+M[3]-187363961,v=(v<<14|v>>>18)+d<<0,p+=(d^l&(v^d))+M[8]+1163531501,p=(p<<20|p>>>12)+v<<0,l+=(v^d&(p^v))+M[13]-1444681467,l=(l<<5|l>>>27)+p<<0,d+=(p^v&(l^p))+M[2]-51403784,d=(d<<9|d>>>23)+l<<0,v+=(l^p&(d^l))+M[7]+1735328473,v=(v<<14|v>>>18)+d<<0,p+=(d^l&(v^d))+M[12]-1926607734,p=(p<<20|p>>>12)+v<<0,N=p^v,l+=(N^d)+M[5]-378558,l=(l<<4|l>>>28)+p<<0,d+=(N^l)+M[8]-2022574463,d=(d<<11|d>>>21)+l<<0,_=d^l,v+=(_^p)+M[11]+1839030562,v=(v<<16|v>>>16)+d<<0,p+=(_^v)+M[14]-35309556,p=(p<<23|p>>>9)+v<<0,N=p^v,l+=(N^d)+M[1]-1530992060,l=(l<<4|l>>>28)+p<<0,d+=(N^l)+M[4]+1272893353,d=(d<<11|d>>>21)+l<<0,_=d^l,v+=(_^p)+M[7]-155497632,v=(v<<16|v>>>16)+d<<0,p+=(_^v)+M[10]-1094730640,p=(p<<23|p>>>9)+v<<0,N=p^v,l+=(N^d)+M[13]+681279174,l=(l<<4|l>>>28)+p<<0,d+=(N^l)+M[0]-358537222,d=(d<<11|d>>>21)+l<<0,_=d^l,v+=(_^p)+M[3]-722521979,v=(v<<16|v>>>16)+d<<0,p+=(_^v)+M[6]+76029189,p=(p<<23|p>>>9)+v<<0,N=p^v,l+=(N^d)+M[9]-640364487,l=(l<<4|l>>>28)+p<<0,d+=(N^l)+M[12]-421815835,d=(d<<11|d>>>21)+l<<0,_=d^l,v+=(_^p)+M[15]+530742520,v=(v<<16|v>>>16)+d<<0,p+=(_^v)+M[2]-995338651,p=(p<<23|p>>>9)+v<<0,l+=(v^(p|~d))+M[0]-198630844,l=(l<<6|l>>>26)+p<<0,d+=(p^(l|~v))+M[7]+1126891415,d=(d<<10|d>>>22)+l<<0,v+=(l^(d|~p))+M[14]-1416354905,v=(v<<15|v>>>17)+d<<0,p+=(d^(v|~l))+M[5]-57434055,p=(p<<21|p>>>11)+v<<0,l+=(v^(p|~d))+M[12]+1700485571,l=(l<<6|l>>>26)+p<<0,d+=(p^(l|~v))+M[3]-1894986606,d=(d<<10|d>>>22)+l<<0,v+=(l^(d|~p))+M[10]-1051523,v=(v<<15|v>>>17)+d<<0,p+=(d^(v|~l))+M[1]-2054922799,p=(p<<21|p>>>11)+v<<0,l+=(v^(p|~d))+M[8]+1873313359,l=(l<<6|l>>>26)+p<<0,d+=(p^(l|~v))+M[15]-30611744,d=(d<<10|d>>>22)+l<<0,v+=(l^(d|~p))+M[6]-1560198380,v=(v<<15|v>>>17)+d<<0,p+=(d^(v|~l))+M[13]+1309151649,p=(p<<21|p>>>11)+v<<0,l+=(v^(p|~d))+M[4]-145523070,l=(l<<6|l>>>26)+p<<0,d+=(p^(l|~v))+M[11]-1120210379,d=(d<<10|d>>>22)+l<<0,v+=(l^(d|~p))+M[2]+718787259,v=(v<<15|v>>>17)+d<<0,p+=(d^(v|~l))+M[9]-343485551,p=(p<<21|p>>>11)+v<<0,this.first?(this.h0=l+1732584193<<0,this.h1=p-271733879<<0,this.h2=v-1732584194<<0,this.h3=d+271733878<<0,this.first=!1):(this.h0=this.h0+l<<0,this.h1=this.h1+p<<0,this.h2=this.h2+v<<0,this.h3=this.h3+d<<0)},U.prototype.hex=function(){this.finalize();var l=this.h0,p=this.h1,v=this.h2,d=this.h3;return f[l>>>4&15]+f[l&15]+f[l>>>12&15]+f[l>>>8&15]+f[l>>>20&15]+f[l>>>16&15]+f[l>>>28&15]+f[l>>>24&15]+f[p>>>4&15]+f[p&15]+f[p>>>12&15]+f[p>>>8&15]+f[p>>>20&15]+f[p>>>16&15]+f[p>>>28&15]+f[p>>>24&15]+f[v>>>4&15]+f[v&15]+f[v>>>12&15]+f[v>>>8&15]+f[v>>>20&15]+f[v>>>16&15]+f[v>>>28&15]+f[v>>>24&15]+f[d>>>4&15]+f[d&15]+f[d>>>12&15]+f[d>>>8&15]+f[d>>>20&15]+f[d>>>16&15]+f[d>>>28&15]+f[d>>>24&15]},U.prototype.toString=U.prototype.hex,U.prototype.digest=function(){this.finalize();var l=this.h0,p=this.h1,v=this.h2,d=this.h3;return[l&255,l>>>8&255,l>>>16&255,l>>>24&255,p&255,p>>>8&255,p>>>16&255,p>>>24&255,v&255,v>>>8&255,v>>>16&255,v>>>24&255,d&255,d>>>8&255,d>>>16&255,d>>>24&255]},U.prototype.array=U.prototype.digest,U.prototype.arrayBuffer=function(){this.finalize();var l=new ArrayBuffer(16),p=new Uint32Array(l);return p[0]=this.h0,p[1]=this.h1,p[2]=this.h2,p[3]=this.h3,l},U.prototype.buffer=U.prototype.arrayBuffer,U.prototype.base64=function(){for(var l,p,v,d="",N=this.array(),_=0;_<15;)l=N[_++],p=N[_++],v=N[_++],d+=O[l>>>2]+O[(l<<4|p>>>4)&63]+O[(p<<2|v>>>6)&63]+O[v&63];return l=N[_],d+=O[l>>>2]+O[l<<4&63]+"==",d};function Z(l,p){var v,d=K(l);if(l=d[0],d[1]){var N=[],_=l.length,M=0,Q;for(v=0;v<_;++v)Q=l.charCodeAt(v),Q<128?N[M++]=Q:Q<2048?(N[M++]=192|Q>>>6,N[M++]=128|Q&63):Q<55296||Q>=57344?(N[M++]=224|Q>>>12,N[M++]=128|Q>>>6&63,N[M++]=128|Q&63):(Q=65536+((Q&1023)<<10|l.charCodeAt(++v)&1023),N[M++]=240|Q>>>18,N[M++]=128|Q>>>12&63,N[M++]=128|Q>>>6&63,N[M++]=128|Q&63);l=N}l.length>64&&(l=new U(!0).update(l).array());var Ue=[],Rt=[];for(v=0;v<64;++v){var Vt=l[v]||0;Ue[v]=92^Vt,Rt[v]=54^Vt}U.call(this,p),this.update(Rt),this.oKeyPad=Ue,this.inner=!0,this.sharedMemory=p}Z.prototype=new U,Z.prototype.finalize=function(){if(U.prototype.finalize.call(this),this.inner){this.inner=!1;var l=this.array();U.call(this,this.sharedMemory),this.update(this.oKeyPad),this.update(l),U.prototype.finalize.call(this)}};var me=ne();me.md5=me,me.md5.hmac=de(),s?yr.exports=me:(n.md5=me,h&&define(function(){return me}))})()});var ji=["top","right","bottom","left"],Ti=["start","end"],_i=ji.reduce((t,e)=>t.concat(e,e+"-"+Ti[0],e+"-"+Ti[1]),[]),Et=Math.min,tt=Math.max,hr=Math.round,pr=Math.floor,nn=t=>({x:t,y:t}),Yo={left:"right",right:"left",bottom:"top",top:"bottom"},Xo={start:"end",end:"start"};function Jr(t,e,r){return tt(t,Et(e,r))}function jt(t,e){return typeof t=="function"?t(e):t}function pt(t){return t.split("-")[0]}function xt(t){return t.split("-")[1]}function Bi(t){return t==="x"?"y":"x"}function Zr(t){return t==="y"?"height":"width"}function Pn(t){return["top","bottom"].includes(pt(t))?"y":"x"}function Qr(t){return Bi(Pn(t))}function Hi(t,e,r){r===void 0&&(r=!1);let n=xt(t),i=Qr(t),o=Zr(i),s=i==="x"?n===(r?"end":"start")?"right":"left":n==="start"?"bottom":"top";return e.reference[o]>e.floating[o]&&(s=mr(s)),[s,mr(s)]}function qo(t){let e=mr(t);return[vr(t),e,vr(e)]}function vr(t){return t.replace(/start|end/g,e=>Xo[e])}function Go(t,e,r){let n=["left","right"],i=["right","left"],o=["top","bottom"],s=["bottom","top"];switch(t){case"top":case"bottom":return r?e?i:n:e?n:i;case"left":case"right":return e?o:s;default:return[]}}function Ko(t,e,r,n){let i=xt(t),o=Go(pt(t),r==="start",n);return i&&(o=o.map(s=>s+"-"+i),e&&(o=o.concat(o.map(vr)))),o}function mr(t){return t.replace(/left|right|bottom|top/g,e=>Yo[e])}function Jo(t){return{top:0,right:0,bottom:0,left:0,...t}}function ei(t){return typeof t!="number"?Jo(t):{top:t,right:t,bottom:t,left:t}}function Dn(t){return{...t,top:t.y,left:t.x,right:t.x+t.width,bottom:t.y+t.height}}function Pi(t,e,r){let{reference:n,floating:i}=t,o=Pn(e),s=Qr(e),h=Zr(s),u=pt(e),f=o==="y",w=n.x+n.width/2-i.width/2,m=n.y+n.height/2-i.height/2,E=n[h]/2-i[h]/2,O;switch(u){case"top":O={x:w,y:n.y-i.height};break;case"bottom":O={x:w,y:n.y+n.height};break;case"right":O={x:n.x+n.width,y:m};break;case"left":O={x:n.x-i.width,y:m};break;default:O={x:n.x,y:n.y}}switch(xt(e)){case"start":O[s]-=E*(r&&f?-1:1);break;case"end":O[s]+=E*(r&&f?-1:1);break}return O}var Zo=async(t,e,r)=>{let{placement:n="bottom",strategy:i="absolute",middleware:o=[],platform:s}=r,h=o.filter(Boolean),u=await(s.isRTL==null?void 0:s.isRTL(e)),f=await s.getElementRects({reference:t,floating:e,strategy:i}),{x:w,y:m}=Pi(f,n,u),E=n,O={},S=0;for(let P=0;P({name:"arrow",options:t,async fn(e){let{x:r,y:n,placement:i,rects:o,platform:s,elements:h,middlewareData:u}=e,{element:f,padding:w=0}=jt(t,e)||{};if(f==null)return{};let m=ei(w),E={x:r,y:n},O=Qr(i),S=Zr(O),P=await s.getDimensions(f),R=O==="y",$=R?"top":"left",B=R?"bottom":"right",K=R?"clientHeight":"clientWidth",X=o.reference[S]+o.reference[O]-E[O]-o.floating[S],ne=E[O]-o.reference[O],J=await(s.getOffsetParent==null?void 0:s.getOffsetParent(f)),V=J?J[K]:0;(!V||!await(s.isElement==null?void 0:s.isElement(J)))&&(V=h.floating[K]||o.floating[S]);let de=X/2-ne/2,U=V/2-P[S]/2-1,Z=Et(m[$],U),me=Et(m[B],U),l=Z,p=V-P[S]-me,v=V/2-P[S]/2+de,d=Jr(l,v,p),N=!u.arrow&&xt(i)!=null&&v!==d&&o.reference[S]/2-(vxt(i)===t),...r.filter(i=>xt(i)!==t)]:r.filter(i=>pt(i)===i)).filter(i=>t?xt(i)===t||(e?vr(i)!==i:!1):!0)}var ta=function(t){return t===void 0&&(t={}),{name:"autoPlacement",options:t,async fn(e){var r,n,i;let{rects:o,middlewareData:s,placement:h,platform:u,elements:f}=e,{crossAxis:w=!1,alignment:m,allowedPlacements:E=_i,autoAlignment:O=!0,...S}=jt(t,e),P=m!==void 0||E===_i?ea(m||null,O,E):E,R=await Tn(e,S),$=((r=s.autoPlacement)==null?void 0:r.index)||0,B=P[$];if(B==null)return{};let K=Hi(B,o,await(u.isRTL==null?void 0:u.isRTL(f.floating)));if(h!==B)return{reset:{placement:P[0]}};let X=[R[pt(B)],R[K[0]],R[K[1]]],ne=[...((n=s.autoPlacement)==null?void 0:n.overflows)||[],{placement:B,overflows:X}],J=P[$+1];if(J)return{data:{index:$+1,overflows:ne},reset:{placement:J}};let V=ne.map(Z=>{let me=xt(Z.placement);return[Z.placement,me&&w?Z.overflows.slice(0,2).reduce((l,p)=>l+p,0):Z.overflows[0],Z.overflows]}).sort((Z,me)=>Z[1]-me[1]),U=((i=V.filter(Z=>Z[2].slice(0,xt(Z[0])?2:3).every(me=>me<=0))[0])==null?void 0:i[0])||V[0][0];return U!==h?{data:{index:$+1,overflows:ne},reset:{placement:U}}:{}}}},na=function(t){return t===void 0&&(t={}),{name:"flip",options:t,async fn(e){var r,n;let{placement:i,middlewareData:o,rects:s,initialPlacement:h,platform:u,elements:f}=e,{mainAxis:w=!0,crossAxis:m=!0,fallbackPlacements:E,fallbackStrategy:O="bestFit",fallbackAxisSideDirection:S="none",flipAlignment:P=!0,...R}=jt(t,e);if((r=o.arrow)!=null&&r.alignmentOffset)return{};let $=pt(i),B=pt(h)===h,K=await(u.isRTL==null?void 0:u.isRTL(f.floating)),X=E||(B||!P?[mr(h)]:qo(h));!E&&S!=="none"&&X.push(...Ko(h,P,S,K));let ne=[h,...X],J=await Tn(e,R),V=[],de=((n=o.flip)==null?void 0:n.overflows)||[];if(w&&V.push(J[$]),m){let l=Hi(i,s,K);V.push(J[l[0]],J[l[1]])}if(de=[...de,{placement:i,overflows:V}],!V.every(l=>l<=0)){var U,Z;let l=(((U=o.flip)==null?void 0:U.index)||0)+1,p=ne[l];if(p)return{data:{index:l,overflows:de},reset:{placement:p}};let v=(Z=de.filter(d=>d.overflows[0]<=0).sort((d,N)=>d.overflows[1]-N.overflows[1])[0])==null?void 0:Z.placement;if(!v)switch(O){case"bestFit":{var me;let d=(me=de.map(N=>[N.placement,N.overflows.filter(_=>_>0).reduce((_,M)=>_+M,0)]).sort((N,_)=>N[1]-_[1])[0])==null?void 0:me[0];d&&(v=d);break}case"initialPlacement":v=h;break}if(i!==v)return{reset:{placement:v}}}return{}}}};function Mi(t,e){return{top:t.top-e.height,right:t.right-e.width,bottom:t.bottom-e.height,left:t.left-e.width}}function Ri(t){return ji.some(e=>t[e]>=0)}var ra=function(t){return t===void 0&&(t={}),{name:"hide",options:t,async fn(e){let{rects:r}=e,{strategy:n="referenceHidden",...i}=jt(t,e);switch(n){case"referenceHidden":{let o=await Tn(e,{...i,elementContext:"reference"}),s=Mi(o,r.reference);return{data:{referenceHiddenOffsets:s,referenceHidden:Ri(s)}}}case"escaped":{let o=await Tn(e,{...i,altBoundary:!0}),s=Mi(o,r.floating);return{data:{escapedOffsets:s,escaped:Ri(s)}}}default:return{}}}}};function $i(t){let e=Et(...t.map(o=>o.left)),r=Et(...t.map(o=>o.top)),n=tt(...t.map(o=>o.right)),i=tt(...t.map(o=>o.bottom));return{x:e,y:r,width:n-e,height:i-r}}function ia(t){let e=t.slice().sort((i,o)=>i.y-o.y),r=[],n=null;for(let i=0;in.height/2?r.push([o]):r[r.length-1].push(o),n=o}return r.map(i=>Dn($i(i)))}var oa=function(t){return t===void 0&&(t={}),{name:"inline",options:t,async fn(e){let{placement:r,elements:n,rects:i,platform:o,strategy:s}=e,{padding:h=2,x:u,y:f}=jt(t,e),w=Array.from(await(o.getClientRects==null?void 0:o.getClientRects(n.reference))||[]),m=ia(w),E=Dn($i(w)),O=ei(h);function S(){if(m.length===2&&m[0].left>m[1].right&&u!=null&&f!=null)return m.find(R=>u>R.left-O.left&&uR.top-O.top&&f=2){if(Pn(r)==="y"){let Z=m[0],me=m[m.length-1],l=pt(r)==="top",p=Z.top,v=me.bottom,d=l?Z.left:me.left,N=l?Z.right:me.right,_=N-d,M=v-p;return{top:p,bottom:v,left:d,right:N,width:_,height:M,x:d,y:p}}let R=pt(r)==="left",$=tt(...m.map(Z=>Z.right)),B=Et(...m.map(Z=>Z.left)),K=m.filter(Z=>R?Z.left===B:Z.right===$),X=K[0].top,ne=K[K.length-1].bottom,J=B,V=$,de=V-J,U=ne-X;return{top:X,bottom:ne,left:J,right:V,width:de,height:U,x:J,y:X}}return E}let P=await o.getElementRects({reference:{getBoundingClientRect:S},floating:n.floating,strategy:s});return i.reference.x!==P.reference.x||i.reference.y!==P.reference.y||i.reference.width!==P.reference.width||i.reference.height!==P.reference.height?{reset:{rects:P}}:{}}}};async function aa(t,e){let{placement:r,platform:n,elements:i}=t,o=await(n.isRTL==null?void 0:n.isRTL(i.floating)),s=pt(r),h=xt(r),u=Pn(r)==="y",f=["left","top"].includes(s)?-1:1,w=o&&u?-1:1,m=jt(e,t),{mainAxis:E,crossAxis:O,alignmentAxis:S}=typeof m=="number"?{mainAxis:m,crossAxis:0,alignmentAxis:null}:{mainAxis:0,crossAxis:0,alignmentAxis:null,...m};return h&&typeof S=="number"&&(O=h==="end"?S*-1:S),u?{x:O*w,y:E*f}:{x:E*f,y:O*w}}var Wi=function(t){return t===void 0&&(t=0),{name:"offset",options:t,async fn(e){var r,n;let{x:i,y:o,placement:s,middlewareData:h}=e,u=await aa(e,t);return s===((r=h.offset)==null?void 0:r.placement)&&(n=h.arrow)!=null&&n.alignmentOffset?{}:{x:i+u.x,y:o+u.y,data:{...u,placement:s}}}}},sa=function(t){return t===void 0&&(t={}),{name:"shift",options:t,async fn(e){let{x:r,y:n,placement:i}=e,{mainAxis:o=!0,crossAxis:s=!1,limiter:h={fn:R=>{let{x:$,y:B}=R;return{x:$,y:B}}},...u}=jt(t,e),f={x:r,y:n},w=await Tn(e,u),m=Pn(pt(i)),E=Bi(m),O=f[E],S=f[m];if(o){let R=E==="y"?"top":"left",$=E==="y"?"bottom":"right",B=O+w[R],K=O-w[$];O=Jr(B,O,K)}if(s){let R=m==="y"?"top":"left",$=m==="y"?"bottom":"right",B=S+w[R],K=S-w[$];S=Jr(B,S,K)}let P=h.fn({...e,[E]:O,[m]:S});return{...P,data:{x:P.x-r,y:P.y-n}}}}},la=function(t){return t===void 0&&(t={}),{name:"size",options:t,async fn(e){let{placement:r,rects:n,platform:i,elements:o}=e,{apply:s=()=>{},...h}=jt(t,e),u=await Tn(e,h),f=pt(r),w=xt(r),m=Pn(r)==="y",{width:E,height:O}=n.floating,S,P;f==="top"||f==="bottom"?(S=f,P=w===(await(i.isRTL==null?void 0:i.isRTL(o.floating))?"start":"end")?"left":"right"):(P=f,S=w==="end"?"top":"bottom");let R=O-u[S],$=E-u[P],B=!e.middlewareData.shift,K=R,X=$;if(m){let J=E-u.left-u.right;X=w||B?Et($,J):J}else{let J=O-u.top-u.bottom;K=w||B?Et(R,J):J}if(B&&!w){let J=tt(u.left,0),V=tt(u.right,0),de=tt(u.top,0),U=tt(u.bottom,0);m?X=E-2*(J!==0||V!==0?J+V:tt(u.left,u.right)):K=O-2*(de!==0||U!==0?de+U:tt(u.top,u.bottom))}await s({...e,availableWidth:X,availableHeight:K});let ne=await i.getDimensions(o.floating);return E!==ne.width||O!==ne.height?{reset:{rects:!0}}:{}}}};function rn(t){return Vi(t)?(t.nodeName||"").toLowerCase():"#document"}function ct(t){var e;return(t==null||(e=t.ownerDocument)==null?void 0:e.defaultView)||window}function Bt(t){var e;return(e=(Vi(t)?t.ownerDocument:t.document)||window.document)==null?void 0:e.documentElement}function Vi(t){return t instanceof Node||t instanceof ct(t).Node}function kt(t){return t instanceof Element||t instanceof ct(t).Element}function _t(t){return t instanceof HTMLElement||t instanceof ct(t).HTMLElement}function Ii(t){return typeof ShadowRoot>"u"?!1:t instanceof ShadowRoot||t instanceof ct(t).ShadowRoot}function Un(t){let{overflow:e,overflowX:r,overflowY:n,display:i}=ht(t);return/auto|scroll|overlay|hidden|clip/.test(e+n+r)&&!["inline","contents"].includes(i)}function ca(t){return["table","td","th"].includes(rn(t))}function ti(t){let e=ni(),r=ht(t);return r.transform!=="none"||r.perspective!=="none"||(r.containerType?r.containerType!=="normal":!1)||!e&&(r.backdropFilter?r.backdropFilter!=="none":!1)||!e&&(r.filter?r.filter!=="none":!1)||["transform","perspective","filter"].some(n=>(r.willChange||"").includes(n))||["paint","layout","strict","content"].some(n=>(r.contain||"").includes(n))}function fa(t){let e=_n(t);for(;_t(e)&&!gr(e);){if(ti(e))return e;e=_n(e)}return null}function ni(){return typeof CSS>"u"||!CSS.supports?!1:CSS.supports("-webkit-backdrop-filter","none")}function gr(t){return["html","body","#document"].includes(rn(t))}function ht(t){return ct(t).getComputedStyle(t)}function br(t){return kt(t)?{scrollLeft:t.scrollLeft,scrollTop:t.scrollTop}:{scrollLeft:t.pageXOffset,scrollTop:t.pageYOffset}}function _n(t){if(rn(t)==="html")return t;let e=t.assignedSlot||t.parentNode||Ii(t)&&t.host||Bt(t);return Ii(e)?e.host:e}function zi(t){let e=_n(t);return gr(e)?t.ownerDocument?t.ownerDocument.body:t.body:_t(e)&&Un(e)?e:zi(e)}function zn(t,e,r){var n;e===void 0&&(e=[]),r===void 0&&(r=!0);let i=zi(t),o=i===((n=t.ownerDocument)==null?void 0:n.body),s=ct(i);return o?e.concat(s,s.visualViewport||[],Un(i)?i:[],s.frameElement&&r?zn(s.frameElement):[]):e.concat(i,zn(i,[],r))}function Ui(t){let e=ht(t),r=parseFloat(e.width)||0,n=parseFloat(e.height)||0,i=_t(t),o=i?t.offsetWidth:r,s=i?t.offsetHeight:n,h=hr(r)!==o||hr(n)!==s;return h&&(r=o,n=s),{width:r,height:n,$:h}}function ri(t){return kt(t)?t:t.contextElement}function Cn(t){let e=ri(t);if(!_t(e))return nn(1);let r=e.getBoundingClientRect(),{width:n,height:i,$:o}=Ui(e),s=(o?hr(r.width):r.width)/n,h=(o?hr(r.height):r.height)/i;return(!s||!Number.isFinite(s))&&(s=1),(!h||!Number.isFinite(h))&&(h=1),{x:s,y:h}}var ua=nn(0);function Yi(t){let e=ct(t);return!ni()||!e.visualViewport?ua:{x:e.visualViewport.offsetLeft,y:e.visualViewport.offsetTop}}function da(t,e,r){return e===void 0&&(e=!1),!r||e&&r!==ct(t)?!1:e}function vn(t,e,r,n){e===void 0&&(e=!1),r===void 0&&(r=!1);let i=t.getBoundingClientRect(),o=ri(t),s=nn(1);e&&(n?kt(n)&&(s=Cn(n)):s=Cn(t));let h=da(o,r,n)?Yi(o):nn(0),u=(i.left+h.x)/s.x,f=(i.top+h.y)/s.y,w=i.width/s.x,m=i.height/s.y;if(o){let E=ct(o),O=n&&kt(n)?ct(n):n,S=E,P=S.frameElement;for(;P&&n&&O!==S;){let R=Cn(P),$=P.getBoundingClientRect(),B=ht(P),K=$.left+(P.clientLeft+parseFloat(B.paddingLeft))*R.x,X=$.top+(P.clientTop+parseFloat(B.paddingTop))*R.y;u*=R.x,f*=R.y,w*=R.x,m*=R.y,u+=K,f+=X,S=ct(P),P=S.frameElement}}return Dn({width:w,height:m,x:u,y:f})}var pa=[":popover-open",":modal"];function Xi(t){return pa.some(e=>{try{return t.matches(e)}catch{return!1}})}function ha(t){let{elements:e,rect:r,offsetParent:n,strategy:i}=t,o=i==="fixed",s=Bt(n),h=e?Xi(e.floating):!1;if(n===s||h&&o)return r;let u={scrollLeft:0,scrollTop:0},f=nn(1),w=nn(0),m=_t(n);if((m||!m&&!o)&&((rn(n)!=="body"||Un(s))&&(u=br(n)),_t(n))){let E=vn(n);f=Cn(n),w.x=E.x+n.clientLeft,w.y=E.y+n.clientTop}return{width:r.width*f.x,height:r.height*f.y,x:r.x*f.x-u.scrollLeft*f.x+w.x,y:r.y*f.y-u.scrollTop*f.y+w.y}}function va(t){return Array.from(t.getClientRects())}function qi(t){return vn(Bt(t)).left+br(t).scrollLeft}function ma(t){let e=Bt(t),r=br(t),n=t.ownerDocument.body,i=tt(e.scrollWidth,e.clientWidth,n.scrollWidth,n.clientWidth),o=tt(e.scrollHeight,e.clientHeight,n.scrollHeight,n.clientHeight),s=-r.scrollLeft+qi(t),h=-r.scrollTop;return ht(n).direction==="rtl"&&(s+=tt(e.clientWidth,n.clientWidth)-i),{width:i,height:o,x:s,y:h}}function ga(t,e){let r=ct(t),n=Bt(t),i=r.visualViewport,o=n.clientWidth,s=n.clientHeight,h=0,u=0;if(i){o=i.width,s=i.height;let f=ni();(!f||f&&e==="fixed")&&(h=i.offsetLeft,u=i.offsetTop)}return{width:o,height:s,x:h,y:u}}function ba(t,e){let r=vn(t,!0,e==="fixed"),n=r.top+t.clientTop,i=r.left+t.clientLeft,o=_t(t)?Cn(t):nn(1),s=t.clientWidth*o.x,h=t.clientHeight*o.y,u=i*o.x,f=n*o.y;return{width:s,height:h,x:u,y:f}}function Fi(t,e,r){let n;if(e==="viewport")n=ga(t,r);else if(e==="document")n=ma(Bt(t));else if(kt(e))n=ba(e,r);else{let i=Yi(t);n={...e,x:e.x-i.x,y:e.y-i.y}}return Dn(n)}function Gi(t,e){let r=_n(t);return r===e||!kt(r)||gr(r)?!1:ht(r).position==="fixed"||Gi(r,e)}function ya(t,e){let r=e.get(t);if(r)return r;let n=zn(t,[],!1).filter(h=>kt(h)&&rn(h)!=="body"),i=null,o=ht(t).position==="fixed",s=o?_n(t):t;for(;kt(s)&&!gr(s);){let h=ht(s),u=ti(s);!u&&h.position==="fixed"&&(i=null),(o?!u&&!i:!u&&h.position==="static"&&!!i&&["absolute","fixed"].includes(i.position)||Un(s)&&!u&&Gi(t,s))?n=n.filter(w=>w!==s):i=h,s=_n(s)}return e.set(t,n),n}function wa(t){let{element:e,boundary:r,rootBoundary:n,strategy:i}=t,s=[...r==="clippingAncestors"?ya(e,this._c):[].concat(r),n],h=s[0],u=s.reduce((f,w)=>{let m=Fi(e,w,i);return f.top=tt(m.top,f.top),f.right=Et(m.right,f.right),f.bottom=Et(m.bottom,f.bottom),f.left=tt(m.left,f.left),f},Fi(e,h,i));return{width:u.right-u.left,height:u.bottom-u.top,x:u.left,y:u.top}}function xa(t){let{width:e,height:r}=Ui(t);return{width:e,height:r}}function Ea(t,e,r){let n=_t(e),i=Bt(e),o=r==="fixed",s=vn(t,!0,o,e),h={scrollLeft:0,scrollTop:0},u=nn(0);if(n||!n&&!o)if((rn(e)!=="body"||Un(i))&&(h=br(e)),n){let m=vn(e,!0,o,e);u.x=m.x+e.clientLeft,u.y=m.y+e.clientTop}else i&&(u.x=qi(i));let f=s.left+h.scrollLeft-u.x,w=s.top+h.scrollTop-u.y;return{x:f,y:w,width:s.width,height:s.height}}function Li(t,e){return!_t(t)||ht(t).position==="fixed"?null:e?e(t):t.offsetParent}function Ki(t,e){let r=ct(t);if(!_t(t)||Xi(t))return r;let n=Li(t,e);for(;n&&ca(n)&&ht(n).position==="static";)n=Li(n,e);return n&&(rn(n)==="html"||rn(n)==="body"&&ht(n).position==="static"&&!ti(n))?r:n||fa(t)||r}var Oa=async function(t){let e=this.getOffsetParent||Ki,r=this.getDimensions;return{reference:Ea(t.reference,await e(t.floating),t.strategy),floating:{x:0,y:0,...await r(t.floating)}}};function Sa(t){return ht(t).direction==="rtl"}var Aa={convertOffsetParentRelativeRectToViewportRelativeRect:ha,getDocumentElement:Bt,getClippingRect:wa,getOffsetParent:Ki,getElementRects:Oa,getClientRects:va,getDimensions:xa,getScale:Cn,isElement:kt,isRTL:Sa};function Ca(t,e){let r=null,n,i=Bt(t);function o(){var h;clearTimeout(n),(h=r)==null||h.disconnect(),r=null}function s(h,u){h===void 0&&(h=!1),u===void 0&&(u=1),o();let{left:f,top:w,width:m,height:E}=t.getBoundingClientRect();if(h||e(),!m||!E)return;let O=pr(w),S=pr(i.clientWidth-(f+m)),P=pr(i.clientHeight-(w+E)),R=pr(f),B={rootMargin:-O+"px "+-S+"px "+-P+"px "+-R+"px",threshold:tt(0,Et(1,u))||1},K=!0;function X(ne){let J=ne[0].intersectionRatio;if(J!==u){if(!K)return s();J?s(!1,J):n=setTimeout(()=>{s(!1,1e-7)},100)}K=!1}try{r=new IntersectionObserver(X,{...B,root:i.ownerDocument})}catch{r=new IntersectionObserver(X,B)}r.observe(t)}return s(!0),o}function Ni(t,e,r,n){n===void 0&&(n={});let{ancestorScroll:i=!0,ancestorResize:o=!0,elementResize:s=typeof ResizeObserver=="function",layoutShift:h=typeof IntersectionObserver=="function",animationFrame:u=!1}=n,f=ri(t),w=i||o?[...f?zn(f):[],...zn(e)]:[];w.forEach($=>{i&&$.addEventListener("scroll",r,{passive:!0}),o&&$.addEventListener("resize",r)});let m=f&&h?Ca(f,r):null,E=-1,O=null;s&&(O=new ResizeObserver($=>{let[B]=$;B&&B.target===f&&O&&(O.unobserve(e),cancelAnimationFrame(E),E=requestAnimationFrame(()=>{var K;(K=O)==null||K.observe(e)})),r()}),f&&!u&&O.observe(f),O.observe(e));let S,P=u?vn(t):null;u&&R();function R(){let $=vn(t);P&&($.x!==P.x||$.y!==P.y||$.width!==P.width||$.height!==P.height)&&r(),P=$,S=requestAnimationFrame(R)}return r(),()=>{var $;w.forEach(B=>{i&&B.removeEventListener("scroll",r),o&&B.removeEventListener("resize",r)}),m?.(),($=O)==null||$.disconnect(),O=null,u&&cancelAnimationFrame(S)}}var ii=ta,Ji=sa,Zi=na,Qi=la,eo=ra,to=Qo,no=oa,ki=(t,e,r)=>{let n=new Map,i={platform:Aa,...r},o={...i.platform,_c:n};return Zo(t,e,{...i,platform:o})},Da=t=>{let e={placement:"bottom",strategy:"absolute",middleware:[]},r=Object.keys(t),n=i=>t[i];return r.includes("offset")&&e.middleware.push(Wi(n("offset"))),r.includes("teleport")&&(e.strategy="fixed"),r.includes("placement")&&(e.placement=n("placement")),r.includes("autoPlacement")&&!r.includes("flip")&&e.middleware.push(ii(n("autoPlacement"))),r.includes("flip")&&e.middleware.push(Zi(n("flip"))),r.includes("shift")&&e.middleware.push(Ji(n("shift"))),r.includes("inline")&&e.middleware.push(no(n("inline"))),r.includes("arrow")&&e.middleware.push(to(n("arrow"))),r.includes("hide")&&e.middleware.push(eo(n("hide"))),r.includes("size")&&e.middleware.push(Qi(n("size"))),e},Ta=(t,e)=>{let r={component:{trap:!1},float:{placement:"bottom",strategy:"absolute",middleware:[]}},n=i=>t[t.indexOf(i)+1];if(t.includes("trap")&&(r.component.trap=!0),t.includes("teleport")&&(r.float.strategy="fixed"),t.includes("offset")&&r.float.middleware.push(Wi(e.offset||10)),t.includes("placement")&&(r.float.placement=n("placement")),t.includes("autoPlacement")&&!t.includes("flip")&&r.float.middleware.push(ii(e.autoPlacement)),t.includes("flip")&&r.float.middleware.push(Zi(e.flip)),t.includes("shift")&&r.float.middleware.push(Ji(e.shift)),t.includes("inline")&&r.float.middleware.push(no(e.inline)),t.includes("arrow")&&r.float.middleware.push(to(e.arrow)),t.includes("hide")&&r.float.middleware.push(eo(e.hide)),t.includes("size")){let i=e.size?.availableWidth??null,o=e.size?.availableHeight??null;i&&delete e.size.availableWidth,o&&delete e.size.availableHeight,r.float.middleware.push(Qi({...e.size,apply({availableWidth:s,availableHeight:h,elements:u}){Object.assign(u.floating.style,{maxWidth:`${i??s}px`,maxHeight:`${o??h}px`})}}))}return r},_a=t=>{var e="0123456789ABCDEFGHIJKLMNOPQRSTUVWXTZabcdefghiklmnopqrstuvwxyz".split(""),r="";t||(t=Math.floor(Math.random()*e.length));for(var n=0;n{}){let r=!1;return function(){r?e.apply(this,arguments):(r=!0,t.apply(this,arguments))}}function Ma(t){let e={dismissable:!0,trap:!1};function r(n,i=null){if(n){if(n.hasAttribute("aria-expanded")||n.setAttribute("aria-expanded",!1),i.hasAttribute("id"))n.setAttribute("aria-controls",i.getAttribute("id"));else{let o=`panel-${_a(8)}`;n.setAttribute("aria-controls",o),i.setAttribute("id",o)}i.setAttribute("aria-modal",!0),i.setAttribute("role","dialog")}}t.magic("float",n=>(i={},o={})=>{let s={...e,...o},h=Object.keys(i).length>0?Da(i):{middleware:[ii()]},u=n,f=n.parentElement.closest("[x-data]"),w=f.querySelector('[x-ref="panel"]');r(u,w);function m(){return w.style.display=="block"}function E(){w.style.display="none",u.setAttribute("aria-expanded","false"),s.trap&&w.setAttribute("x-trap","false"),Ni(n,w,P)}function O(){w.style.display="block",u.setAttribute("aria-expanded","true"),s.trap&&w.setAttribute("x-trap","true"),P()}function S(){m()?E():O()}async function P(){return await ki(n,w,h).then(({middlewareData:R,placement:$,x:B,y:K})=>{if(R.arrow){let X=R.arrow?.x,ne=R.arrow?.y,J=h.middleware.filter(de=>de.name=="arrow")[0].options.element,V={top:"bottom",right:"left",bottom:"top",left:"right"}[$.split("-")[0]];Object.assign(J.style,{left:X!=null?`${X}px`:"",top:ne!=null?`${ne}px`:"",right:"",bottom:"",[V]:"-4px"})}if(R.hide){let{referenceHidden:X}=R.hide;Object.assign(w.style,{visibility:X?"hidden":"visible"})}Object.assign(w.style,{left:`${B}px`,top:`${K}px`})})}s.dismissable&&(window.addEventListener("click",R=>{!f.contains(R.target)&&m()&&S()}),window.addEventListener("keydown",R=>{R.key==="Escape"&&m()&&S()},!0)),S()}),t.directive("float",(n,{modifiers:i,expression:o},{evaluate:s,effect:h})=>{let u=o?s(o):{},f=i.length>0?Ta(i,u):{},w=null;f.float.strategy=="fixed"&&(n.style.position="fixed");let m=V=>n.parentElement&&!n.parentElement.closest("[x-data]").contains(V.target)?n.close():null,E=V=>V.key==="Escape"?n.close():null,O=n.getAttribute("x-ref"),S=n.parentElement.closest("[x-data]"),P=S.querySelectorAll(`[\\@click^="$refs.${O}"]`),R=S.querySelectorAll(`[x-on\\:click^="$refs.${O}"]`);n.style.setProperty("display","none"),r([...P,...R][0],n),n._x_isShown=!1,n.trigger=null,n._x_doHide||(n._x_doHide=()=>{n.style.setProperty("display","none",i.includes("important")?"important":void 0)}),n._x_doShow||(n._x_doShow=()=>{n.style.setProperty("display","block",i.includes("important")?"important":void 0)});let $=()=>{n._x_doHide(),n._x_isShown=!1},B=()=>{n._x_doShow(),n._x_isShown=!0},K=()=>setTimeout(B),X=Pa(V=>V?B():$(),V=>{typeof n._x_toggleAndCascadeWithTransitions=="function"?n._x_toggleAndCascadeWithTransitions(n,V,B,$):V?K():$()}),ne,J=!0;h(()=>s(V=>{!J&&V===ne||(i.includes("immediate")&&(V?K():$()),X(V),ne=V,J=!1)})),n.open=async function(V){n.trigger=V.currentTarget?V.currentTarget:V,X(!0),n.trigger.setAttribute("aria-expanded","true"),f.component.trap&&n.setAttribute("x-trap","true"),w=Ni(n.trigger,n,()=>{ki(n.trigger,n,f.float).then(({middlewareData:de,placement:U,x:Z,y:me})=>{if(de.arrow){let l=de.arrow?.x,p=de.arrow?.y,v=f.float.middleware.filter(N=>N.name=="arrow")[0].options.element,d={top:"bottom",right:"left",bottom:"top",left:"right"}[U.split("-")[0]];Object.assign(v.style,{left:l!=null?`${l}px`:"",top:p!=null?`${p}px`:"",right:"",bottom:"",[d]:"-4px"})}if(de.hide){let{referenceHidden:l}=de.hide;Object.assign(n.style,{visibility:l?"hidden":"visible"})}Object.assign(n.style,{left:`${Z}px`,top:`${me}px`})})}),window.addEventListener("click",m),window.addEventListener("keydown",E,!0)},n.close=function(){if(!n._x_isShown)return!1;X(!1),n.trigger.setAttribute("aria-expanded","false"),f.component.trap&&n.setAttribute("x-trap","false"),w(),window.removeEventListener("click",m),window.removeEventListener("keydown",E,!1)},n.toggle=function(V){n._x_isShown?n.close():n.open(V)}})}var ro=Ma;function Ra(t){t.store("lazyLoadedAssets",{loaded:new Set,check(s){return Array.isArray(s)?s.every(h=>this.loaded.has(h)):this.loaded.has(s)},markLoaded(s){Array.isArray(s)?s.forEach(h=>this.loaded.add(h)):this.loaded.add(s)}});let e=s=>new CustomEvent(s,{bubbles:!0,composed:!0,cancelable:!0}),r=(s,h={},u,f)=>{let w=document.createElement(s);return Object.entries(h).forEach(([m,E])=>w[m]=E),u&&(f?u.insertBefore(w,f):u.appendChild(w)),w},n=(s,h,u={},f=null,w=null)=>{let m=s==="link"?`link[href="${h}"]`:`script[src="${h}"]`;if(document.querySelector(m)||t.store("lazyLoadedAssets").check(h))return Promise.resolve();let E=s==="link"?{...u,href:h}:{...u,src:h},O=r(s,E,f,w);return new Promise((S,P)=>{O.onload=()=>{t.store("lazyLoadedAssets").markLoaded(h),S()},O.onerror=()=>{P(new Error(`Failed to load ${s}: ${h}`))}})},i=async(s,h,u=null,f=null)=>{let w={type:"text/css",rel:"stylesheet"};h&&(w.media=h);let m=document.head,E=null;if(u&&f){let O=document.querySelector(`link[href*="${f}"]`);O?(m=O.parentElement,E=u==="before"?O:O.nextSibling):(console.warn(`Target (${f}) not found for ${s}. Appending to head.`),m=document.head,E=null)}await n("link",s,w,m,E)},o=async(s,h,u=null,f=null,w=null)=>{let m=document.head,E=null;if(u&&f){let S=document.querySelector(`script[src*="${f}"]`);S?(m=S.parentElement,E=u==="before"?S:S.nextSibling):(console.warn(`Target (${f}) not found for ${s}. Falling back to head or body.`),m=document.head,E=null)}else(h.has("body-start")||h.has("body-end"))&&(m=document.body,h.has("body-start")&&(E=document.body.firstChild));let O={};w&&(O.type="module"),await n("script",s,O,m,E)};t.directive("load-css",(s,{expression:h},{evaluate:u})=>{let f=u(h),w=s.media,m=s.getAttribute("data-dispatch"),E=s.getAttribute("data-css-before")?"before":s.getAttribute("data-css-after")?"after":null,O=s.getAttribute("data-css-before")||s.getAttribute("data-css-after")||null;Promise.all(f.map(S=>i(S,w,E,O))).then(()=>{m&&window.dispatchEvent(e(`${m}-css`))}).catch(console.error)}),t.directive("load-js",(s,{expression:h,modifiers:u},{evaluate:f})=>{let w=f(h),m=new Set(u),E=s.getAttribute("data-js-before")?"before":s.getAttribute("data-js-after")?"after":null,O=s.getAttribute("data-js-before")||s.getAttribute("data-js-after")||null,S=s.getAttribute("data-js-as-module")||s.getAttribute("data-as-module")||!1,P=s.getAttribute("data-dispatch");Promise.all(w.map(R=>o(R,m,E,O,S))).then(()=>{P&&window.dispatchEvent(e(`${P}-js`))}).catch(console.error)})}var io=Ra;var jo=Uo(so(),1);function lo(t,e){var r=Object.keys(t);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(t);e&&(n=n.filter(function(i){return Object.getOwnPropertyDescriptor(t,i).enumerable})),r.push.apply(r,n)}return r}function Mt(t){for(var e=1;e=0)&&(r[i]=t[i]);return r}function La(t,e){if(t==null)return{};var r=Fa(t,e),n,i;if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(t);for(i=0;i=0)&&Object.prototype.propertyIsEnumerable.call(t,n)&&(r[n]=t[n])}return r}var Na="1.15.3";function Ht(t){if(typeof window<"u"&&window.navigator)return!!navigator.userAgent.match(t)}var Wt=Ht(/(?:Trident.*rv[ :]?11\.|msie|iemobile|Windows Phone)/i),er=Ht(/Edge/i),co=Ht(/firefox/i),Gn=Ht(/safari/i)&&!Ht(/chrome/i)&&!Ht(/android/i),bo=Ht(/iP(ad|od|hone)/i),yo=Ht(/chrome/i)&&Ht(/android/i),wo={capture:!1,passive:!1};function Ce(t,e,r){t.addEventListener(e,r,!Wt&&wo)}function Oe(t,e,r){t.removeEventListener(e,r,!Wt&&wo)}function _r(t,e){if(e){if(e[0]===">"&&(e=e.substring(1)),t)try{if(t.matches)return t.matches(e);if(t.msMatchesSelector)return t.msMatchesSelector(e);if(t.webkitMatchesSelector)return t.webkitMatchesSelector(e)}catch{return!1}return!1}}function xo(t){return t.host&&t!==document&&t.host.nodeType?t.host:t.parentNode}function St(t,e,r,n){if(t){r=r||document;do{if(e!=null&&(e[0]===">"?t.parentNode===r&&_r(t,e):_r(t,e))||n&&t===r)return t;if(t===r)break}while(t=xo(t))}return null}var fo=/\s+/g;function ft(t,e,r){if(t&&e)if(t.classList)t.classList[r?"add":"remove"](e);else{var n=(" "+t.className+" ").replace(fo," ").replace(" "+e+" "," ");t.className=(n+(r?" "+e:"")).replace(fo," ")}}function ae(t,e,r){var n=t&&t.style;if(n){if(r===void 0)return document.defaultView&&document.defaultView.getComputedStyle?r=document.defaultView.getComputedStyle(t,""):t.currentStyle&&(r=t.currentStyle),e===void 0?r:r[e];!(e in n)&&e.indexOf("webkit")===-1&&(e="-webkit-"+e),n[e]=r+(typeof r=="string"?"":"px")}}function Ln(t,e){var r="";if(typeof t=="string")r=t;else do{var n=ae(t,"transform");n&&n!=="none"&&(r=n+" "+r)}while(!e&&(t=t.parentNode));var i=window.DOMMatrix||window.WebKitCSSMatrix||window.CSSMatrix||window.MSCSSMatrix;return i&&new i(r)}function Eo(t,e,r){if(t){var n=t.getElementsByTagName(e),i=0,o=n.length;if(r)for(;i=o:s=i<=o,!s)return n;if(n===Pt())break;n=sn(n,!1)}return!1}function Nn(t,e,r,n){for(var i=0,o=0,s=t.children;o2&&arguments[2]!==void 0?arguments[2]:{},i=n.evt,o=La(n,za);tr.pluginEvent.bind(se)(e,r,Mt({dragEl:L,parentEl:ze,ghostEl:ue,rootEl:ke,nextEl:bn,lastDownEl:Ar,cloneEl:We,cloneHidden:an,dragStarted:Yn,putSortable:Ze,activeSortable:se.active,originalEvent:i,oldIndex:Fn,oldDraggableIndex:Jn,newIndex:ut,newDraggableIndex:on,hideGhostForTarget:Po,unhideGhostForTarget:Mo,cloneNowHidden:function(){an=!0},cloneNowShown:function(){an=!1},dispatchSortableEvent:function(h){it({sortable:r,name:h,originalEvent:i})}},o))};function it(t){Va(Mt({putSortable:Ze,cloneEl:We,targetEl:L,rootEl:ke,oldIndex:Fn,oldDraggableIndex:Jn,newIndex:ut,newDraggableIndex:on},t))}var L,ze,ue,ke,bn,Ar,We,an,Fn,ut,Jn,on,wr,Ze,In=!1,Pr=!1,Mr=[],mn,Ot,si,li,ho,vo,Yn,Rn,Zn,Qn=!1,xr=!1,Cr,nt,ci=[],hi=!1,Rr=[],Fr=typeof document<"u",Er=bo,mo=er||Wt?"cssFloat":"float",Ua=Fr&&!yo&&!bo&&"draggable"in document.createElement("div"),Do=function(){if(Fr){if(Wt)return!1;var t=document.createElement("x");return t.style.cssText="pointer-events:auto",t.style.pointerEvents==="auto"}}(),To=function(e,r){var n=ae(e),i=parseInt(n.width)-parseInt(n.paddingLeft)-parseInt(n.paddingRight)-parseInt(n.borderLeftWidth)-parseInt(n.borderRightWidth),o=Nn(e,0,r),s=Nn(e,1,r),h=o&&ae(o),u=s&&ae(s),f=h&&parseInt(h.marginLeft)+parseInt(h.marginRight)+qe(o).width,w=u&&parseInt(u.marginLeft)+parseInt(u.marginRight)+qe(s).width;if(n.display==="flex")return n.flexDirection==="column"||n.flexDirection==="column-reverse"?"vertical":"horizontal";if(n.display==="grid")return n.gridTemplateColumns.split(" ").length<=1?"vertical":"horizontal";if(o&&h.float&&h.float!=="none"){var m=h.float==="left"?"left":"right";return s&&(u.clear==="both"||u.clear===m)?"vertical":"horizontal"}return o&&(h.display==="block"||h.display==="flex"||h.display==="table"||h.display==="grid"||f>=i&&n[mo]==="none"||s&&n[mo]==="none"&&f+w>i)?"vertical":"horizontal"},Ya=function(e,r,n){var i=n?e.left:e.top,o=n?e.right:e.bottom,s=n?e.width:e.height,h=n?r.left:r.top,u=n?r.right:r.bottom,f=n?r.width:r.height;return i===h||o===u||i+s/2===h+f/2},Xa=function(e,r){var n;return Mr.some(function(i){var o=i[st].options.emptyInsertThreshold;if(!(!o||bi(i))){var s=qe(i),h=e>=s.left-o&&e<=s.right+o,u=r>=s.top-o&&r<=s.bottom+o;if(h&&u)return n=i}}),n},_o=function(e){function r(o,s){return function(h,u,f,w){var m=h.options.group.name&&u.options.group.name&&h.options.group.name===u.options.group.name;if(o==null&&(s||m))return!0;if(o==null||o===!1)return!1;if(s&&o==="clone")return o;if(typeof o=="function")return r(o(h,u,f,w),s)(h,u,f,w);var E=(s?h:u).options.group.name;return o===!0||typeof o=="string"&&o===E||o.join&&o.indexOf(E)>-1}}var n={},i=e.group;(!i||Sr(i)!="object")&&(i={name:i}),n.name=i.name,n.checkPull=r(i.pull,!0),n.checkPut=r(i.put),n.revertClone=i.revertClone,e.group=n},Po=function(){!Do&&ue&&ae(ue,"display","none")},Mo=function(){!Do&&ue&&ae(ue,"display","")};Fr&&!yo&&document.addEventListener("click",function(t){if(Pr)return t.preventDefault(),t.stopPropagation&&t.stopPropagation(),t.stopImmediatePropagation&&t.stopImmediatePropagation(),Pr=!1,!1},!0);var gn=function(e){if(L){e=e.touches?e.touches[0]:e;var r=Xa(e.clientX,e.clientY);if(r){var n={};for(var i in e)e.hasOwnProperty(i)&&(n[i]=e[i]);n.target=n.rootEl=r,n.preventDefault=void 0,n.stopPropagation=void 0,r[st]._onDragOver(n)}}},qa=function(e){L&&L.parentNode[st]._isOutsideThisEl(e.target)};function se(t,e){if(!(t&&t.nodeType&&t.nodeType===1))throw"Sortable: `el` must be an HTMLElement, not ".concat({}.toString.call(t));this.el=t,this.options=e=$t({},e),t[st]=this;var r={group:null,sort:!0,disabled:!1,store:null,handle:null,draggable:/^[uo]l$/i.test(t.nodeName)?">li":">*",swapThreshold:1,invertSwap:!1,invertedSwapThreshold:null,removeCloneOnHide:!0,direction:function(){return To(t,this.options)},ghostClass:"sortable-ghost",chosenClass:"sortable-chosen",dragClass:"sortable-drag",ignore:"a, img",filter:null,preventOnFilter:!0,animation:0,easing:null,setData:function(s,h){s.setData("Text",h.textContent)},dropBubble:!1,dragoverBubble:!1,dataIdAttr:"data-id",delay:0,delayOnTouchOnly:!1,touchStartThreshold:(Number.parseInt?Number:window).parseInt(window.devicePixelRatio,10)||1,forceFallback:!1,fallbackClass:"sortable-fallback",fallbackOnBody:!1,fallbackTolerance:0,fallbackOffset:{x:0,y:0},supportPointer:se.supportPointer!==!1&&"PointerEvent"in window&&!Gn,emptyInsertThreshold:5};tr.initializePlugins(this,t,r);for(var n in r)!(n in e)&&(e[n]=r[n]);_o(e);for(var i in this)i.charAt(0)==="_"&&typeof this[i]=="function"&&(this[i]=this[i].bind(this));this.nativeDraggable=e.forceFallback?!1:Ua,this.nativeDraggable&&(this.options.touchStartThreshold=1),e.supportPointer?Ce(t,"pointerdown",this._onTapStart):(Ce(t,"mousedown",this._onTapStart),Ce(t,"touchstart",this._onTapStart)),this.nativeDraggable&&(Ce(t,"dragover",this),Ce(t,"dragenter",this)),Mr.push(this.el),e.store&&e.store.get&&this.sort(e.store.get(this)||[]),$t(this,Ha())}se.prototype={constructor:se,_isOutsideThisEl:function(e){!this.el.contains(e)&&e!==this.el&&(Rn=null)},_getDirection:function(e,r){return typeof this.options.direction=="function"?this.options.direction.call(this,e,r,L):this.options.direction},_onTapStart:function(e){if(e.cancelable){var r=this,n=this.el,i=this.options,o=i.preventOnFilter,s=e.type,h=e.touches&&e.touches[0]||e.pointerType&&e.pointerType==="touch"&&e,u=(h||e).target,f=e.target.shadowRoot&&(e.path&&e.path[0]||e.composedPath&&e.composedPath()[0])||u,w=i.filter;if(ns(n),!L&&!(/mousedown|pointerdown/.test(s)&&e.button!==0||i.disabled)&&!f.isContentEditable&&!(!this.nativeDraggable&&Gn&&u&&u.tagName.toUpperCase()==="SELECT")&&(u=St(u,i.draggable,n,!1),!(u&&u.animated)&&Ar!==u)){if(Fn=vt(u),Jn=vt(u,i.draggable),typeof w=="function"){if(w.call(this,e,u,this)){it({sortable:r,rootEl:f,name:"filter",targetEl:u,toEl:n,fromEl:n}),at("filter",r,{evt:e}),o&&e.cancelable&&e.preventDefault();return}}else if(w&&(w=w.split(",").some(function(m){if(m=St(f,m.trim(),n,!1),m)return it({sortable:r,rootEl:m,name:"filter",targetEl:u,fromEl:n,toEl:n}),at("filter",r,{evt:e}),!0}),w)){o&&e.cancelable&&e.preventDefault();return}i.handle&&!St(f,i.handle,n,!1)||this._prepareDragStart(e,h,u)}}},_prepareDragStart:function(e,r,n){var i=this,o=i.el,s=i.options,h=o.ownerDocument,u;if(n&&!L&&n.parentNode===o){var f=qe(n);if(ke=o,L=n,ze=L.parentNode,bn=L.nextSibling,Ar=n,wr=s.group,se.dragged=L,mn={target:L,clientX:(r||e).clientX,clientY:(r||e).clientY},ho=mn.clientX-f.left,vo=mn.clientY-f.top,this._lastX=(r||e).clientX,this._lastY=(r||e).clientY,L.style["will-change"]="all",u=function(){if(at("delayEnded",i,{evt:e}),se.eventCanceled){i._onDrop();return}i._disableDelayedDragEvents(),!co&&i.nativeDraggable&&(L.draggable=!0),i._triggerDragStart(e,r),it({sortable:i,name:"choose",originalEvent:e}),ft(L,s.chosenClass,!0)},s.ignore.split(",").forEach(function(w){Eo(L,w.trim(),fi)}),Ce(h,"dragover",gn),Ce(h,"mousemove",gn),Ce(h,"touchmove",gn),Ce(h,"mouseup",i._onDrop),Ce(h,"touchend",i._onDrop),Ce(h,"touchcancel",i._onDrop),co&&this.nativeDraggable&&(this.options.touchStartThreshold=4,L.draggable=!0),at("delayStart",this,{evt:e}),s.delay&&(!s.delayOnTouchOnly||r)&&(!this.nativeDraggable||!(er||Wt))){if(se.eventCanceled){this._onDrop();return}Ce(h,"mouseup",i._disableDelayedDrag),Ce(h,"touchend",i._disableDelayedDrag),Ce(h,"touchcancel",i._disableDelayedDrag),Ce(h,"mousemove",i._delayedDragTouchMoveHandler),Ce(h,"touchmove",i._delayedDragTouchMoveHandler),s.supportPointer&&Ce(h,"pointermove",i._delayedDragTouchMoveHandler),i._dragStartTimer=setTimeout(u,s.delay)}else u()}},_delayedDragTouchMoveHandler:function(e){var r=e.touches?e.touches[0]:e;Math.max(Math.abs(r.clientX-this._lastX),Math.abs(r.clientY-this._lastY))>=Math.floor(this.options.touchStartThreshold/(this.nativeDraggable&&window.devicePixelRatio||1))&&this._disableDelayedDrag()},_disableDelayedDrag:function(){L&&fi(L),clearTimeout(this._dragStartTimer),this._disableDelayedDragEvents()},_disableDelayedDragEvents:function(){var e=this.el.ownerDocument;Oe(e,"mouseup",this._disableDelayedDrag),Oe(e,"touchend",this._disableDelayedDrag),Oe(e,"touchcancel",this._disableDelayedDrag),Oe(e,"mousemove",this._delayedDragTouchMoveHandler),Oe(e,"touchmove",this._delayedDragTouchMoveHandler),Oe(e,"pointermove",this._delayedDragTouchMoveHandler)},_triggerDragStart:function(e,r){r=r||e.pointerType=="touch"&&e,!this.nativeDraggable||r?this.options.supportPointer?Ce(document,"pointermove",this._onTouchMove):r?Ce(document,"touchmove",this._onTouchMove):Ce(document,"mousemove",this._onTouchMove):(Ce(L,"dragend",this),Ce(ke,"dragstart",this._onDragStart));try{document.selection?Dr(function(){document.selection.empty()}):window.getSelection().removeAllRanges()}catch{}},_dragStarted:function(e,r){if(In=!1,ke&&L){at("dragStarted",this,{evt:r}),this.nativeDraggable&&Ce(document,"dragover",qa);var n=this.options;!e&&ft(L,n.dragClass,!1),ft(L,n.ghostClass,!0),se.active=this,e&&this._appendGhost(),it({sortable:this,name:"start",originalEvent:r})}else this._nulling()},_emulateDragOver:function(){if(Ot){this._lastX=Ot.clientX,this._lastY=Ot.clientY,Po();for(var e=document.elementFromPoint(Ot.clientX,Ot.clientY),r=e;e&&e.shadowRoot&&(e=e.shadowRoot.elementFromPoint(Ot.clientX,Ot.clientY),e!==r);)r=e;if(L.parentNode[st]._isOutsideThisEl(e),r)do{if(r[st]){var n=void 0;if(n=r[st]._onDragOver({clientX:Ot.clientX,clientY:Ot.clientY,target:e,rootEl:r}),n&&!this.options.dragoverBubble)break}e=r}while(r=xo(r));Mo()}},_onTouchMove:function(e){if(mn){var r=this.options,n=r.fallbackTolerance,i=r.fallbackOffset,o=e.touches?e.touches[0]:e,s=ue&&Ln(ue,!0),h=ue&&s&&s.a,u=ue&&s&&s.d,f=Er&&nt&&po(nt),w=(o.clientX-mn.clientX+i.x)/(h||1)+(f?f[0]-ci[0]:0)/(h||1),m=(o.clientY-mn.clientY+i.y)/(u||1)+(f?f[1]-ci[1]:0)/(u||1);if(!se.active&&!In){if(n&&Math.max(Math.abs(o.clientX-this._lastX),Math.abs(o.clientY-this._lastY))=0&&(it({rootEl:ze,name:"add",toEl:ze,fromEl:ke,originalEvent:e}),it({sortable:this,name:"remove",toEl:ze,originalEvent:e}),it({rootEl:ze,name:"sort",toEl:ze,fromEl:ke,originalEvent:e}),it({sortable:this,name:"sort",toEl:ze,originalEvent:e})),Ze&&Ze.save()):ut!==Fn&&ut>=0&&(it({sortable:this,name:"update",toEl:ze,originalEvent:e}),it({sortable:this,name:"sort",toEl:ze,originalEvent:e})),se.active&&((ut==null||ut===-1)&&(ut=Fn,on=Jn),it({sortable:this,name:"end",toEl:ze,originalEvent:e}),this.save()))),this._nulling()},_nulling:function(){at("nulling",this),ke=L=ze=ue=bn=We=Ar=an=mn=Ot=Yn=ut=on=Fn=Jn=Rn=Zn=Ze=wr=se.dragged=se.ghost=se.clone=se.active=null,Rr.forEach(function(e){e.checked=!0}),Rr.length=si=li=0},handleEvent:function(e){switch(e.type){case"drop":case"dragend":this._onDrop(e);break;case"dragenter":case"dragover":L&&(this._onDragOver(e),Ga(e));break;case"selectstart":e.preventDefault();break}},toArray:function(){for(var e=[],r,n=this.el.children,i=0,o=n.length,s=this.options;ii.right+o||t.clientY>n.bottom&&t.clientX>n.left:t.clientY>i.bottom+o||t.clientX>n.right&&t.clientY>n.top}function Qa(t,e,r,n,i,o,s,h){var u=n?t.clientY:t.clientX,f=n?r.height:r.width,w=n?r.top:r.left,m=n?r.bottom:r.right,E=!1;if(!s){if(h&&Crw+f*o/2:um-Cr)return-Zn}else if(u>w+f*(1-i)/2&&um-f*o/2)?u>w+f/2?1:-1:0}function es(t){return vt(L){t.directive("sortable",e=>{let r=parseInt(e.dataset?.sortableAnimationDuration);r!==0&&!r&&(r=300),e.sortable=xi.create(e,{group:e.getAttribute("x-sortable-group"),draggable:"[x-sortable-item]",handle:"[x-sortable-handle]",dataIdAttr:"x-sortable-item",animation:r,ghostClass:"fi-sortable-ghost"})})};var is=Object.create,Si=Object.defineProperty,os=Object.getPrototypeOf,as=Object.prototype.hasOwnProperty,ss=Object.getOwnPropertyNames,ls=Object.getOwnPropertyDescriptor,cs=t=>Si(t,"__esModule",{value:!0}),Fo=(t,e)=>()=>(e||(e={exports:{}},t(e.exports,e)),e.exports),fs=(t,e,r)=>{if(e&&typeof e=="object"||typeof e=="function")for(let n of ss(e))!as.call(t,n)&&n!=="default"&&Si(t,n,{get:()=>e[n],enumerable:!(r=ls(e,n))||r.enumerable});return t},Lo=t=>fs(cs(Si(t!=null?is(os(t)):{},"default",t&&t.__esModule&&"default"in t?{get:()=>t.default,enumerable:!0}:{value:t,enumerable:!0})),t),us=Fo(t=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});function e(c){var a=c.getBoundingClientRect();return{width:a.width,height:a.height,top:a.top,right:a.right,bottom:a.bottom,left:a.left,x:a.left,y:a.top}}function r(c){if(c==null)return window;if(c.toString()!=="[object Window]"){var a=c.ownerDocument;return a&&a.defaultView||window}return c}function n(c){var a=r(c),b=a.pageXOffset,D=a.pageYOffset;return{scrollLeft:b,scrollTop:D}}function i(c){var a=r(c).Element;return c instanceof a||c instanceof Element}function o(c){var a=r(c).HTMLElement;return c instanceof a||c instanceof HTMLElement}function s(c){if(typeof ShadowRoot>"u")return!1;var a=r(c).ShadowRoot;return c instanceof a||c instanceof ShadowRoot}function h(c){return{scrollLeft:c.scrollLeft,scrollTop:c.scrollTop}}function u(c){return c===r(c)||!o(c)?n(c):h(c)}function f(c){return c?(c.nodeName||"").toLowerCase():null}function w(c){return((i(c)?c.ownerDocument:c.document)||window.document).documentElement}function m(c){return e(w(c)).left+n(c).scrollLeft}function E(c){return r(c).getComputedStyle(c)}function O(c){var a=E(c),b=a.overflow,D=a.overflowX,T=a.overflowY;return/auto|scroll|overlay|hidden/.test(b+T+D)}function S(c,a,b){b===void 0&&(b=!1);var D=w(a),T=e(c),F=o(a),W={scrollLeft:0,scrollTop:0},j={x:0,y:0};return(F||!F&&!b)&&((f(a)!=="body"||O(D))&&(W=u(a)),o(a)?(j=e(a),j.x+=a.clientLeft,j.y+=a.clientTop):D&&(j.x=m(D))),{x:T.left+W.scrollLeft-j.x,y:T.top+W.scrollTop-j.y,width:T.width,height:T.height}}function P(c){var a=e(c),b=c.offsetWidth,D=c.offsetHeight;return Math.abs(a.width-b)<=1&&(b=a.width),Math.abs(a.height-D)<=1&&(D=a.height),{x:c.offsetLeft,y:c.offsetTop,width:b,height:D}}function R(c){return f(c)==="html"?c:c.assignedSlot||c.parentNode||(s(c)?c.host:null)||w(c)}function $(c){return["html","body","#document"].indexOf(f(c))>=0?c.ownerDocument.body:o(c)&&O(c)?c:$(R(c))}function B(c,a){var b;a===void 0&&(a=[]);var D=$(c),T=D===((b=c.ownerDocument)==null?void 0:b.body),F=r(D),W=T?[F].concat(F.visualViewport||[],O(D)?D:[]):D,j=a.concat(W);return T?j:j.concat(B(R(W)))}function K(c){return["table","td","th"].indexOf(f(c))>=0}function X(c){return!o(c)||E(c).position==="fixed"?null:c.offsetParent}function ne(c){var a=navigator.userAgent.toLowerCase().indexOf("firefox")!==-1,b=navigator.userAgent.indexOf("Trident")!==-1;if(b&&o(c)){var D=E(c);if(D.position==="fixed")return null}for(var T=R(c);o(T)&&["html","body"].indexOf(f(T))<0;){var F=E(T);if(F.transform!=="none"||F.perspective!=="none"||F.contain==="paint"||["transform","perspective"].indexOf(F.willChange)!==-1||a&&F.willChange==="filter"||a&&F.filter&&F.filter!=="none")return T;T=T.parentNode}return null}function J(c){for(var a=r(c),b=X(c);b&&K(b)&&E(b).position==="static";)b=X(b);return b&&(f(b)==="html"||f(b)==="body"&&E(b).position==="static")?a:b||ne(c)||a}var V="top",de="bottom",U="right",Z="left",me="auto",l=[V,de,U,Z],p="start",v="end",d="clippingParents",N="viewport",_="popper",M="reference",Q=l.reduce(function(c,a){return c.concat([a+"-"+p,a+"-"+v])},[]),Ue=[].concat(l,[me]).reduce(function(c,a){return c.concat([a,a+"-"+p,a+"-"+v])},[]),Rt="beforeRead",Vt="read",Lr="afterRead",Nr="beforeMain",kr="main",zt="afterMain",nr="beforeWrite",jr="write",rr="afterWrite",It=[Rt,Vt,Lr,Nr,kr,zt,nr,jr,rr];function Br(c){var a=new Map,b=new Set,D=[];c.forEach(function(F){a.set(F.name,F)});function T(F){b.add(F.name);var W=[].concat(F.requires||[],F.requiresIfExists||[]);W.forEach(function(j){if(!b.has(j)){var q=a.get(j);q&&T(q)}}),D.push(F)}return c.forEach(function(F){b.has(F.name)||T(F)}),D}function mt(c){var a=Br(c);return It.reduce(function(b,D){return b.concat(a.filter(function(T){return T.phase===D}))},[])}function Ut(c){var a;return function(){return a||(a=new Promise(function(b){Promise.resolve().then(function(){a=void 0,b(c())})})),a}}function At(c){for(var a=arguments.length,b=new Array(a>1?a-1:0),D=1;D=0,D=b&&o(c)?J(c):c;return i(D)?a.filter(function(T){return i(T)&&kn(T,D)&&f(T)!=="body"}):[]}function wn(c,a,b){var D=a==="clippingParents"?yn(c):[].concat(a),T=[].concat(D,[b]),F=T[0],W=T.reduce(function(j,q){var oe=sr(c,q);return j.top=gt(oe.top,j.top),j.right=ln(oe.right,j.right),j.bottom=ln(oe.bottom,j.bottom),j.left=gt(oe.left,j.left),j},sr(c,F));return W.width=W.right-W.left,W.height=W.bottom-W.top,W.x=W.left,W.y=W.top,W}function cn(c){return c.split("-")[1]}function dt(c){return["top","bottom"].indexOf(c)>=0?"x":"y"}function lr(c){var a=c.reference,b=c.element,D=c.placement,T=D?ot(D):null,F=D?cn(D):null,W=a.x+a.width/2-b.width/2,j=a.y+a.height/2-b.height/2,q;switch(T){case V:q={x:W,y:a.y-b.height};break;case de:q={x:W,y:a.y+a.height};break;case U:q={x:a.x+a.width,y:j};break;case Z:q={x:a.x-b.width,y:j};break;default:q={x:a.x,y:a.y}}var oe=T?dt(T):null;if(oe!=null){var z=oe==="y"?"height":"width";switch(F){case p:q[oe]=q[oe]-(a[z]/2-b[z]/2);break;case v:q[oe]=q[oe]+(a[z]/2-b[z]/2);break}}return q}function cr(){return{top:0,right:0,bottom:0,left:0}}function fr(c){return Object.assign({},cr(),c)}function ur(c,a){return a.reduce(function(b,D){return b[D]=c,b},{})}function qt(c,a){a===void 0&&(a={});var b=a,D=b.placement,T=D===void 0?c.placement:D,F=b.boundary,W=F===void 0?d:F,j=b.rootBoundary,q=j===void 0?N:j,oe=b.elementContext,z=oe===void 0?_:oe,De=b.altBoundary,Le=De===void 0?!1:De,Ae=b.padding,xe=Ae===void 0?0:Ae,Me=fr(typeof xe!="number"?xe:ur(xe,l)),Ee=z===_?M:_,Be=c.elements.reference,Re=c.rects.popper,He=c.elements[Le?Ee:z],ce=wn(i(He)?He:He.contextElement||w(c.elements.popper),W,q),Pe=e(Be),Te=lr({reference:Pe,element:Re,strategy:"absolute",placement:T}),Ne=Xt(Object.assign({},Re,Te)),Fe=z===_?Ne:Pe,Ye={top:ce.top-Fe.top+Me.top,bottom:Fe.bottom-ce.bottom+Me.bottom,left:ce.left-Fe.left+Me.left,right:Fe.right-ce.right+Me.right},$e=c.modifiersData.offset;if(z===_&&$e){var Ve=$e[T];Object.keys(Ye).forEach(function(wt){var et=[U,de].indexOf(wt)>=0?1:-1,Lt=[V,de].indexOf(wt)>=0?"y":"x";Ye[wt]+=Ve[Lt]*et})}return Ye}var dr="Popper: Invalid reference or popper argument provided. They must be either a DOM element or virtual element.",zr="Popper: An infinite loop in the modifiers cycle has been detected! The cycle has been interrupted to prevent a browser crash.",xn={placement:"bottom",modifiers:[],strategy:"absolute"};function fn(){for(var c=arguments.length,a=new Array(c),b=0;b100){console.error(zr);break}if(z.reset===!0){z.reset=!1,Pe=-1;continue}var Te=z.orderedModifiers[Pe],Ne=Te.fn,Fe=Te.options,Ye=Fe===void 0?{}:Fe,$e=Te.name;typeof Ne=="function"&&(z=Ne({state:z,options:Ye,name:$e,instance:Ae})||z)}}},update:Ut(function(){return new Promise(function(Ee){Ae.forceUpdate(),Ee(z)})}),destroy:function(){Me(),Le=!0}};if(!fn(j,q))return console.error(dr),Ae;Ae.setOptions(oe).then(function(Ee){!Le&&oe.onFirstUpdate&&oe.onFirstUpdate(Ee)});function xe(){z.orderedModifiers.forEach(function(Ee){var Be=Ee.name,Re=Ee.options,He=Re===void 0?{}:Re,ce=Ee.effect;if(typeof ce=="function"){var Pe=ce({state:z,name:Be,instance:Ae,options:He}),Te=function(){};De.push(Pe||Te)}})}function Me(){De.forEach(function(Ee){return Ee()}),De=[]}return Ae}}var On={passive:!0};function Ur(c){var a=c.state,b=c.instance,D=c.options,T=D.scroll,F=T===void 0?!0:T,W=D.resize,j=W===void 0?!0:W,q=r(a.elements.popper),oe=[].concat(a.scrollParents.reference,a.scrollParents.popper);return F&&oe.forEach(function(z){z.addEventListener("scroll",b.update,On)}),j&&q.addEventListener("resize",b.update,On),function(){F&&oe.forEach(function(z){z.removeEventListener("scroll",b.update,On)}),j&&q.removeEventListener("resize",b.update,On)}}var jn={name:"eventListeners",enabled:!0,phase:"write",fn:function(){},effect:Ur,data:{}};function Yr(c){var a=c.state,b=c.name;a.modifiersData[b]=lr({reference:a.rects.reference,element:a.rects.popper,strategy:"absolute",placement:a.placement})}var Bn={name:"popperOffsets",enabled:!0,phase:"read",fn:Yr,data:{}},Xr={top:"auto",right:"auto",bottom:"auto",left:"auto"};function qr(c){var a=c.x,b=c.y,D=window,T=D.devicePixelRatio||1;return{x:Yt(Yt(a*T)/T)||0,y:Yt(Yt(b*T)/T)||0}}function Hn(c){var a,b=c.popper,D=c.popperRect,T=c.placement,F=c.offsets,W=c.position,j=c.gpuAcceleration,q=c.adaptive,oe=c.roundOffsets,z=oe===!0?qr(F):typeof oe=="function"?oe(F):F,De=z.x,Le=De===void 0?0:De,Ae=z.y,xe=Ae===void 0?0:Ae,Me=F.hasOwnProperty("x"),Ee=F.hasOwnProperty("y"),Be=Z,Re=V,He=window;if(q){var ce=J(b),Pe="clientHeight",Te="clientWidth";ce===r(b)&&(ce=w(b),E(ce).position!=="static"&&(Pe="scrollHeight",Te="scrollWidth")),ce=ce,T===V&&(Re=de,xe-=ce[Pe]-D.height,xe*=j?1:-1),T===Z&&(Be=U,Le-=ce[Te]-D.width,Le*=j?1:-1)}var Ne=Object.assign({position:W},q&&Xr);if(j){var Fe;return Object.assign({},Ne,(Fe={},Fe[Re]=Ee?"0":"",Fe[Be]=Me?"0":"",Fe.transform=(He.devicePixelRatio||1)<2?"translate("+Le+"px, "+xe+"px)":"translate3d("+Le+"px, "+xe+"px, 0)",Fe))}return Object.assign({},Ne,(a={},a[Re]=Ee?xe+"px":"",a[Be]=Me?Le+"px":"",a.transform="",a))}function g(c){var a=c.state,b=c.options,D=b.gpuAcceleration,T=D===void 0?!0:D,F=b.adaptive,W=F===void 0?!0:F,j=b.roundOffsets,q=j===void 0?!0:j,oe=E(a.elements.popper).transitionProperty||"";W&&["transform","top","right","bottom","left"].some(function(De){return oe.indexOf(De)>=0})&&console.warn(["Popper: Detected CSS transitions on at least one of the following",'CSS properties: "transform", "top", "right", "bottom", "left".',` + +`,'Disable the "computeStyles" modifier\'s `adaptive` option to allow',"for smooth transitions, or remove these properties from the CSS","transition declaration on the popper element if only transitioning","opacity or background-color for example.",` + +`,"We recommend using the popper element as a wrapper around an inner","element that can have any CSS property transitioned for animations."].join(" "));var z={placement:ot(a.placement),popper:a.elements.popper,popperRect:a.rects.popper,gpuAcceleration:T};a.modifiersData.popperOffsets!=null&&(a.styles.popper=Object.assign({},a.styles.popper,Hn(Object.assign({},z,{offsets:a.modifiersData.popperOffsets,position:a.options.strategy,adaptive:W,roundOffsets:q})))),a.modifiersData.arrow!=null&&(a.styles.arrow=Object.assign({},a.styles.arrow,Hn(Object.assign({},z,{offsets:a.modifiersData.arrow,position:"absolute",adaptive:!1,roundOffsets:q})))),a.attributes.popper=Object.assign({},a.attributes.popper,{"data-popper-placement":a.placement})}var y={name:"computeStyles",enabled:!0,phase:"beforeWrite",fn:g,data:{}};function A(c){var a=c.state;Object.keys(a.elements).forEach(function(b){var D=a.styles[b]||{},T=a.attributes[b]||{},F=a.elements[b];!o(F)||!f(F)||(Object.assign(F.style,D),Object.keys(T).forEach(function(W){var j=T[W];j===!1?F.removeAttribute(W):F.setAttribute(W,j===!0?"":j)}))})}function I(c){var a=c.state,b={popper:{position:a.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};return Object.assign(a.elements.popper.style,b.popper),a.styles=b,a.elements.arrow&&Object.assign(a.elements.arrow.style,b.arrow),function(){Object.keys(a.elements).forEach(function(D){var T=a.elements[D],F=a.attributes[D]||{},W=Object.keys(a.styles.hasOwnProperty(D)?a.styles[D]:b[D]),j=W.reduce(function(q,oe){return q[oe]="",q},{});!o(T)||!f(T)||(Object.assign(T.style,j),Object.keys(F).forEach(function(q){T.removeAttribute(q)}))})}}var Y={name:"applyStyles",enabled:!0,phase:"write",fn:A,effect:I,requires:["computeStyles"]};function H(c,a,b){var D=ot(c),T=[Z,V].indexOf(D)>=0?-1:1,F=typeof b=="function"?b(Object.assign({},a,{placement:c})):b,W=F[0],j=F[1];return W=W||0,j=(j||0)*T,[Z,U].indexOf(D)>=0?{x:j,y:W}:{x:W,y:j}}function k(c){var a=c.state,b=c.options,D=c.name,T=b.offset,F=T===void 0?[0,0]:T,W=Ue.reduce(function(z,De){return z[De]=H(De,a.rects,F),z},{}),j=W[a.placement],q=j.x,oe=j.y;a.modifiersData.popperOffsets!=null&&(a.modifiersData.popperOffsets.x+=q,a.modifiersData.popperOffsets.y+=oe),a.modifiersData[D]=W}var be={name:"offset",enabled:!0,phase:"main",requires:["popperOffsets"],fn:k},le={left:"right",right:"left",bottom:"top",top:"bottom"};function pe(c){return c.replace(/left|right|bottom|top/g,function(a){return le[a]})}var ye={start:"end",end:"start"};function _e(c){return c.replace(/start|end/g,function(a){return ye[a]})}function je(c,a){a===void 0&&(a={});var b=a,D=b.placement,T=b.boundary,F=b.rootBoundary,W=b.padding,j=b.flipVariations,q=b.allowedAutoPlacements,oe=q===void 0?Ue:q,z=cn(D),De=z?j?Q:Q.filter(function(xe){return cn(xe)===z}):l,Le=De.filter(function(xe){return oe.indexOf(xe)>=0});Le.length===0&&(Le=De,console.error(["Popper: The `allowedAutoPlacements` option did not allow any","placements. Ensure the `placement` option matches the variation","of the allowed placements.",'For example, "auto" cannot be used to allow "bottom-start".','Use "auto-start" instead.'].join(" ")));var Ae=Le.reduce(function(xe,Me){return xe[Me]=qt(c,{placement:Me,boundary:T,rootBoundary:F,padding:W})[ot(Me)],xe},{});return Object.keys(Ae).sort(function(xe,Me){return Ae[xe]-Ae[Me]})}function Se(c){if(ot(c)===me)return[];var a=pe(c);return[_e(c),a,_e(a)]}function Ie(c){var a=c.state,b=c.options,D=c.name;if(!a.modifiersData[D]._skip){for(var T=b.mainAxis,F=T===void 0?!0:T,W=b.altAxis,j=W===void 0?!0:W,q=b.fallbackPlacements,oe=b.padding,z=b.boundary,De=b.rootBoundary,Le=b.altBoundary,Ae=b.flipVariations,xe=Ae===void 0?!0:Ae,Me=b.allowedAutoPlacements,Ee=a.options.placement,Be=ot(Ee),Re=Be===Ee,He=q||(Re||!xe?[pe(Ee)]:Se(Ee)),ce=[Ee].concat(He).reduce(function(te,ge){return te.concat(ot(ge)===me?je(a,{placement:ge,boundary:z,rootBoundary:De,padding:oe,flipVariations:xe,allowedAutoPlacements:Me}):ge)},[]),Pe=a.rects.reference,Te=a.rects.popper,Ne=new Map,Fe=!0,Ye=ce[0],$e=0;$e=0,dn=Lt?"width":"height",Zt=qt(a,{placement:Ve,boundary:z,rootBoundary:De,altBoundary:Le,padding:oe}),Nt=Lt?et?U:Z:et?de:V;Pe[dn]>Te[dn]&&(Nt=pe(Nt));var $n=pe(Nt),Qt=[];if(F&&Qt.push(Zt[wt]<=0),j&&Qt.push(Zt[Nt]<=0,Zt[$n]<=0),Qt.every(function(te){return te})){Ye=Ve,Fe=!1;break}Ne.set(Ve,Qt)}if(Fe)for(var Sn=xe?3:1,Wn=function(ge){var we=ce.find(function(Ke){var Je=Ne.get(Ke);if(Je)return Je.slice(0,ge).every(function(Dt){return Dt})});if(we)return Ye=we,"break"},C=Sn;C>0;C--){var G=Wn(C);if(G==="break")break}a.placement!==Ye&&(a.modifiersData[D]._skip=!0,a.placement=Ye,a.reset=!0)}}var re={name:"flip",enabled:!0,phase:"main",fn:Ie,requiresIfExists:["offset"],data:{_skip:!1}};function he(c){return c==="x"?"y":"x"}function ve(c,a,b){return gt(c,ln(a,b))}function ee(c){var a=c.state,b=c.options,D=c.name,T=b.mainAxis,F=T===void 0?!0:T,W=b.altAxis,j=W===void 0?!1:W,q=b.boundary,oe=b.rootBoundary,z=b.altBoundary,De=b.padding,Le=b.tether,Ae=Le===void 0?!0:Le,xe=b.tetherOffset,Me=xe===void 0?0:xe,Ee=qt(a,{boundary:q,rootBoundary:oe,padding:De,altBoundary:z}),Be=ot(a.placement),Re=cn(a.placement),He=!Re,ce=dt(Be),Pe=he(ce),Te=a.modifiersData.popperOffsets,Ne=a.rects.reference,Fe=a.rects.popper,Ye=typeof Me=="function"?Me(Object.assign({},a.rects,{placement:a.placement})):Me,$e={x:0,y:0};if(Te){if(F||j){var Ve=ce==="y"?V:Z,wt=ce==="y"?de:U,et=ce==="y"?"height":"width",Lt=Te[ce],dn=Te[ce]+Ee[Ve],Zt=Te[ce]-Ee[wt],Nt=Ae?-Fe[et]/2:0,$n=Re===p?Ne[et]:Fe[et],Qt=Re===p?-Fe[et]:-Ne[et],Sn=a.elements.arrow,Wn=Ae&&Sn?P(Sn):{width:0,height:0},C=a.modifiersData["arrow#persistent"]?a.modifiersData["arrow#persistent"].padding:cr(),G=C[Ve],te=C[wt],ge=ve(0,Ne[et],Wn[et]),we=He?Ne[et]/2-Nt-ge-G-Ye:$n-ge-G-Ye,Ke=He?-Ne[et]/2+Nt+ge+te+Ye:Qt+ge+te+Ye,Je=a.elements.arrow&&J(a.elements.arrow),Dt=Je?ce==="y"?Je.clientTop||0:Je.clientLeft||0:0,Vn=a.modifiersData.offset?a.modifiersData.offset[a.placement][ce]:0,Tt=Te[ce]+we-Vn-Dt,An=Te[ce]+Ke-Vn;if(F){var pn=ve(Ae?ln(dn,Tt):dn,Lt,Ae?gt(Zt,An):Zt);Te[ce]=pn,$e[ce]=pn-Lt}if(j){var en=ce==="x"?V:Z,Gr=ce==="x"?de:U,tn=Te[Pe],hn=tn+Ee[en],Ai=tn-Ee[Gr],Ci=ve(Ae?ln(hn,Tt):hn,tn,Ae?gt(Ai,An):Ai);Te[Pe]=Ci,$e[Pe]=Ci-tn}}a.modifiersData[D]=$e}}var ie={name:"preventOverflow",enabled:!0,phase:"main",fn:ee,requiresIfExists:["offset"]},x=function(a,b){return a=typeof a=="function"?a(Object.assign({},b.rects,{placement:b.placement})):a,fr(typeof a!="number"?a:ur(a,l))};function Ge(c){var a,b=c.state,D=c.name,T=c.options,F=b.elements.arrow,W=b.modifiersData.popperOffsets,j=ot(b.placement),q=dt(j),oe=[Z,U].indexOf(j)>=0,z=oe?"height":"width";if(!(!F||!W)){var De=x(T.padding,b),Le=P(F),Ae=q==="y"?V:Z,xe=q==="y"?de:U,Me=b.rects.reference[z]+b.rects.reference[q]-W[q]-b.rects.popper[z],Ee=W[q]-b.rects.reference[q],Be=J(F),Re=Be?q==="y"?Be.clientHeight||0:Be.clientWidth||0:0,He=Me/2-Ee/2,ce=De[Ae],Pe=Re-Le[z]-De[xe],Te=Re/2-Le[z]/2+He,Ne=ve(ce,Te,Pe),Fe=q;b.modifiersData[D]=(a={},a[Fe]=Ne,a.centerOffset=Ne-Te,a)}}function fe(c){var a=c.state,b=c.options,D=b.element,T=D===void 0?"[data-popper-arrow]":D;if(T!=null&&!(typeof T=="string"&&(T=a.elements.popper.querySelector(T),!T))){if(o(T)||console.error(['Popper: "arrow" element must be an HTMLElement (not an SVGElement).',"To use an SVG arrow, wrap it in an HTMLElement that will be used as","the arrow."].join(" ")),!kn(a.elements.popper,T)){console.error(['Popper: "arrow" modifier\'s `element` must be a child of the popper',"element."].join(" "));return}a.elements.arrow=T}}var Ft={name:"arrow",enabled:!0,phase:"main",fn:Ge,effect:fe,requires:["popperOffsets"],requiresIfExists:["preventOverflow"]};function bt(c,a,b){return b===void 0&&(b={x:0,y:0}),{top:c.top-a.height-b.y,right:c.right-a.width+b.x,bottom:c.bottom-a.height+b.y,left:c.left-a.width-b.x}}function Gt(c){return[V,U,de,Z].some(function(a){return c[a]>=0})}function Kt(c){var a=c.state,b=c.name,D=a.rects.reference,T=a.rects.popper,F=a.modifiersData.preventOverflow,W=qt(a,{elementContext:"reference"}),j=qt(a,{altBoundary:!0}),q=bt(W,D),oe=bt(j,T,F),z=Gt(q),De=Gt(oe);a.modifiersData[b]={referenceClippingOffsets:q,popperEscapeOffsets:oe,isReferenceHidden:z,hasPopperEscaped:De},a.attributes.popper=Object.assign({},a.attributes.popper,{"data-popper-reference-hidden":z,"data-popper-escaped":De})}var Jt={name:"hide",enabled:!0,phase:"main",requiresIfExists:["preventOverflow"],fn:Kt},rt=[jn,Bn,y,Y],lt=En({defaultModifiers:rt}),yt=[jn,Bn,y,Y,be,re,ie,Ft,Jt],un=En({defaultModifiers:yt});t.applyStyles=Y,t.arrow=Ft,t.computeStyles=y,t.createPopper=un,t.createPopperLite=lt,t.defaultModifiers=yt,t.detectOverflow=qt,t.eventListeners=jn,t.flip=re,t.hide=Jt,t.offset=be,t.popperGenerator=En,t.popperOffsets=Bn,t.preventOverflow=ie}),No=Fo(t=>{"use strict";Object.defineProperty(t,"__esModule",{value:!0});var e=us(),r='',n="tippy-box",i="tippy-content",o="tippy-backdrop",s="tippy-arrow",h="tippy-svg-arrow",u={passive:!0,capture:!0};function f(g,y){return{}.hasOwnProperty.call(g,y)}function w(g,y,A){if(Array.isArray(g)){var I=g[y];return I??(Array.isArray(A)?A[y]:A)}return g}function m(g,y){var A={}.toString.call(g);return A.indexOf("[object")===0&&A.indexOf(y+"]")>-1}function E(g,y){return typeof g=="function"?g.apply(void 0,y):g}function O(g,y){if(y===0)return g;var A;return function(I){clearTimeout(A),A=setTimeout(function(){g(I)},y)}}function S(g,y){var A=Object.assign({},g);return y.forEach(function(I){delete A[I]}),A}function P(g){return g.split(/\s+/).filter(Boolean)}function R(g){return[].concat(g)}function $(g,y){g.indexOf(y)===-1&&g.push(y)}function B(g){return g.filter(function(y,A){return g.indexOf(y)===A})}function K(g){return g.split("-")[0]}function X(g){return[].slice.call(g)}function ne(g){return Object.keys(g).reduce(function(y,A){return g[A]!==void 0&&(y[A]=g[A]),y},{})}function J(){return document.createElement("div")}function V(g){return["Element","Fragment"].some(function(y){return m(g,y)})}function de(g){return m(g,"NodeList")}function U(g){return m(g,"MouseEvent")}function Z(g){return!!(g&&g._tippy&&g._tippy.reference===g)}function me(g){return V(g)?[g]:de(g)?X(g):Array.isArray(g)?g:X(document.querySelectorAll(g))}function l(g,y){g.forEach(function(A){A&&(A.style.transitionDuration=y+"ms")})}function p(g,y){g.forEach(function(A){A&&A.setAttribute("data-state",y)})}function v(g){var y,A=R(g),I=A[0];return!(I==null||(y=I.ownerDocument)==null)&&y.body?I.ownerDocument:document}function d(g,y){var A=y.clientX,I=y.clientY;return g.every(function(Y){var H=Y.popperRect,k=Y.popperState,be=Y.props,le=be.interactiveBorder,pe=K(k.placement),ye=k.modifiersData.offset;if(!ye)return!0;var _e=pe==="bottom"?ye.top.y:0,je=pe==="top"?ye.bottom.y:0,Se=pe==="right"?ye.left.x:0,Ie=pe==="left"?ye.right.x:0,re=H.top-I+_e>le,he=I-H.bottom-je>le,ve=H.left-A+Se>le,ee=A-H.right-Ie>le;return re||he||ve||ee})}function N(g,y,A){var I=y+"EventListener";["transitionend","webkitTransitionEnd"].forEach(function(Y){g[I](Y,A)})}var _={isTouch:!1},M=0;function Q(){_.isTouch||(_.isTouch=!0,window.performance&&document.addEventListener("mousemove",Ue))}function Ue(){var g=performance.now();g-M<20&&(_.isTouch=!1,document.removeEventListener("mousemove",Ue)),M=g}function Rt(){var g=document.activeElement;if(Z(g)){var y=g._tippy;g.blur&&!y.state.isVisible&&g.blur()}}function Vt(){document.addEventListener("touchstart",Q,u),window.addEventListener("blur",Rt)}var Lr=typeof window<"u"&&typeof document<"u",Nr=Lr?navigator.userAgent:"",kr=/MSIE |Trident\//.test(Nr);function zt(g){var y=g==="destroy"?"n already-":" ";return[g+"() was called on a"+y+"destroyed instance. This is a no-op but","indicates a potential memory leak."].join(" ")}function nr(g){var y=/[ \t]{2,}/g,A=/^[ \t]*/gm;return g.replace(y," ").replace(A,"").trim()}function jr(g){return nr(` + %ctippy.js + + %c`+nr(g)+` + + %c\u{1F477}\u200D This is a development-only message. It will be removed in production. + `)}function rr(g){return[jr(g),"color: #00C584; font-size: 1.3em; font-weight: bold;","line-height: 1.5","color: #a6a095;"]}var It;Br();function Br(){It=new Set}function mt(g,y){if(g&&!It.has(y)){var A;It.add(y),(A=console).warn.apply(A,rr(y))}}function Ut(g,y){if(g&&!It.has(y)){var A;It.add(y),(A=console).error.apply(A,rr(y))}}function At(g){var y=!g,A=Object.prototype.toString.call(g)==="[object Object]"&&!g.addEventListener;Ut(y,["tippy() was passed","`"+String(g)+"`","as its targets (first) argument. Valid types are: String, Element,","Element[], or NodeList."].join(" ")),Ut(A,["tippy() was passed a plain object which is not supported as an argument","for virtual positioning. Use props.getReferenceClientRect instead."].join(" "))}var Ct={animateFill:!1,followCursor:!1,inlinePositioning:!1,sticky:!1},Hr={allowHTML:!1,animation:"fade",arrow:!0,content:"",inertia:!1,maxWidth:350,role:"tooltip",theme:"",zIndex:9999},Qe=Object.assign({appendTo:function(){return document.body},aria:{content:"auto",expanded:"auto"},delay:0,duration:[300,250],getReferenceClientRect:null,hideOnClick:!0,ignoreAttributes:!1,interactive:!1,interactiveBorder:2,interactiveDebounce:0,moveTransition:"",offset:[0,10],onAfterUpdate:function(){},onBeforeUpdate:function(){},onCreate:function(){},onDestroy:function(){},onHidden:function(){},onHide:function(){},onMount:function(){},onShow:function(){},onShown:function(){},onTrigger:function(){},onUntrigger:function(){},onClickOutside:function(){},placement:"top",plugins:[],popperOptions:{},render:null,showOnCreate:!1,touch:!0,trigger:"mouseenter focus",triggerTarget:null},Ct,{},Hr),$r=Object.keys(Qe),Wr=function(y){gt(y,[]);var A=Object.keys(y);A.forEach(function(I){Qe[I]=y[I]})};function ot(g){var y=g.plugins||[],A=y.reduce(function(I,Y){var H=Y.name,k=Y.defaultValue;return H&&(I[H]=g[H]!==void 0?g[H]:k),I},{});return Object.assign({},g,{},A)}function Vr(g,y){var A=y?Object.keys(ot(Object.assign({},Qe,{plugins:y}))):$r,I=A.reduce(function(Y,H){var k=(g.getAttribute("data-tippy-"+H)||"").trim();if(!k)return Y;if(H==="content")Y[H]=k;else try{Y[H]=JSON.parse(k)}catch{Y[H]=k}return Y},{});return I}function ir(g,y){var A=Object.assign({},y,{content:E(y.content,[g])},y.ignoreAttributes?{}:Vr(g,y.plugins));return A.aria=Object.assign({},Qe.aria,{},A.aria),A.aria={expanded:A.aria.expanded==="auto"?y.interactive:A.aria.expanded,content:A.aria.content==="auto"?y.interactive?null:"describedby":A.aria.content},A}function gt(g,y){g===void 0&&(g={}),y===void 0&&(y=[]);var A=Object.keys(g);A.forEach(function(I){var Y=S(Qe,Object.keys(Ct)),H=!f(Y,I);H&&(H=y.filter(function(k){return k.name===I}).length===0),mt(H,["`"+I+"`","is not a valid prop. You may have spelled it incorrectly, or if it's","a plugin, forgot to pass it in an array as props.plugins.",` + +`,`All props: https://atomiks.github.io/tippyjs/v6/all-props/ +`,"Plugins: https://atomiks.github.io/tippyjs/v6/plugins/"].join(" "))})}var ln=function(){return"innerHTML"};function Yt(g,y){g[ln()]=y}function or(g){var y=J();return g===!0?y.className=s:(y.className=h,V(g)?y.appendChild(g):Yt(y,g)),y}function kn(g,y){V(y.content)?(Yt(g,""),g.appendChild(y.content)):typeof y.content!="function"&&(y.allowHTML?Yt(g,y.content):g.textContent=y.content)}function Xt(g){var y=g.firstElementChild,A=X(y.children);return{box:y,content:A.find(function(I){return I.classList.contains(i)}),arrow:A.find(function(I){return I.classList.contains(s)||I.classList.contains(h)}),backdrop:A.find(function(I){return I.classList.contains(o)})}}function ar(g){var y=J(),A=J();A.className=n,A.setAttribute("data-state","hidden"),A.setAttribute("tabindex","-1");var I=J();I.className=i,I.setAttribute("data-state","hidden"),kn(I,g.props),y.appendChild(A),A.appendChild(I),Y(g.props,g.props);function Y(H,k){var be=Xt(y),le=be.box,pe=be.content,ye=be.arrow;k.theme?le.setAttribute("data-theme",k.theme):le.removeAttribute("data-theme"),typeof k.animation=="string"?le.setAttribute("data-animation",k.animation):le.removeAttribute("data-animation"),k.inertia?le.setAttribute("data-inertia",""):le.removeAttribute("data-inertia"),le.style.maxWidth=typeof k.maxWidth=="number"?k.maxWidth+"px":k.maxWidth,k.role?le.setAttribute("role",k.role):le.removeAttribute("role"),(H.content!==k.content||H.allowHTML!==k.allowHTML)&&kn(pe,g.props),k.arrow?ye?H.arrow!==k.arrow&&(le.removeChild(ye),le.appendChild(or(k.arrow))):le.appendChild(or(k.arrow)):ye&&le.removeChild(ye)}return{popper:y,onUpdate:Y}}ar.$$tippy=!0;var sr=1,yn=[],wn=[];function cn(g,y){var A=ir(g,Object.assign({},Qe,{},ot(ne(y)))),I,Y,H,k=!1,be=!1,le=!1,pe=!1,ye,_e,je,Se=[],Ie=O(Re,A.interactiveDebounce),re,he=sr++,ve=null,ee=B(A.plugins),ie={isEnabled:!0,isVisible:!1,isDestroyed:!1,isMounted:!1,isShown:!1},x={id:he,reference:g,popper:J(),popperInstance:ve,props:A,state:ie,plugins:ee,clearDelayTimeouts:Lt,setProps:dn,setContent:Zt,show:Nt,hide:$n,hideWithInteractivity:Qt,enable:wt,disable:et,unmount:Sn,destroy:Wn};if(!A.render)return Ut(!0,"render() function has not been supplied."),x;var Ge=A.render(x),fe=Ge.popper,Ft=Ge.onUpdate;fe.setAttribute("data-tippy-root",""),fe.id="tippy-"+x.id,x.popper=fe,g._tippy=x,fe._tippy=x;var bt=ee.map(function(C){return C.fn(x)}),Gt=g.hasAttribute("aria-expanded");return Me(),T(),a(),b("onCreate",[x]),A.showOnCreate&&$e(),fe.addEventListener("mouseenter",function(){x.props.interactive&&x.state.isVisible&&x.clearDelayTimeouts()}),fe.addEventListener("mouseleave",function(C){x.props.interactive&&x.props.trigger.indexOf("mouseenter")>=0&&(yt().addEventListener("mousemove",Ie),Ie(C))}),x;function Kt(){var C=x.props.touch;return Array.isArray(C)?C:[C,0]}function Jt(){return Kt()[0]==="hold"}function rt(){var C;return!!((C=x.props.render)!=null&&C.$$tippy)}function lt(){return re||g}function yt(){var C=lt().parentNode;return C?v(C):document}function un(){return Xt(fe)}function c(C){return x.state.isMounted&&!x.state.isVisible||_.isTouch||ye&&ye.type==="focus"?0:w(x.props.delay,C?0:1,Qe.delay)}function a(){fe.style.pointerEvents=x.props.interactive&&x.state.isVisible?"":"none",fe.style.zIndex=""+x.props.zIndex}function b(C,G,te){if(te===void 0&&(te=!0),bt.forEach(function(we){we[C]&&we[C].apply(void 0,G)}),te){var ge;(ge=x.props)[C].apply(ge,G)}}function D(){var C=x.props.aria;if(C.content){var G="aria-"+C.content,te=fe.id,ge=R(x.props.triggerTarget||g);ge.forEach(function(we){var Ke=we.getAttribute(G);if(x.state.isVisible)we.setAttribute(G,Ke?Ke+" "+te:te);else{var Je=Ke&&Ke.replace(te,"").trim();Je?we.setAttribute(G,Je):we.removeAttribute(G)}})}}function T(){if(!(Gt||!x.props.aria.expanded)){var C=R(x.props.triggerTarget||g);C.forEach(function(G){x.props.interactive?G.setAttribute("aria-expanded",x.state.isVisible&&G===lt()?"true":"false"):G.removeAttribute("aria-expanded")})}}function F(){yt().removeEventListener("mousemove",Ie),yn=yn.filter(function(C){return C!==Ie})}function W(C){if(!(_.isTouch&&(le||C.type==="mousedown"))&&!(x.props.interactive&&fe.contains(C.target))){if(lt().contains(C.target)){if(_.isTouch||x.state.isVisible&&x.props.trigger.indexOf("click")>=0)return}else b("onClickOutside",[x,C]);x.props.hideOnClick===!0&&(x.clearDelayTimeouts(),x.hide(),be=!0,setTimeout(function(){be=!1}),x.state.isMounted||z())}}function j(){le=!0}function q(){le=!1}function oe(){var C=yt();C.addEventListener("mousedown",W,!0),C.addEventListener("touchend",W,u),C.addEventListener("touchstart",q,u),C.addEventListener("touchmove",j,u)}function z(){var C=yt();C.removeEventListener("mousedown",W,!0),C.removeEventListener("touchend",W,u),C.removeEventListener("touchstart",q,u),C.removeEventListener("touchmove",j,u)}function De(C,G){Ae(C,function(){!x.state.isVisible&&fe.parentNode&&fe.parentNode.contains(fe)&&G()})}function Le(C,G){Ae(C,G)}function Ae(C,G){var te=un().box;function ge(we){we.target===te&&(N(te,"remove",ge),G())}if(C===0)return G();N(te,"remove",_e),N(te,"add",ge),_e=ge}function xe(C,G,te){te===void 0&&(te=!1);var ge=R(x.props.triggerTarget||g);ge.forEach(function(we){we.addEventListener(C,G,te),Se.push({node:we,eventType:C,handler:G,options:te})})}function Me(){Jt()&&(xe("touchstart",Be,{passive:!0}),xe("touchend",He,{passive:!0})),P(x.props.trigger).forEach(function(C){if(C!=="manual")switch(xe(C,Be),C){case"mouseenter":xe("mouseleave",He);break;case"focus":xe(kr?"focusout":"blur",ce);break;case"focusin":xe("focusout",ce);break}})}function Ee(){Se.forEach(function(C){var G=C.node,te=C.eventType,ge=C.handler,we=C.options;G.removeEventListener(te,ge,we)}),Se=[]}function Be(C){var G,te=!1;if(!(!x.state.isEnabled||Pe(C)||be)){var ge=((G=ye)==null?void 0:G.type)==="focus";ye=C,re=C.currentTarget,T(),!x.state.isVisible&&U(C)&&yn.forEach(function(we){return we(C)}),C.type==="click"&&(x.props.trigger.indexOf("mouseenter")<0||k)&&x.props.hideOnClick!==!1&&x.state.isVisible?te=!0:$e(C),C.type==="click"&&(k=!te),te&&!ge&&Ve(C)}}function Re(C){var G=C.target,te=lt().contains(G)||fe.contains(G);if(!(C.type==="mousemove"&&te)){var ge=Ye().concat(fe).map(function(we){var Ke,Je=we._tippy,Dt=(Ke=Je.popperInstance)==null?void 0:Ke.state;return Dt?{popperRect:we.getBoundingClientRect(),popperState:Dt,props:A}:null}).filter(Boolean);d(ge,C)&&(F(),Ve(C))}}function He(C){var G=Pe(C)||x.props.trigger.indexOf("click")>=0&&k;if(!G){if(x.props.interactive){x.hideWithInteractivity(C);return}Ve(C)}}function ce(C){x.props.trigger.indexOf("focusin")<0&&C.target!==lt()||x.props.interactive&&C.relatedTarget&&fe.contains(C.relatedTarget)||Ve(C)}function Pe(C){return _.isTouch?Jt()!==C.type.indexOf("touch")>=0:!1}function Te(){Ne();var C=x.props,G=C.popperOptions,te=C.placement,ge=C.offset,we=C.getReferenceClientRect,Ke=C.moveTransition,Je=rt()?Xt(fe).arrow:null,Dt=we?{getBoundingClientRect:we,contextElement:we.contextElement||lt()}:g,Vn={name:"$$tippy",enabled:!0,phase:"beforeWrite",requires:["computeStyles"],fn:function(pn){var en=pn.state;if(rt()){var Gr=un(),tn=Gr.box;["placement","reference-hidden","escaped"].forEach(function(hn){hn==="placement"?tn.setAttribute("data-placement",en.placement):en.attributes.popper["data-popper-"+hn]?tn.setAttribute("data-"+hn,""):tn.removeAttribute("data-"+hn)}),en.attributes.popper={}}}},Tt=[{name:"offset",options:{offset:ge}},{name:"preventOverflow",options:{padding:{top:2,bottom:2,left:5,right:5}}},{name:"flip",options:{padding:5}},{name:"computeStyles",options:{adaptive:!Ke}},Vn];rt()&&Je&&Tt.push({name:"arrow",options:{element:Je,padding:3}}),Tt.push.apply(Tt,G?.modifiers||[]),x.popperInstance=e.createPopper(Dt,fe,Object.assign({},G,{placement:te,onFirstUpdate:je,modifiers:Tt}))}function Ne(){x.popperInstance&&(x.popperInstance.destroy(),x.popperInstance=null)}function Fe(){var C=x.props.appendTo,G,te=lt();x.props.interactive&&C===Qe.appendTo||C==="parent"?G=te.parentNode:G=E(C,[te]),G.contains(fe)||G.appendChild(fe),Te(),mt(x.props.interactive&&C===Qe.appendTo&&te.nextElementSibling!==fe,["Interactive tippy element may not be accessible via keyboard","navigation because it is not directly after the reference element","in the DOM source order.",` + +`,"Using a wrapper
or tag around the reference element","solves this by creating a new parentNode context.",` + +`,"Specifying `appendTo: document.body` silences this warning, but it","assumes you are using a focus management solution to handle","keyboard navigation.",` + +`,"See: https://atomiks.github.io/tippyjs/v6/accessibility/#interactivity"].join(" "))}function Ye(){return X(fe.querySelectorAll("[data-tippy-root]"))}function $e(C){x.clearDelayTimeouts(),C&&b("onTrigger",[x,C]),oe();var G=c(!0),te=Kt(),ge=te[0],we=te[1];_.isTouch&&ge==="hold"&&we&&(G=we),G?I=setTimeout(function(){x.show()},G):x.show()}function Ve(C){if(x.clearDelayTimeouts(),b("onUntrigger",[x,C]),!x.state.isVisible){z();return}if(!(x.props.trigger.indexOf("mouseenter")>=0&&x.props.trigger.indexOf("click")>=0&&["mouseleave","mousemove"].indexOf(C.type)>=0&&k)){var G=c(!1);G?Y=setTimeout(function(){x.state.isVisible&&x.hide()},G):H=requestAnimationFrame(function(){x.hide()})}}function wt(){x.state.isEnabled=!0}function et(){x.hide(),x.state.isEnabled=!1}function Lt(){clearTimeout(I),clearTimeout(Y),cancelAnimationFrame(H)}function dn(C){if(mt(x.state.isDestroyed,zt("setProps")),!x.state.isDestroyed){b("onBeforeUpdate",[x,C]),Ee();var G=x.props,te=ir(g,Object.assign({},x.props,{},C,{ignoreAttributes:!0}));x.props=te,Me(),G.interactiveDebounce!==te.interactiveDebounce&&(F(),Ie=O(Re,te.interactiveDebounce)),G.triggerTarget&&!te.triggerTarget?R(G.triggerTarget).forEach(function(ge){ge.removeAttribute("aria-expanded")}):te.triggerTarget&&g.removeAttribute("aria-expanded"),T(),a(),Ft&&Ft(G,te),x.popperInstance&&(Te(),Ye().forEach(function(ge){requestAnimationFrame(ge._tippy.popperInstance.forceUpdate)})),b("onAfterUpdate",[x,C])}}function Zt(C){x.setProps({content:C})}function Nt(){mt(x.state.isDestroyed,zt("show"));var C=x.state.isVisible,G=x.state.isDestroyed,te=!x.state.isEnabled,ge=_.isTouch&&!x.props.touch,we=w(x.props.duration,0,Qe.duration);if(!(C||G||te||ge)&&!lt().hasAttribute("disabled")&&(b("onShow",[x],!1),x.props.onShow(x)!==!1)){if(x.state.isVisible=!0,rt()&&(fe.style.visibility="visible"),a(),oe(),x.state.isMounted||(fe.style.transition="none"),rt()){var Ke=un(),Je=Ke.box,Dt=Ke.content;l([Je,Dt],0)}je=function(){var Tt;if(!(!x.state.isVisible||pe)){if(pe=!0,fe.offsetHeight,fe.style.transition=x.props.moveTransition,rt()&&x.props.animation){var An=un(),pn=An.box,en=An.content;l([pn,en],we),p([pn,en],"visible")}D(),T(),$(wn,x),(Tt=x.popperInstance)==null||Tt.forceUpdate(),x.state.isMounted=!0,b("onMount",[x]),x.props.animation&&rt()&&Le(we,function(){x.state.isShown=!0,b("onShown",[x])})}},Fe()}}function $n(){mt(x.state.isDestroyed,zt("hide"));var C=!x.state.isVisible,G=x.state.isDestroyed,te=!x.state.isEnabled,ge=w(x.props.duration,1,Qe.duration);if(!(C||G||te)&&(b("onHide",[x],!1),x.props.onHide(x)!==!1)){if(x.state.isVisible=!1,x.state.isShown=!1,pe=!1,k=!1,rt()&&(fe.style.visibility="hidden"),F(),z(),a(),rt()){var we=un(),Ke=we.box,Je=we.content;x.props.animation&&(l([Ke,Je],ge),p([Ke,Je],"hidden"))}D(),T(),x.props.animation?rt()&&De(ge,x.unmount):x.unmount()}}function Qt(C){mt(x.state.isDestroyed,zt("hideWithInteractivity")),yt().addEventListener("mousemove",Ie),$(yn,Ie),Ie(C)}function Sn(){mt(x.state.isDestroyed,zt("unmount")),x.state.isVisible&&x.hide(),x.state.isMounted&&(Ne(),Ye().forEach(function(C){C._tippy.unmount()}),fe.parentNode&&fe.parentNode.removeChild(fe),wn=wn.filter(function(C){return C!==x}),x.state.isMounted=!1,b("onHidden",[x]))}function Wn(){mt(x.state.isDestroyed,zt("destroy")),!x.state.isDestroyed&&(x.clearDelayTimeouts(),x.unmount(),Ee(),delete g._tippy,x.state.isDestroyed=!0,b("onDestroy",[x]))}}function dt(g,y){y===void 0&&(y={});var A=Qe.plugins.concat(y.plugins||[]);At(g),gt(y,A),Vt();var I=Object.assign({},y,{plugins:A}),Y=me(g),H=V(I.content),k=Y.length>1;mt(H&&k,["tippy() was passed an Element as the `content` prop, but more than","one tippy instance was created by this invocation. This means the","content element will only be appended to the last tippy instance.",` + +`,"Instead, pass the .innerHTML of the element, or use a function that","returns a cloned version of the element instead.",` + +`,`1) content: element.innerHTML +`,"2) content: () => element.cloneNode(true)"].join(" "));var be=Y.reduce(function(le,pe){var ye=pe&&cn(pe,I);return ye&&le.push(ye),le},[]);return V(g)?be[0]:be}dt.defaultProps=Qe,dt.setDefaultProps=Wr,dt.currentInput=_;var lr=function(y){var A=y===void 0?{}:y,I=A.exclude,Y=A.duration;wn.forEach(function(H){var k=!1;if(I&&(k=Z(I)?H.reference===I:H.popper===I.popper),!k){var be=H.props.duration;H.setProps({duration:Y}),H.hide(),H.state.isDestroyed||H.setProps({duration:be})}})},cr=Object.assign({},e.applyStyles,{effect:function(y){var A=y.state,I={popper:{position:A.options.strategy,left:"0",top:"0",margin:"0"},arrow:{position:"absolute"},reference:{}};Object.assign(A.elements.popper.style,I.popper),A.styles=I,A.elements.arrow&&Object.assign(A.elements.arrow.style,I.arrow)}}),fr=function(y,A){var I;A===void 0&&(A={}),Ut(!Array.isArray(y),["The first argument passed to createSingleton() must be an array of","tippy instances. The passed value was",String(y)].join(" "));var Y=y,H=[],k,be=A.overrides,le=[],pe=!1;function ye(){H=Y.map(function(ee){return ee.reference})}function _e(ee){Y.forEach(function(ie){ee?ie.enable():ie.disable()})}function je(ee){return Y.map(function(ie){var x=ie.setProps;return ie.setProps=function(Ge){x(Ge),ie.reference===k&&ee.setProps(Ge)},function(){ie.setProps=x}})}function Se(ee,ie){var x=H.indexOf(ie);if(ie!==k){k=ie;var Ge=(be||[]).concat("content").reduce(function(fe,Ft){return fe[Ft]=Y[x].props[Ft],fe},{});ee.setProps(Object.assign({},Ge,{getReferenceClientRect:typeof Ge.getReferenceClientRect=="function"?Ge.getReferenceClientRect:function(){return ie.getBoundingClientRect()}}))}}_e(!1),ye();var Ie={fn:function(){return{onDestroy:function(){_e(!0)},onHidden:function(){k=null},onClickOutside:function(x){x.props.showOnCreate&&!pe&&(pe=!0,k=null)},onShow:function(x){x.props.showOnCreate&&!pe&&(pe=!0,Se(x,H[0]))},onTrigger:function(x,Ge){Se(x,Ge.currentTarget)}}}},re=dt(J(),Object.assign({},S(A,["overrides"]),{plugins:[Ie].concat(A.plugins||[]),triggerTarget:H,popperOptions:Object.assign({},A.popperOptions,{modifiers:[].concat(((I=A.popperOptions)==null?void 0:I.modifiers)||[],[cr])})})),he=re.show;re.show=function(ee){if(he(),!k&&ee==null)return Se(re,H[0]);if(!(k&&ee==null)){if(typeof ee=="number")return H[ee]&&Se(re,H[ee]);if(Y.includes(ee)){var ie=ee.reference;return Se(re,ie)}if(H.includes(ee))return Se(re,ee)}},re.showNext=function(){var ee=H[0];if(!k)return re.show(0);var ie=H.indexOf(k);re.show(H[ie+1]||ee)},re.showPrevious=function(){var ee=H[H.length-1];if(!k)return re.show(ee);var ie=H.indexOf(k),x=H[ie-1]||ee;re.show(x)};var ve=re.setProps;return re.setProps=function(ee){be=ee.overrides||be,ve(ee)},re.setInstances=function(ee){_e(!0),le.forEach(function(ie){return ie()}),Y=ee,_e(!1),ye(),je(re),re.setProps({triggerTarget:H})},le=je(re),re},ur={mouseover:"mouseenter",focusin:"focus",click:"click"};function qt(g,y){Ut(!(y&&y.target),["You must specity a `target` prop indicating a CSS selector string matching","the target elements that should receive a tippy."].join(" "));var A=[],I=[],Y=!1,H=y.target,k=S(y,["target"]),be=Object.assign({},k,{trigger:"manual",touch:!1}),le=Object.assign({},k,{showOnCreate:!0}),pe=dt(g,be),ye=R(pe);function _e(he){if(!(!he.target||Y)){var ve=he.target.closest(H);if(ve){var ee=ve.getAttribute("data-tippy-trigger")||y.trigger||Qe.trigger;if(!ve._tippy&&!(he.type==="touchstart"&&typeof le.touch=="boolean")&&!(he.type!=="touchstart"&&ee.indexOf(ur[he.type])<0)){var ie=dt(ve,le);ie&&(I=I.concat(ie))}}}}function je(he,ve,ee,ie){ie===void 0&&(ie=!1),he.addEventListener(ve,ee,ie),A.push({node:he,eventType:ve,handler:ee,options:ie})}function Se(he){var ve=he.reference;je(ve,"touchstart",_e,u),je(ve,"mouseover",_e),je(ve,"focusin",_e),je(ve,"click",_e)}function Ie(){A.forEach(function(he){var ve=he.node,ee=he.eventType,ie=he.handler,x=he.options;ve.removeEventListener(ee,ie,x)}),A=[]}function re(he){var ve=he.destroy,ee=he.enable,ie=he.disable;he.destroy=function(x){x===void 0&&(x=!0),x&&I.forEach(function(Ge){Ge.destroy()}),I=[],Ie(),ve()},he.enable=function(){ee(),I.forEach(function(x){return x.enable()}),Y=!1},he.disable=function(){ie(),I.forEach(function(x){return x.disable()}),Y=!0},Se(he)}return ye.forEach(re),pe}var dr={name:"animateFill",defaultValue:!1,fn:function(y){var A;if(!((A=y.props.render)!=null&&A.$$tippy))return Ut(y.props.animateFill,"The `animateFill` plugin requires the default render function."),{};var I=Xt(y.popper),Y=I.box,H=I.content,k=y.props.animateFill?zr():null;return{onCreate:function(){k&&(Y.insertBefore(k,Y.firstElementChild),Y.setAttribute("data-animatefill",""),Y.style.overflow="hidden",y.setProps({arrow:!1,animation:"shift-away"}))},onMount:function(){if(k){var le=Y.style.transitionDuration,pe=Number(le.replace("ms",""));H.style.transitionDelay=Math.round(pe/10)+"ms",k.style.transitionDuration=le,p([k],"visible")}},onShow:function(){k&&(k.style.transitionDuration="0ms")},onHide:function(){k&&p([k],"hidden")}}}};function zr(){var g=J();return g.className=o,p([g],"hidden"),g}var xn={clientX:0,clientY:0},fn=[];function En(g){var y=g.clientX,A=g.clientY;xn={clientX:y,clientY:A}}function On(g){g.addEventListener("mousemove",En)}function Ur(g){g.removeEventListener("mousemove",En)}var jn={name:"followCursor",defaultValue:!1,fn:function(y){var A=y.reference,I=v(y.props.triggerTarget||A),Y=!1,H=!1,k=!0,be=y.props;function le(){return y.props.followCursor==="initial"&&y.state.isVisible}function pe(){I.addEventListener("mousemove",je)}function ye(){I.removeEventListener("mousemove",je)}function _e(){Y=!0,y.setProps({getReferenceClientRect:null}),Y=!1}function je(re){var he=re.target?A.contains(re.target):!0,ve=y.props.followCursor,ee=re.clientX,ie=re.clientY,x=A.getBoundingClientRect(),Ge=ee-x.left,fe=ie-x.top;(he||!y.props.interactive)&&y.setProps({getReferenceClientRect:function(){var bt=A.getBoundingClientRect(),Gt=ee,Kt=ie;ve==="initial"&&(Gt=bt.left+Ge,Kt=bt.top+fe);var Jt=ve==="horizontal"?bt.top:Kt,rt=ve==="vertical"?bt.right:Gt,lt=ve==="horizontal"?bt.bottom:Kt,yt=ve==="vertical"?bt.left:Gt;return{width:rt-yt,height:lt-Jt,top:Jt,right:rt,bottom:lt,left:yt}}})}function Se(){y.props.followCursor&&(fn.push({instance:y,doc:I}),On(I))}function Ie(){fn=fn.filter(function(re){return re.instance!==y}),fn.filter(function(re){return re.doc===I}).length===0&&Ur(I)}return{onCreate:Se,onDestroy:Ie,onBeforeUpdate:function(){be=y.props},onAfterUpdate:function(he,ve){var ee=ve.followCursor;Y||ee!==void 0&&be.followCursor!==ee&&(Ie(),ee?(Se(),y.state.isMounted&&!H&&!le()&&pe()):(ye(),_e()))},onMount:function(){y.props.followCursor&&!H&&(k&&(je(xn),k=!1),le()||pe())},onTrigger:function(he,ve){U(ve)&&(xn={clientX:ve.clientX,clientY:ve.clientY}),H=ve.type==="focus"},onHidden:function(){y.props.followCursor&&(_e(),ye(),k=!0)}}}};function Yr(g,y){var A;return{popperOptions:Object.assign({},g.popperOptions,{modifiers:[].concat((((A=g.popperOptions)==null?void 0:A.modifiers)||[]).filter(function(I){var Y=I.name;return Y!==y.name}),[y])})}}var Bn={name:"inlinePositioning",defaultValue:!1,fn:function(y){var A=y.reference;function I(){return!!y.props.inlinePositioning}var Y,H=-1,k=!1,be={name:"tippyInlinePositioning",enabled:!0,phase:"afterWrite",fn:function(je){var Se=je.state;I()&&(Y!==Se.placement&&y.setProps({getReferenceClientRect:function(){return le(Se.placement)}}),Y=Se.placement)}};function le(_e){return Xr(K(_e),A.getBoundingClientRect(),X(A.getClientRects()),H)}function pe(_e){k=!0,y.setProps(_e),k=!1}function ye(){k||pe(Yr(y.props,be))}return{onCreate:ye,onAfterUpdate:ye,onTrigger:function(je,Se){if(U(Se)){var Ie=X(y.reference.getClientRects()),re=Ie.find(function(he){return he.left-2<=Se.clientX&&he.right+2>=Se.clientX&&he.top-2<=Se.clientY&&he.bottom+2>=Se.clientY});H=Ie.indexOf(re)}},onUntrigger:function(){H=-1}}}};function Xr(g,y,A,I){if(A.length<2||g===null)return y;if(A.length===2&&I>=0&&A[0].left>A[1].right)return A[I]||y;switch(g){case"top":case"bottom":{var Y=A[0],H=A[A.length-1],k=g==="top",be=Y.top,le=H.bottom,pe=k?Y.left:H.left,ye=k?Y.right:H.right,_e=ye-pe,je=le-be;return{top:be,bottom:le,left:pe,right:ye,width:_e,height:je}}case"left":case"right":{var Se=Math.min.apply(Math,A.map(function(fe){return fe.left})),Ie=Math.max.apply(Math,A.map(function(fe){return fe.right})),re=A.filter(function(fe){return g==="left"?fe.left===Se:fe.right===Ie}),he=re[0].top,ve=re[re.length-1].bottom,ee=Se,ie=Ie,x=ie-ee,Ge=ve-he;return{top:he,bottom:ve,left:ee,right:ie,width:x,height:Ge}}default:return y}}var qr={name:"sticky",defaultValue:!1,fn:function(y){var A=y.reference,I=y.popper;function Y(){return y.popperInstance?y.popperInstance.state.elements.reference:A}function H(pe){return y.props.sticky===!0||y.props.sticky===pe}var k=null,be=null;function le(){var pe=H("reference")?Y().getBoundingClientRect():null,ye=H("popper")?I.getBoundingClientRect():null;(pe&&Hn(k,pe)||ye&&Hn(be,ye))&&y.popperInstance&&y.popperInstance.update(),k=pe,be=ye,y.state.isMounted&&requestAnimationFrame(le)}return{onMount:function(){y.props.sticky&&le()}}}};function Hn(g,y){return g&&y?g.top!==y.top||g.right!==y.right||g.bottom!==y.bottom||g.left!==y.left:!0}dt.setDefaultProps({render:ar}),t.animateFill=dr,t.createSingleton=fr,t.default=dt,t.delegate=qt,t.followCursor=jn,t.hideAll=lr,t.inlinePositioning=Bn,t.roundArrow=r,t.sticky=qr}),Ei=Lo(No()),ds=Lo(No()),ps=t=>{let e={plugins:[]},r=i=>t[t.indexOf(i)+1];if(t.includes("animation")&&(e.animation=r("animation")),t.includes("duration")&&(e.duration=parseInt(r("duration"))),t.includes("delay")){let i=r("delay");e.delay=i.includes("-")?i.split("-").map(o=>parseInt(o)):parseInt(i)}if(t.includes("cursor")){e.plugins.push(ds.followCursor);let i=r("cursor");["x","initial"].includes(i)?e.followCursor=i==="x"?"horizontal":"initial":e.followCursor=!0}t.includes("on")&&(e.trigger=r("on")),t.includes("arrowless")&&(e.arrow=!1),t.includes("html")&&(e.allowHTML=!0),t.includes("interactive")&&(e.interactive=!0),t.includes("border")&&e.interactive&&(e.interactiveBorder=parseInt(r("border"))),t.includes("debounce")&&e.interactive&&(e.interactiveDebounce=parseInt(r("debounce"))),t.includes("max-width")&&(e.maxWidth=parseInt(r("max-width"))),t.includes("theme")&&(e.theme=r("theme")),t.includes("placement")&&(e.placement=r("placement"));let n={};return t.includes("no-flip")&&(n.modifiers||(n.modifiers=[]),n.modifiers.push({name:"flip",enabled:!1})),e.popperOptions=n,e};function Oi(t){t.magic("tooltip",e=>(r,n={})=>{let i=n.timeout;delete n.timeout;let o=(0,Ei.default)(e,{content:r,trigger:"manual",...n});o.show(),setTimeout(()=>{o.hide(),setTimeout(()=>o.destroy(),n.duration||300)},i||2e3)}),t.directive("tooltip",(e,{modifiers:r,expression:n},{evaluateLater:i,effect:o,cleanup:s})=>{let h=r.length>0?ps(r):{};e.__x_tippy||(e.__x_tippy=(0,Ei.default)(e,h)),s(()=>{e.__x_tippy&&(e.__x_tippy.destroy(),delete e.__x_tippy)});let u=()=>e.__x_tippy.enable(),f=()=>e.__x_tippy.disable(),w=m=>{m?(u(),e.__x_tippy.setContent(m)):f()};if(r.includes("raw"))w(n);else{let m=i(n);o(()=>{m(E=>{typeof E=="object"?(e.__x_tippy.setProps(E),u()):w(E)})})}})}Oi.defaultProps=t=>(Ei.default.setDefaultProps(t),Oi);var hs=Oi,ko=hs;document.addEventListener("alpine:init",()=>{window.Alpine.plugin(ro),window.Alpine.plugin(io),window.Alpine.plugin(Io),window.Alpine.plugin(ko)});var vs=function(t,e,r){function n(w,m){for(let E of w){let O=i(E,m);if(O!==null)return O}}function i(w,m){let E=w.match(/^[\{\[]([^\[\]\{\}]*)[\}\]](.*)/s);if(E===null||E.length!==3)return null;let O=E[1],S=E[2];if(O.includes(",")){let[P,R]=O.split(",",2);if(R==="*"&&m>=P)return S;if(P==="*"&&m<=R)return S;if(m>=P&&m<=R)return S}return O==m?S:null}function o(w){return w.toString().charAt(0).toUpperCase()+w.toString().slice(1)}function s(w,m){if(m.length===0)return w;let E={};for(let[O,S]of Object.entries(m))E[":"+o(O??"")]=o(S??""),E[":"+O.toUpperCase()]=S.toString().toUpperCase(),E[":"+O]=S;return Object.entries(E).forEach(([O,S])=>{w=w.replaceAll(O,S)}),w}function h(w){return w.map(m=>m.replace(/^[\{\[]([^\[\]\{\}]*)[\}\]]/,""))}let u=t.split("|"),f=n(u,e);return f!=null?s(f.trim(),r):(u=h(u),s(u.length>1&&e>1?u[1]:u[0],r))};window.jsMd5=jo.md5;window.pluralize=vs;})(); +/*! Bundled license information: + +js-md5/src/md5.js: + (** + * [js-md5]{@link https://github.com/emn178/js-md5} + * + * @namespace md5 + * @version 0.8.3 + * @author Chen, Yi-Cyuan [emn178@gmail.com] + * @copyright Chen, Yi-Cyuan 2014-2023 + * @license MIT + *) + +sortablejs/modular/sortable.esm.js: + (**! + * Sortable 1.15.3 + * @author RubaXa + * @author owenm + * @license MIT + *) +*/ diff --git a/public/js/filament/tables/components/table.js b/public/js/filament/tables/components/table.js new file mode 100644 index 0000000..ea16d85 --- /dev/null +++ b/public/js/filament/tables/components/table.js @@ -0,0 +1 @@ +function n(){return{checkboxClickController:null,collapsedGroups:[],isLoading:!1,selectedRecords:[],shouldCheckUniqueSelection:!0,lastCheckedRecord:null,livewireId:null,init:function(){this.livewireId=this.$root.closest("[wire\\:id]").attributes["wire:id"].value,this.$wire.$on("deselectAllTableRecords",()=>this.deselectAllRecords()),this.$watch("selectedRecords",()=>{if(!this.shouldCheckUniqueSelection){this.shouldCheckUniqueSelection=!0;return}this.selectedRecords=[...new Set(this.selectedRecords)],this.shouldCheckUniqueSelection=!1}),this.$nextTick(()=>this.watchForCheckboxClicks()),Livewire.hook("element.init",({component:e})=>{e.id===this.livewireId&&this.watchForCheckboxClicks()})},mountAction:function(e,t=null){this.$wire.set("selectedTableRecords",this.selectedRecords,!1),this.$wire.mountTableAction(e,t)},mountBulkAction:function(e){this.$wire.set("selectedTableRecords",this.selectedRecords,!1),this.$wire.mountTableBulkAction(e)},toggleSelectRecordsOnPage:function(){let e=this.getRecordsOnPage();if(this.areRecordsSelected(e)){this.deselectRecords(e);return}this.selectRecords(e)},toggleSelectRecordsInGroup:async function(e){if(this.isLoading=!0,this.areRecordsSelected(this.getRecordsInGroupOnPage(e))){this.deselectRecords(await this.$wire.getGroupedSelectableTableRecordKeys(e));return}this.selectRecords(await this.$wire.getGroupedSelectableTableRecordKeys(e)),this.isLoading=!1},getRecordsInGroupOnPage:function(e){let t=[];for(let s of this.$root?.getElementsByClassName("fi-ta-record-checkbox")??[])s.dataset.group===e&&t.push(s.value);return t},getRecordsOnPage:function(){let e=[];for(let t of this.$root?.getElementsByClassName("fi-ta-record-checkbox")??[])e.push(t.value);return e},selectRecords:function(e){for(let t of e)this.isRecordSelected(t)||this.selectedRecords.push(t)},deselectRecords:function(e){for(let t of e){let s=this.selectedRecords.indexOf(t);s!==-1&&this.selectedRecords.splice(s,1)}},selectAllRecords:async function(){this.isLoading=!0,this.selectedRecords=await this.$wire.getAllSelectableTableRecordKeys(),this.isLoading=!1},deselectAllRecords:function(){this.selectedRecords=[]},isRecordSelected:function(e){return this.selectedRecords.includes(e)},areRecordsSelected:function(e){return e.every(t=>this.isRecordSelected(t))},toggleCollapseGroup:function(e){if(this.isGroupCollapsed(e)){this.collapsedGroups.splice(this.collapsedGroups.indexOf(e),1);return}this.collapsedGroups.push(e)},isGroupCollapsed:function(e){return this.collapsedGroups.includes(e)},resetCollapsedGroups:function(){this.collapsedGroups=[]},watchForCheckboxClicks:function(){this.checkboxClickController&&this.checkboxClickController.abort(),this.checkboxClickController=new AbortController;let{signal:e}=this.checkboxClickController;this.$root?.addEventListener("click",t=>t.target?.matches(".fi-ta-record-checkbox")&&this.handleCheckboxClick(t,t.target),{signal:e})},handleCheckboxClick:function(e,t){if(!this.lastChecked){this.lastChecked=t;return}if(e.shiftKey){let s=Array.from(this.$root?.getElementsByClassName("fi-ta-record-checkbox")??[]);if(!s.includes(this.lastChecked)){this.lastChecked=t;return}let o=s.indexOf(this.lastChecked),r=s.indexOf(t),l=[o,r].sort((i,d)=>i-d),c=[];for(let i=l[0];i<=l[1];i++)s[i].checked=t.checked,c.push(s[i].value);t.checked?this.selectRecords(c):this.deselectRecords(c)}this.lastChecked=t}}}export{n as default}; diff --git a/public/js/filament/widgets/components/chart.js b/public/js/filament/widgets/components/chart.js new file mode 100644 index 0000000..e7dd5bb --- /dev/null +++ b/public/js/filament/widgets/components/chart.js @@ -0,0 +1,37 @@ +function At(){}var Do=function(){let s=0;return function(){return s++}}();function N(s){return s===null||typeof s>"u"}function $(s){if(Array.isArray&&Array.isArray(s))return!0;let t=Object.prototype.toString.call(s);return t.slice(0,7)==="[object"&&t.slice(-6)==="Array]"}function A(s){return s!==null&&Object.prototype.toString.call(s)==="[object Object]"}var K=s=>(typeof s=="number"||s instanceof Number)&&isFinite(+s);function mt(s,t){return K(s)?s:t}function C(s,t){return typeof s>"u"?t:s}var Eo=(s,t)=>typeof s=="string"&&s.endsWith("%")?parseFloat(s)/100:s/t,En=(s,t)=>typeof s=="string"&&s.endsWith("%")?parseFloat(s)/100*t:+s;function j(s,t,e){if(s&&typeof s.call=="function")return s.apply(e,t)}function H(s,t,e,i){let n,r,o;if($(s))if(r=s.length,i)for(n=r-1;n>=0;n--)t.call(e,s[n],n);else for(n=0;ns,x:s=>s.x,y:s=>s.y};function Bt(s,t){return(mo[t]||(mo[t]=Cc(t)))(s)}function Cc(s){let t=Ic(s);return e=>{for(let i of t){if(i==="")break;e=e&&e[i]}return e}}function Ic(s){let t=s.split("."),e=[],i="";for(let n of t)i+=n,i.endsWith("\\")?i=i.slice(0,-1)+".":(e.push(i),i="");return e}function Oi(s){return s.charAt(0).toUpperCase()+s.slice(1)}var ft=s=>typeof s<"u",Ht=s=>typeof s=="function",Cn=(s,t)=>{if(s.size!==t.size)return!1;for(let e of s)if(!t.has(e))return!1;return!0};function Io(s){return s.type==="mouseup"||s.type==="click"||s.type==="contextmenu"}var Y=Math.PI,B=2*Y,Fc=B+Y,Mi=Number.POSITIVE_INFINITY,Ac=Y/180,Z=Y/2,ys=Y/4,go=Y*2/3,gt=Math.log10,Tt=Math.sign;function In(s){let t=Math.round(s);s=Re(s,t,s/1e3)?t:s;let e=Math.pow(10,Math.floor(gt(s))),i=s/e;return(i<=1?1:i<=2?2:i<=5?5:10)*e}function Fo(s){let t=[],e=Math.sqrt(s),i;for(i=1;in-r).pop(),t}function pe(s){return!isNaN(parseFloat(s))&&isFinite(s)}function Re(s,t,e){return Math.abs(s-t)=s}function Fn(s,t,e){let i,n,r;for(i=0,n=s.length;il&&c=Math.min(t,e)-i&&s<=Math.max(t,e)+i}function Ei(s,t,e){e=e||(o=>s[o]1;)r=n+i>>1,e(r)?n=r:i=r;return{lo:n,hi:i}}var Ft=(s,t,e,i)=>Ei(s,e,i?n=>s[n][t]<=e:n=>s[n][t]Ei(s,e,i=>s[i][t]>=e);function Ro(s,t,e){let i=0,n=s.length;for(;ii&&s[n-1]>e;)n--;return i>0||n{let i="_onData"+Oi(e),n=s[e];Object.defineProperty(s,e,{configurable:!0,enumerable:!1,value(...r){let o=n.apply(this,r);return s._chartjs.listeners.forEach(a=>{typeof a[i]=="function"&&a[i](...r)}),o}})})}function Pn(s,t){let e=s._chartjs;if(!e)return;let i=e.listeners,n=i.indexOf(t);n!==-1&&i.splice(n,1),!(i.length>0)&&(No.forEach(r=>{delete s[r]}),delete s._chartjs)}function Rn(s){let t=new Set,e,i;for(e=0,i=s.length;e"u"?function(s){return s()}:window.requestAnimationFrame}();function Wn(s,t,e){let i=e||(o=>Array.prototype.slice.call(o)),n=!1,r=[];return function(...o){r=i(o),n||(n=!0,Nn.call(window,()=>{n=!1,s.apply(t,r)}))}}function zo(s,t){let e;return function(...i){return t?(clearTimeout(e),e=setTimeout(s,t,i)):s.apply(this,i),t}}var Ci=s=>s==="start"?"left":s==="end"?"right":"center",ot=(s,t,e)=>s==="start"?t:s==="end"?e:(t+e)/2,Vo=(s,t,e,i)=>s===(i?"left":"right")?e:s==="center"?(t+e)/2:t;function zn(s,t,e){let i=t.length,n=0,r=i;if(s._sorted){let{iScale:o,_parsed:a}=s,l=o.axis,{min:c,max:h,minDefined:u,maxDefined:d}=o.getUserBounds();u&&(n=it(Math.min(Ft(a,o.axis,c).lo,e?i:Ft(t,l,o.getPixelForValue(c)).lo),0,i-1)),d?r=it(Math.max(Ft(a,o.axis,h,!0).hi+1,e?0:Ft(t,l,o.getPixelForValue(h),!0).hi+1),n,i)-n:r=i-n}return{start:n,count:r}}function Vn(s){let{xScale:t,yScale:e,_scaleRanges:i}=s,n={xmin:t.min,xmax:t.max,ymin:e.min,ymax:e.max};if(!i)return s._scaleRanges=n,!0;let r=i.xmin!==t.min||i.xmax!==t.max||i.ymin!==e.min||i.ymax!==e.max;return Object.assign(i,n),r}var bi=s=>s===0||s===1,po=(s,t,e)=>-(Math.pow(2,10*(s-=1))*Math.sin((s-t)*B/e)),yo=(s,t,e)=>Math.pow(2,-10*s)*Math.sin((s-t)*B/e)+1,Ce={linear:s=>s,easeInQuad:s=>s*s,easeOutQuad:s=>-s*(s-2),easeInOutQuad:s=>(s/=.5)<1?.5*s*s:-.5*(--s*(s-2)-1),easeInCubic:s=>s*s*s,easeOutCubic:s=>(s-=1)*s*s+1,easeInOutCubic:s=>(s/=.5)<1?.5*s*s*s:.5*((s-=2)*s*s+2),easeInQuart:s=>s*s*s*s,easeOutQuart:s=>-((s-=1)*s*s*s-1),easeInOutQuart:s=>(s/=.5)<1?.5*s*s*s*s:-.5*((s-=2)*s*s*s-2),easeInQuint:s=>s*s*s*s*s,easeOutQuint:s=>(s-=1)*s*s*s*s+1,easeInOutQuint:s=>(s/=.5)<1?.5*s*s*s*s*s:.5*((s-=2)*s*s*s*s+2),easeInSine:s=>-Math.cos(s*Z)+1,easeOutSine:s=>Math.sin(s*Z),easeInOutSine:s=>-.5*(Math.cos(Y*s)-1),easeInExpo:s=>s===0?0:Math.pow(2,10*(s-1)),easeOutExpo:s=>s===1?1:-Math.pow(2,-10*s)+1,easeInOutExpo:s=>bi(s)?s:s<.5?.5*Math.pow(2,10*(s*2-1)):.5*(-Math.pow(2,-10*(s*2-1))+2),easeInCirc:s=>s>=1?s:-(Math.sqrt(1-s*s)-1),easeOutCirc:s=>Math.sqrt(1-(s-=1)*s),easeInOutCirc:s=>(s/=.5)<1?-.5*(Math.sqrt(1-s*s)-1):.5*(Math.sqrt(1-(s-=2)*s)+1),easeInElastic:s=>bi(s)?s:po(s,.075,.3),easeOutElastic:s=>bi(s)?s:yo(s,.075,.3),easeInOutElastic(s){return bi(s)?s:s<.5?.5*po(s*2,.1125,.45):.5+.5*yo(s*2-1,.1125,.45)},easeInBack(s){return s*s*((1.70158+1)*s-1.70158)},easeOutBack(s){return(s-=1)*s*((1.70158+1)*s+1.70158)+1},easeInOutBack(s){let t=1.70158;return(s/=.5)<1?.5*(s*s*(((t*=1.525)+1)*s-t)):.5*((s-=2)*s*(((t*=1.525)+1)*s+t)+2)},easeInBounce:s=>1-Ce.easeOutBounce(1-s),easeOutBounce(s){return s<1/2.75?7.5625*s*s:s<2/2.75?7.5625*(s-=1.5/2.75)*s+.75:s<2.5/2.75?7.5625*(s-=2.25/2.75)*s+.9375:7.5625*(s-=2.625/2.75)*s+.984375},easeInOutBounce:s=>s<.5?Ce.easeInBounce(s*2)*.5:Ce.easeOutBounce(s*2-1)*.5+.5};function Ss(s){return s+.5|0}var Kt=(s,t,e)=>Math.max(Math.min(s,e),t);function bs(s){return Kt(Ss(s*2.55),0,255)}function Jt(s){return Kt(Ss(s*255),0,255)}function Vt(s){return Kt(Ss(s/2.55)/100,0,1)}function bo(s){return Kt(Ss(s*100),0,100)}var _t={0:0,1:1,2:2,3:3,4:4,5:5,6:6,7:7,8:8,9:9,A:10,B:11,C:12,D:13,E:14,F:15,a:10,b:11,c:12,d:13,e:14,f:15},On=[..."0123456789ABCDEF"],Pc=s=>On[s&15],Rc=s=>On[(s&240)>>4]+On[s&15],xi=s=>(s&240)>>4===(s&15),Nc=s=>xi(s.r)&&xi(s.g)&&xi(s.b)&&xi(s.a);function Wc(s){var t=s.length,e;return s[0]==="#"&&(t===4||t===5?e={r:255&_t[s[1]]*17,g:255&_t[s[2]]*17,b:255&_t[s[3]]*17,a:t===5?_t[s[4]]*17:255}:(t===7||t===9)&&(e={r:_t[s[1]]<<4|_t[s[2]],g:_t[s[3]]<<4|_t[s[4]],b:_t[s[5]]<<4|_t[s[6]],a:t===9?_t[s[7]]<<4|_t[s[8]]:255})),e}var zc=(s,t)=>s<255?t(s):"";function Vc(s){var t=Nc(s)?Pc:Rc;return s?"#"+t(s.r)+t(s.g)+t(s.b)+zc(s.a,t):void 0}var Hc=/^(hsla?|hwb|hsv)\(\s*([-+.e\d]+)(?:deg)?[\s,]+([-+.e\d]+)%[\s,]+([-+.e\d]+)%(?:[\s,]+([-+.e\d]+)(%)?)?\s*\)$/;function Ho(s,t,e){let i=t*Math.min(e,1-e),n=(r,o=(r+s/30)%12)=>e-i*Math.max(Math.min(o-3,9-o,1),-1);return[n(0),n(8),n(4)]}function Bc(s,t,e){let i=(n,r=(n+s/60)%6)=>e-e*t*Math.max(Math.min(r,4-r,1),0);return[i(5),i(3),i(1)]}function $c(s,t,e){let i=Ho(s,1,.5),n;for(t+e>1&&(n=1/(t+e),t*=n,e*=n),n=0;n<3;n++)i[n]*=1-t-e,i[n]+=t;return i}function jc(s,t,e,i,n){return s===n?(t-e)/i+(t.5?h/(2-r-o):h/(r+o),l=jc(e,i,n,h,r),l=l*60+.5),[l|0,c||0,a]}function Bn(s,t,e,i){return(Array.isArray(t)?s(t[0],t[1],t[2]):s(t,e,i)).map(Jt)}function $n(s,t,e){return Bn(Ho,s,t,e)}function Uc(s,t,e){return Bn($c,s,t,e)}function Yc(s,t,e){return Bn(Bc,s,t,e)}function Bo(s){return(s%360+360)%360}function Zc(s){let t=Hc.exec(s),e=255,i;if(!t)return;t[5]!==i&&(e=t[6]?bs(+t[5]):Jt(+t[5]));let n=Bo(+t[2]),r=+t[3]/100,o=+t[4]/100;return t[1]==="hwb"?i=Uc(n,r,o):t[1]==="hsv"?i=Yc(n,r,o):i=$n(n,r,o),{r:i[0],g:i[1],b:i[2],a:e}}function qc(s,t){var e=Hn(s);e[0]=Bo(e[0]+t),e=$n(e),s.r=e[0],s.g=e[1],s.b=e[2]}function Gc(s){if(!s)return;let t=Hn(s),e=t[0],i=bo(t[1]),n=bo(t[2]);return s.a<255?`hsla(${e}, ${i}%, ${n}%, ${Vt(s.a)})`:`hsl(${e}, ${i}%, ${n}%)`}var xo={x:"dark",Z:"light",Y:"re",X:"blu",W:"gr",V:"medium",U:"slate",A:"ee",T:"ol",S:"or",B:"ra",C:"lateg",D:"ights",R:"in",Q:"turquois",E:"hi",P:"ro",O:"al",N:"le",M:"de",L:"yello",F:"en",K:"ch",G:"arks",H:"ea",I:"ightg",J:"wh"},_o={OiceXe:"f0f8ff",antiquewEte:"faebd7",aqua:"ffff",aquamarRe:"7fffd4",azuY:"f0ffff",beige:"f5f5dc",bisque:"ffe4c4",black:"0",blanKedOmond:"ffebcd",Xe:"ff",XeviTet:"8a2be2",bPwn:"a52a2a",burlywood:"deb887",caMtXe:"5f9ea0",KartYuse:"7fff00",KocTate:"d2691e",cSO:"ff7f50",cSnflowerXe:"6495ed",cSnsilk:"fff8dc",crimson:"dc143c",cyan:"ffff",xXe:"8b",xcyan:"8b8b",xgTMnPd:"b8860b",xWay:"a9a9a9",xgYF:"6400",xgYy:"a9a9a9",xkhaki:"bdb76b",xmagFta:"8b008b",xTivegYF:"556b2f",xSange:"ff8c00",xScEd:"9932cc",xYd:"8b0000",xsOmon:"e9967a",xsHgYF:"8fbc8f",xUXe:"483d8b",xUWay:"2f4f4f",xUgYy:"2f4f4f",xQe:"ced1",xviTet:"9400d3",dAppRk:"ff1493",dApskyXe:"bfff",dimWay:"696969",dimgYy:"696969",dodgerXe:"1e90ff",fiYbrick:"b22222",flSOwEte:"fffaf0",foYstWAn:"228b22",fuKsia:"ff00ff",gaRsbSo:"dcdcdc",ghostwEte:"f8f8ff",gTd:"ffd700",gTMnPd:"daa520",Way:"808080",gYF:"8000",gYFLw:"adff2f",gYy:"808080",honeyMw:"f0fff0",hotpRk:"ff69b4",RdianYd:"cd5c5c",Rdigo:"4b0082",ivSy:"fffff0",khaki:"f0e68c",lavFMr:"e6e6fa",lavFMrXsh:"fff0f5",lawngYF:"7cfc00",NmoncEffon:"fffacd",ZXe:"add8e6",ZcSO:"f08080",Zcyan:"e0ffff",ZgTMnPdLw:"fafad2",ZWay:"d3d3d3",ZgYF:"90ee90",ZgYy:"d3d3d3",ZpRk:"ffb6c1",ZsOmon:"ffa07a",ZsHgYF:"20b2aa",ZskyXe:"87cefa",ZUWay:"778899",ZUgYy:"778899",ZstAlXe:"b0c4de",ZLw:"ffffe0",lime:"ff00",limegYF:"32cd32",lRF:"faf0e6",magFta:"ff00ff",maPon:"800000",VaquamarRe:"66cdaa",VXe:"cd",VScEd:"ba55d3",VpurpN:"9370db",VsHgYF:"3cb371",VUXe:"7b68ee",VsprRggYF:"fa9a",VQe:"48d1cc",VviTetYd:"c71585",midnightXe:"191970",mRtcYam:"f5fffa",mistyPse:"ffe4e1",moccasR:"ffe4b5",navajowEte:"ffdead",navy:"80",Tdlace:"fdf5e6",Tive:"808000",TivedBb:"6b8e23",Sange:"ffa500",SangeYd:"ff4500",ScEd:"da70d6",pOegTMnPd:"eee8aa",pOegYF:"98fb98",pOeQe:"afeeee",pOeviTetYd:"db7093",papayawEp:"ffefd5",pHKpuff:"ffdab9",peru:"cd853f",pRk:"ffc0cb",plum:"dda0dd",powMrXe:"b0e0e6",purpN:"800080",YbeccapurpN:"663399",Yd:"ff0000",Psybrown:"bc8f8f",PyOXe:"4169e1",saddNbPwn:"8b4513",sOmon:"fa8072",sandybPwn:"f4a460",sHgYF:"2e8b57",sHshell:"fff5ee",siFna:"a0522d",silver:"c0c0c0",skyXe:"87ceeb",UXe:"6a5acd",UWay:"708090",UgYy:"708090",snow:"fffafa",sprRggYF:"ff7f",stAlXe:"4682b4",tan:"d2b48c",teO:"8080",tEstN:"d8bfd8",tomato:"ff6347",Qe:"40e0d0",viTet:"ee82ee",JHt:"f5deb3",wEte:"ffffff",wEtesmoke:"f5f5f5",Lw:"ffff00",LwgYF:"9acd32"};function Xc(){let s={},t=Object.keys(_o),e=Object.keys(xo),i,n,r,o,a;for(i=0;i>16&255,r>>8&255,r&255]}return s}var _i;function Kc(s){_i||(_i=Xc(),_i.transparent=[0,0,0,0]);let t=_i[s.toLowerCase()];return t&&{r:t[0],g:t[1],b:t[2],a:t.length===4?t[3]:255}}var Jc=/^rgba?\(\s*([-+.\d]+)(%)?[\s,]+([-+.e\d]+)(%)?[\s,]+([-+.e\d]+)(%)?(?:[\s,/]+([-+.e\d]+)(%)?)?\s*\)$/;function Qc(s){let t=Jc.exec(s),e=255,i,n,r;if(t){if(t[7]!==i){let o=+t[7];e=t[8]?bs(o):Kt(o*255,0,255)}return i=+t[1],n=+t[3],r=+t[5],i=255&(t[2]?bs(i):Kt(i,0,255)),n=255&(t[4]?bs(n):Kt(n,0,255)),r=255&(t[6]?bs(r):Kt(r,0,255)),{r:i,g:n,b:r,a:e}}}function th(s){return s&&(s.a<255?`rgba(${s.r}, ${s.g}, ${s.b}, ${Vt(s.a)})`:`rgb(${s.r}, ${s.g}, ${s.b})`)}var kn=s=>s<=.0031308?s*12.92:Math.pow(s,1/2.4)*1.055-.055,Ee=s=>s<=.04045?s/12.92:Math.pow((s+.055)/1.055,2.4);function eh(s,t,e){let i=Ee(Vt(s.r)),n=Ee(Vt(s.g)),r=Ee(Vt(s.b));return{r:Jt(kn(i+e*(Ee(Vt(t.r))-i))),g:Jt(kn(n+e*(Ee(Vt(t.g))-n))),b:Jt(kn(r+e*(Ee(Vt(t.b))-r))),a:s.a+e*(t.a-s.a)}}function wi(s,t,e){if(s){let i=Hn(s);i[t]=Math.max(0,Math.min(i[t]+i[t]*e,t===0?360:1)),i=$n(i),s.r=i[0],s.g=i[1],s.b=i[2]}}function $o(s,t){return s&&Object.assign(t||{},s)}function wo(s){var t={r:0,g:0,b:0,a:255};return Array.isArray(s)?s.length>=3&&(t={r:s[0],g:s[1],b:s[2],a:255},s.length>3&&(t.a=Jt(s[3]))):(t=$o(s,{r:0,g:0,b:0,a:1}),t.a=Jt(t.a)),t}function sh(s){return s.charAt(0)==="r"?Qc(s):Zc(s)}var Fe=class{constructor(t){if(t instanceof Fe)return t;let e=typeof t,i;e==="object"?i=wo(t):e==="string"&&(i=Wc(t)||Kc(t)||sh(t)),this._rgb=i,this._valid=!!i}get valid(){return this._valid}get rgb(){var t=$o(this._rgb);return t&&(t.a=Vt(t.a)),t}set rgb(t){this._rgb=wo(t)}rgbString(){return this._valid?th(this._rgb):void 0}hexString(){return this._valid?Vc(this._rgb):void 0}hslString(){return this._valid?Gc(this._rgb):void 0}mix(t,e){if(t){let i=this.rgb,n=t.rgb,r,o=e===r?.5:e,a=2*o-1,l=i.a-n.a,c=((a*l===-1?a:(a+l)/(1+a*l))+1)/2;r=1-c,i.r=255&c*i.r+r*n.r+.5,i.g=255&c*i.g+r*n.g+.5,i.b=255&c*i.b+r*n.b+.5,i.a=o*i.a+(1-o)*n.a,this.rgb=i}return this}interpolate(t,e){return t&&(this._rgb=eh(this._rgb,t._rgb,e)),this}clone(){return new Fe(this.rgb)}alpha(t){return this._rgb.a=Jt(t),this}clearer(t){let e=this._rgb;return e.a*=1-t,this}greyscale(){let t=this._rgb,e=Ss(t.r*.3+t.g*.59+t.b*.11);return t.r=t.g=t.b=e,this}opaquer(t){let e=this._rgb;return e.a*=1+t,this}negate(){let t=this._rgb;return t.r=255-t.r,t.g=255-t.g,t.b=255-t.b,this}lighten(t){return wi(this._rgb,2,t),this}darken(t){return wi(this._rgb,2,-t),this}saturate(t){return wi(this._rgb,1,t),this}desaturate(t){return wi(this._rgb,1,-t),this}rotate(t){return qc(this._rgb,t),this}};function jo(s){return new Fe(s)}function Uo(s){if(s&&typeof s=="object"){let t=s.toString();return t==="[object CanvasPattern]"||t==="[object CanvasGradient]"}return!1}function jn(s){return Uo(s)?s:jo(s)}function Mn(s){return Uo(s)?s:jo(s).saturate(.5).darken(.1).hexString()}var Qt=Object.create(null),Ii=Object.create(null);function xs(s,t){if(!t)return s;let e=t.split(".");for(let i=0,n=e.length;ie.chart.platform.getDevicePixelRatio(),this.elements={},this.events=["mousemove","mouseout","click","touchstart","touchmove"],this.font={family:"'Helvetica Neue', 'Helvetica', 'Arial', sans-serif",size:12,style:"normal",lineHeight:1.2,weight:null},this.hover={},this.hoverBackgroundColor=(e,i)=>Mn(i.backgroundColor),this.hoverBorderColor=(e,i)=>Mn(i.borderColor),this.hoverColor=(e,i)=>Mn(i.color),this.indexAxis="x",this.interaction={mode:"nearest",intersect:!0,includeInvisible:!1},this.maintainAspectRatio=!0,this.onHover=null,this.onClick=null,this.parsing=!0,this.plugins={},this.responsive=!0,this.scale=void 0,this.scales={},this.showLine=!0,this.drawActiveElementsOnTop=!0,this.describe(t)}set(t,e){return Tn(this,t,e)}get(t){return xs(this,t)}describe(t,e){return Tn(Ii,t,e)}override(t,e){return Tn(Qt,t,e)}route(t,e,i,n){let r=xs(this,t),o=xs(this,i),a="_"+e;Object.defineProperties(r,{[a]:{value:r[e],writable:!0},[e]:{enumerable:!0,get(){let l=this[a],c=o[n];return A(l)?Object.assign({},c,l):C(l,c)},set(l){this[a]=l}}})}},L=new Dn({_scriptable:s=>!s.startsWith("on"),_indexable:s=>s!=="events",hover:{_fallback:"interaction"},interaction:{_scriptable:!1,_indexable:!1}});function ih(s){return!s||N(s.size)||N(s.family)?null:(s.style?s.style+" ":"")+(s.weight?s.weight+" ":"")+s.size+"px "+s.family}function _s(s,t,e,i,n){let r=t[n];return r||(r=t[n]=s.measureText(n).width,e.push(n)),r>i&&(i=r),i}function Yo(s,t,e,i){i=i||{};let n=i.data=i.data||{},r=i.garbageCollect=i.garbageCollect||[];i.font!==t&&(n=i.data={},r=i.garbageCollect=[],i.font=t),s.save(),s.font=t;let o=0,a=e.length,l,c,h,u,d;for(l=0;le.length){for(l=0;l0&&s.stroke()}}function Ae(s,t,e){return e=e||.5,!t||s&&s.x>t.left-e&&s.xt.top-e&&s.y0&&r.strokeColor!=="",l,c;for(s.save(),s.font=n.string,nh(s,r),l=0;l+s||0;function Ai(s,t){let e={},i=A(t),n=i?Object.keys(t):t,r=A(s)?i?o=>C(s[o],s[t[o]]):o=>s[o]:()=>s;for(let o of n)e[o]=ch(r(o));return e}function Zn(s){return Ai(s,{top:"y",right:"x",bottom:"y",left:"x"})}function se(s){return Ai(s,["topLeft","topRight","bottomLeft","bottomRight"])}function at(s){let t=Zn(s);return t.width=t.left+t.right,t.height=t.top+t.bottom,t}function st(s,t){s=s||{},t=t||L.font;let e=C(s.size,t.size);typeof e=="string"&&(e=parseInt(e,10));let i=C(s.style,t.style);i&&!(""+i).match(ah)&&(console.warn('Invalid font style specified: "'+i+'"'),i="");let n={family:C(s.family,t.family),lineHeight:lh(C(s.lineHeight,t.lineHeight),e),size:e,style:i,weight:C(s.weight,t.weight),string:""};return n.string=ih(n),n}function ze(s,t,e,i){let n=!0,r,o,a;for(r=0,o=s.length;re&&a===0?0:a+l;return{min:o(i,-Math.abs(r)),max:o(n,r)}}function $t(s,t){return Object.assign(Object.create(s),t)}function Li(s,t=[""],e=s,i,n=()=>s[0]){ft(i)||(i=Jo("_fallback",s));let r={[Symbol.toStringTag]:"Object",_cacheable:!0,_scopes:s,_rootScopes:e,_fallback:i,_getTarget:n,override:o=>Li([o,...s],t,e,i)};return new Proxy(r,{deleteProperty(o,a){return delete o[a],delete o._keys,delete s[0][a],!0},get(o,a){return Xo(o,a,()=>yh(a,t,s,o))},getOwnPropertyDescriptor(o,a){return Reflect.getOwnPropertyDescriptor(o._scopes[0],a)},getPrototypeOf(){return Reflect.getPrototypeOf(s[0])},has(o,a){return ko(o).includes(a)},ownKeys(o){return ko(o)},set(o,a,l){let c=o._storage||(o._storage=n());return o[a]=c[a]=l,delete o._keys,!0}})}function ge(s,t,e,i){let n={_cacheable:!1,_proxy:s,_context:t,_subProxy:e,_stack:new Set,_descriptors:qn(s,i),setContext:r=>ge(s,r,e,i),override:r=>ge(s.override(r),t,e,i)};return new Proxy(n,{deleteProperty(r,o){return delete r[o],delete s[o],!0},get(r,o,a){return Xo(r,o,()=>uh(r,o,a))},getOwnPropertyDescriptor(r,o){return r._descriptors.allKeys?Reflect.has(s,o)?{enumerable:!0,configurable:!0}:void 0:Reflect.getOwnPropertyDescriptor(s,o)},getPrototypeOf(){return Reflect.getPrototypeOf(s)},has(r,o){return Reflect.has(s,o)},ownKeys(){return Reflect.ownKeys(s)},set(r,o,a){return s[o]=a,delete r[o],!0}})}function qn(s,t={scriptable:!0,indexable:!0}){let{_scriptable:e=t.scriptable,_indexable:i=t.indexable,_allKeys:n=t.allKeys}=s;return{allKeys:n,scriptable:e,indexable:i,isScriptable:Ht(e)?e:()=>e,isIndexable:Ht(i)?i:()=>i}}var hh=(s,t)=>s?s+Oi(t):t,Gn=(s,t)=>A(t)&&s!=="adapters"&&(Object.getPrototypeOf(t)===null||t.constructor===Object);function Xo(s,t,e){if(Object.prototype.hasOwnProperty.call(s,t))return s[t];let i=e();return s[t]=i,i}function uh(s,t,e){let{_proxy:i,_context:n,_subProxy:r,_descriptors:o}=s,a=i[t];return Ht(a)&&o.isScriptable(t)&&(a=dh(t,a,s,e)),$(a)&&a.length&&(a=fh(t,a,s,o.isIndexable)),Gn(t,a)&&(a=ge(a,n,r&&r[t],o)),a}function dh(s,t,e,i){let{_proxy:n,_context:r,_subProxy:o,_stack:a}=e;if(a.has(s))throw new Error("Recursion detected: "+Array.from(a).join("->")+"->"+s);return a.add(s),t=t(r,o||i),a.delete(s),Gn(s,t)&&(t=Xn(n._scopes,n,s,t)),t}function fh(s,t,e,i){let{_proxy:n,_context:r,_subProxy:o,_descriptors:a}=e;if(ft(r.index)&&i(s))t=t[r.index%t.length];else if(A(t[0])){let l=t,c=n._scopes.filter(h=>h!==l);t=[];for(let h of l){let u=Xn(c,n,s,h);t.push(ge(u,r,o&&o[s],a))}}return t}function Ko(s,t,e){return Ht(s)?s(t,e):s}var mh=(s,t)=>s===!0?t:typeof s=="string"?Bt(t,s):void 0;function gh(s,t,e,i,n){for(let r of t){let o=mh(e,r);if(o){s.add(o);let a=Ko(o._fallback,e,n);if(ft(a)&&a!==e&&a!==i)return a}else if(o===!1&&ft(i)&&e!==i)return null}return!1}function Xn(s,t,e,i){let n=t._rootScopes,r=Ko(t._fallback,e,i),o=[...s,...n],a=new Set;a.add(i);let l=So(a,o,e,r||e,i);return l===null||ft(r)&&r!==e&&(l=So(a,o,r,l,i),l===null)?!1:Li(Array.from(a),[""],n,r,()=>ph(t,e,i))}function So(s,t,e,i,n){for(;e;)e=gh(s,t,e,i,n);return e}function ph(s,t,e){let i=s._getTarget();t in i||(i[t]={});let n=i[t];return $(n)&&A(e)?e:n}function yh(s,t,e,i){let n;for(let r of t)if(n=Jo(hh(r,s),e),ft(n))return Gn(s,n)?Xn(e,i,s,n):n}function Jo(s,t){for(let e of t){if(!e)continue;let i=e[s];if(ft(i))return i}}function ko(s){let t=s._keys;return t||(t=s._keys=bh(s._scopes)),t}function bh(s){let t=new Set;for(let e of s)for(let i of Object.keys(e).filter(n=>!n.startsWith("_")))t.add(i);return Array.from(t)}function Kn(s,t,e,i){let{iScale:n}=s,{key:r="r"}=this._parsing,o=new Array(i),a,l,c,h;for(a=0,l=i;ats==="x"?"y":"x";function _h(s,t,e,i){let n=s.skip?t:s,r=t,o=e.skip?t:e,a=Ti(r,n),l=Ti(o,r),c=a/(a+l),h=l/(a+l);c=isNaN(c)?0:c,h=isNaN(h)?0:h;let u=i*c,d=i*h;return{previous:{x:r.x-u*(o.x-n.x),y:r.y-u*(o.y-n.y)},next:{x:r.x+d*(o.x-n.x),y:r.y+d*(o.y-n.y)}}}function wh(s,t,e){let i=s.length,n,r,o,a,l,c=Le(s,0);for(let h=0;h!c.skip)),t.cubicInterpolationMode==="monotone")kh(s,n);else{let c=i?s[s.length-1]:s[0];for(r=0,o=s.length;rwindow.getComputedStyle(s,null);function Th(s,t){return Ri(s).getPropertyValue(t)}var vh=["top","right","bottom","left"];function me(s,t,e){let i={};e=e?"-"+e:"";for(let n=0;n<4;n++){let r=vh[n];i[r]=parseFloat(s[t+"-"+r+e])||0}return i.width=i.left+i.right,i.height=i.top+i.bottom,i}var Oh=(s,t,e)=>(s>0||t>0)&&(!e||!e.shadowRoot);function Dh(s,t){let e=s.touches,i=e&&e.length?e[0]:s,{offsetX:n,offsetY:r}=i,o=!1,a,l;if(Oh(n,r,s.target))a=n,l=r;else{let c=t.getBoundingClientRect();a=i.clientX-c.left,l=i.clientY-c.top,o=!0}return{x:a,y:l,box:o}}function ie(s,t){if("native"in s)return s;let{canvas:e,currentDevicePixelRatio:i}=t,n=Ri(e),r=n.boxSizing==="border-box",o=me(n,"padding"),a=me(n,"border","width"),{x:l,y:c,box:h}=Dh(s,e),u=o.left+(h&&a.left),d=o.top+(h&&a.top),{width:f,height:m}=t;return r&&(f-=o.width+a.width,m-=o.height+a.height),{x:Math.round((l-u)/f*e.width/i),y:Math.round((c-d)/m*e.height/i)}}function Eh(s,t,e){let i,n;if(t===void 0||e===void 0){let r=Pi(s);if(!r)t=s.clientWidth,e=s.clientHeight;else{let o=r.getBoundingClientRect(),a=Ri(r),l=me(a,"border","width"),c=me(a,"padding");t=o.width-c.width-l.width,e=o.height-c.height-l.height,i=vi(a.maxWidth,r,"clientWidth"),n=vi(a.maxHeight,r,"clientHeight")}}return{width:t,height:e,maxWidth:i||Mi,maxHeight:n||Mi}}var vn=s=>Math.round(s*10)/10;function ea(s,t,e,i){let n=Ri(s),r=me(n,"margin"),o=vi(n.maxWidth,s,"clientWidth")||Mi,a=vi(n.maxHeight,s,"clientHeight")||Mi,l=Eh(s,t,e),{width:c,height:h}=l;if(n.boxSizing==="content-box"){let u=me(n,"border","width"),d=me(n,"padding");c-=d.width+u.width,h-=d.height+u.height}return c=Math.max(0,c-r.width),h=Math.max(0,i?Math.floor(c/i):h-r.height),c=vn(Math.min(c,o,l.maxWidth)),h=vn(Math.min(h,a,l.maxHeight)),c&&!h&&(h=vn(c/2)),{width:c,height:h}}function Qn(s,t,e){let i=t||1,n=Math.floor(s.height*i),r=Math.floor(s.width*i);s.height=n/i,s.width=r/i;let o=s.canvas;return o.style&&(e||!o.style.height&&!o.style.width)&&(o.style.height=`${s.height}px`,o.style.width=`${s.width}px`),s.currentDevicePixelRatio!==i||o.height!==n||o.width!==r?(s.currentDevicePixelRatio=i,o.height=n,o.width=r,s.ctx.setTransform(i,0,0,i,0,0),!0):!1}var sa=function(){let s=!1;try{let t={get passive(){return s=!0,!1}};window.addEventListener("test",null,t),window.removeEventListener("test",null,t)}catch{}return s}();function tr(s,t){let e=Th(s,t),i=e&&e.match(/^(\d+)(\.\d+)?px$/);return i?+i[1]:void 0}function Xt(s,t,e,i){return{x:s.x+e*(t.x-s.x),y:s.y+e*(t.y-s.y)}}function ia(s,t,e,i){return{x:s.x+e*(t.x-s.x),y:i==="middle"?e<.5?s.y:t.y:i==="after"?e<1?s.y:t.y:e>0?t.y:s.y}}function na(s,t,e,i){let n={x:s.cp2x,y:s.cp2y},r={x:t.cp1x,y:t.cp1y},o=Xt(s,n,e),a=Xt(n,r,e),l=Xt(r,t,e),c=Xt(o,a,e),h=Xt(a,l,e);return Xt(c,h,e)}var Mo=new Map;function Ch(s,t){t=t||{};let e=s+JSON.stringify(t),i=Mo.get(e);return i||(i=new Intl.NumberFormat(s,t),Mo.set(e,i)),i}function Ve(s,t,e){return Ch(t,e).format(s)}var Ih=function(s,t){return{x(e){return s+s+t-e},setWidth(e){t=e},textAlign(e){return e==="center"?e:e==="right"?"left":"right"},xPlus(e,i){return e-i},leftForLtr(e,i){return e-i}}},Fh=function(){return{x(s){return s},setWidth(s){},textAlign(s){return s},xPlus(s,t){return s+t},leftForLtr(s,t){return s}}};function ye(s,t,e){return s?Ih(t,e):Fh()}function er(s,t){let e,i;(t==="ltr"||t==="rtl")&&(e=s.canvas.style,i=[e.getPropertyValue("direction"),e.getPropertyPriority("direction")],e.setProperty("direction",t,"important"),s.prevTextDirection=i)}function sr(s,t){t!==void 0&&(delete s.prevTextDirection,s.canvas.style.setProperty("direction",t[0],t[1]))}function ra(s){return s==="angle"?{between:Ne,compare:Lc,normalize:ht}:{between:Lt,compare:(t,e)=>t-e,normalize:t=>t}}function To({start:s,end:t,count:e,loop:i,style:n}){return{start:s%e,end:t%e,loop:i&&(t-s+1)%e===0,style:n}}function Ah(s,t,e){let{property:i,start:n,end:r}=e,{between:o,normalize:a}=ra(i),l=t.length,{start:c,end:h,loop:u}=s,d,f;if(u){for(c+=l,h+=l,d=0,f=l;dl(n,_,y)&&a(n,_)!==0,x=()=>a(r,y)===0||l(r,_,y),S=()=>g||w(),k=()=>!g||x();for(let O=h,v=h;O<=u;++O)b=t[O%o],!b.skip&&(y=c(b[i]),y!==_&&(g=l(y,n,r),p===null&&S()&&(p=a(y,n)===0?O:v),p!==null&&k()&&(m.push(To({start:p,end:O,loop:d,count:o,style:f})),p=null),v=O,_=y));return p!==null&&m.push(To({start:p,end:u,loop:d,count:o,style:f})),m}function nr(s,t){let e=[],i=s.segments;for(let n=0;nn&&s[r%t].skip;)r--;return r%=t,{start:n,end:r}}function Ph(s,t,e,i){let n=s.length,r=[],o=t,a=s[t],l;for(l=t+1;l<=e;++l){let c=s[l%n];c.skip||c.stop?a.skip||(i=!1,r.push({start:t%n,end:(l-1)%n,loop:i}),t=o=c.stop?l:null):(o=l,a.skip&&(t=l)),a=c}return o!==null&&r.push({start:t%n,end:o%n,loop:i}),r}function oa(s,t){let e=s.points,i=s.options.spanGaps,n=e.length;if(!n)return[];let r=!!s._loop,{start:o,end:a}=Lh(e,n,r,i);if(i===!0)return vo(s,[{start:o,end:a,loop:r}],e,t);let l=aa({chart:t,initial:e.initial,numSteps:o,currentStep:Math.min(i-e.start,o)}))}_refresh(){this._request||(this._running=!0,this._request=Nn.call(window,()=>{this._update(),this._request=null,this._running&&this._refresh()}))}_update(t=Date.now()){let e=0;this._charts.forEach((i,n)=>{if(!i.running||!i.items.length)return;let r=i.items,o=r.length-1,a=!1,l;for(;o>=0;--o)l=r[o],l._active?(l._total>i.duration&&(i.duration=l._total),l.tick(t),a=!0):(r[o]=r[r.length-1],r.pop());a&&(n.draw(),this._notify(n,i,t,"progress")),r.length||(i.running=!1,this._notify(n,i,t,"complete"),i.initial=!1),e+=r.length}),this._lastDate=t,e===0&&(this._running=!1)}_getAnims(t){let e=this._charts,i=e.get(t);return i||(i={running:!1,initial:!0,items:[],listeners:{complete:[],progress:[]}},e.set(t,i)),i}listen(t,e,i){this._getAnims(t).listeners[e].push(i)}add(t,e){!e||!e.length||this._getAnims(t).items.push(...e)}has(t){return this._getAnims(t).items.length>0}start(t){let e=this._charts.get(t);e&&(e.running=!0,e.start=Date.now(),e.duration=e.items.reduce((i,n)=>Math.max(i,n._duration),0),this._refresh())}running(t){if(!this._running)return!1;let e=this._charts.get(t);return!(!e||!e.running||!e.items.length)}stop(t){let e=this._charts.get(t);if(!e||!e.items.length)return;let i=e.items,n=i.length-1;for(;n>=0;--n)i[n].cancel();e.items=[],this._notify(t,e,Date.now(),"complete")}remove(t){return this._charts.delete(t)}},jt=new mr,aa="transparent",Wh={boolean(s,t,e){return e>.5?t:s},color(s,t,e){let i=jn(s||aa),n=i.valid&&jn(t||aa);return n&&n.valid?n.mix(i,e).hexString():t},number(s,t,e){return s+(t-s)*e}},gr=class{constructor(t,e,i,n){let r=e[i];n=ze([t.to,n,r,t.from]);let o=ze([t.from,r,n]);this._active=!0,this._fn=t.fn||Wh[t.type||typeof o],this._easing=Ce[t.easing]||Ce.linear,this._start=Math.floor(Date.now()+(t.delay||0)),this._duration=this._total=Math.floor(t.duration),this._loop=!!t.loop,this._target=e,this._prop=i,this._from=o,this._to=n,this._promises=void 0}active(){return this._active}update(t,e,i){if(this._active){this._notify(!1);let n=this._target[this._prop],r=i-this._start,o=this._duration-r;this._start=i,this._duration=Math.floor(Math.max(o,t.duration)),this._total+=r,this._loop=!!t.loop,this._to=ze([t.to,e,n,t.from]),this._from=ze([t.from,n,e])}}cancel(){this._active&&(this.tick(Date.now()),this._active=!1,this._notify(!1))}tick(t){let e=t-this._start,i=this._duration,n=this._prop,r=this._from,o=this._loop,a=this._to,l;if(this._active=r!==a&&(o||e1?2-l:l,l=this._easing(Math.min(1,Math.max(0,l))),this._target[n]=this._fn(r,a,l)}wait(){let t=this._promises||(this._promises=[]);return new Promise((e,i)=>{t.push({res:e,rej:i})})}_notify(t){let e=t?"res":"rej",i=this._promises||[];for(let n=0;ns!=="onProgress"&&s!=="onComplete"&&s!=="fn"});L.set("animations",{colors:{type:"color",properties:Vh},numbers:{type:"number",properties:zh}});L.describe("animations",{_fallback:"animation"});L.set("transitions",{active:{animation:{duration:400}},resize:{animation:{duration:0}},show:{animations:{colors:{from:"transparent"},visible:{type:"boolean",duration:0}}},hide:{animations:{colors:{to:"transparent"},visible:{type:"boolean",easing:"linear",fn:s=>s|0}}}});var ji=class{constructor(t,e){this._chart=t,this._properties=new Map,this.configure(e)}configure(t){if(!A(t))return;let e=this._properties;Object.getOwnPropertyNames(t).forEach(i=>{let n=t[i];if(!A(n))return;let r={};for(let o of Hh)r[o]=n[o];($(n.properties)&&n.properties||[i]).forEach(o=>{(o===i||!e.has(o))&&e.set(o,r)})})}_animateOptions(t,e){let i=e.options,n=$h(t,i);if(!n)return[];let r=this._createAnimations(n,i);return i.$shared&&Bh(t.options.$animations,i).then(()=>{t.options=i},()=>{}),r}_createAnimations(t,e){let i=this._properties,n=[],r=t.$animations||(t.$animations={}),o=Object.keys(e),a=Date.now(),l;for(l=o.length-1;l>=0;--l){let c=o[l];if(c.charAt(0)==="$")continue;if(c==="options"){n.push(...this._animateOptions(t,e));continue}let h=e[c],u=r[c],d=i.get(c);if(u)if(d&&u.active()){u.update(d,h,a);continue}else u.cancel();if(!d||!d.duration){t[c]=h;continue}r[c]=u=new gr(d,t,c,h),n.push(u)}return n}update(t,e){if(this._properties.size===0){Object.assign(t,e);return}let i=this._createAnimations(t,e);if(i.length)return jt.add(this._chart,i),!0}};function Bh(s,t){let e=[],i=Object.keys(t);for(let n=0;n0||!e&&r<0)return n.index}return null}function da(s,t){let{chart:e,_cachedMeta:i}=s,n=e._stacks||(e._stacks={}),{iScale:r,vScale:o,index:a}=i,l=r.axis,c=o.axis,h=Zh(r,o,i),u=t.length,d;for(let f=0;fe[i].axis===t).shift()}function Xh(s,t){return $t(s,{active:!1,dataset:void 0,datasetIndex:t,index:t,mode:"default",type:"dataset"})}function Kh(s,t,e){return $t(s,{active:!1,dataIndex:t,parsed:void 0,raw:void 0,element:e,index:t,mode:"default",type:"data"})}function Ts(s,t){let e=s.controller.index,i=s.vScale&&s.vScale.axis;if(i){t=t||s._parsed;for(let n of t){let r=n._stacks;if(!r||r[i]===void 0||r[i][e]===void 0)return;delete r[i][e]}}}var or=s=>s==="reset"||s==="none",fa=(s,t)=>t?s:Object.assign({},s),Jh=(s,t,e)=>s&&!t.hidden&&t._stacked&&{keys:Ja(e,!0),values:null},pt=class{constructor(t,e){this.chart=t,this._ctx=t.ctx,this.index=e,this._cachedDataOpts={},this._cachedMeta=this.getMeta(),this._type=this._cachedMeta.type,this.options=void 0,this._parsing=!1,this._data=void 0,this._objectData=void 0,this._sharedOptions=void 0,this._drawStart=void 0,this._drawCount=void 0,this.enableOptionSharing=!1,this.supportsDecimation=!1,this.$context=void 0,this._syncList=[],this.initialize()}initialize(){let t=this._cachedMeta;this.configure(),this.linkScales(),t._stacked=ha(t.vScale,t),this.addElements()}updateIndex(t){this.index!==t&&Ts(this._cachedMeta),this.index=t}linkScales(){let t=this.chart,e=this._cachedMeta,i=this.getDataset(),n=(u,d,f,m)=>u==="x"?d:u==="r"?m:f,r=e.xAxisID=C(i.xAxisID,rr(t,"x")),o=e.yAxisID=C(i.yAxisID,rr(t,"y")),a=e.rAxisID=C(i.rAxisID,rr(t,"r")),l=e.indexAxis,c=e.iAxisID=n(l,r,o,a),h=e.vAxisID=n(l,o,r,a);e.xScale=this.getScaleForId(r),e.yScale=this.getScaleForId(o),e.rScale=this.getScaleForId(a),e.iScale=this.getScaleForId(c),e.vScale=this.getScaleForId(h)}getDataset(){return this.chart.data.datasets[this.index]}getMeta(){return this.chart.getDatasetMeta(this.index)}getScaleForId(t){return this.chart.scales[t]}_getOtherScale(t){let e=this._cachedMeta;return t===e.iScale?e.vScale:e.iScale}reset(){this._update("reset")}_destroy(){let t=this._cachedMeta;this._data&&Pn(this._data,this),t._stacked&&Ts(t)}_dataCheck(){let t=this.getDataset(),e=t.data||(t.data=[]),i=this._data;if(A(e))this._data=Yh(e);else if(i!==e){if(i){Pn(i,this);let n=this._cachedMeta;Ts(n),n._parsed=[]}e&&Object.isExtensible(e)&&Wo(e,this),this._syncList=[],this._data=e}}addElements(){let t=this._cachedMeta;this._dataCheck(),this.datasetElementType&&(t.dataset=new this.datasetElementType)}buildOrUpdateElements(t){let e=this._cachedMeta,i=this.getDataset(),n=!1;this._dataCheck();let r=e._stacked;e._stacked=ha(e.vScale,e),e.stack!==i.stack&&(n=!0,Ts(e),e.stack=i.stack),this._resyncElements(t),(n||r!==e._stacked)&&da(this,e._parsed)}configure(){let t=this.chart.config,e=t.datasetScopeKeys(this._type),i=t.getOptionScopes(this.getDataset(),e,!0);this.options=t.createResolver(i,this.getContext()),this._parsing=this.options.parsing,this._cachedDataOpts={}}parse(t,e){let{_cachedMeta:i,_data:n}=this,{iScale:r,_stacked:o}=i,a=r.axis,l=t===0&&e===n.length?!0:i._sorted,c=t>0&&i._parsed[t-1],h,u,d;if(this._parsing===!1)i._parsed=n,i._sorted=!0,d=n;else{$(n[t])?d=this.parseArrayData(i,n,t,e):A(n[t])?d=this.parseObjectData(i,n,t,e):d=this.parsePrimitiveData(i,n,t,e);let f=()=>u[a]===null||c&&u[a]g||u=0;--d)if(!m()){this.updateRangeFromParsed(c,t,f,l);break}}return c}getAllParsedValues(t){let e=this._cachedMeta._parsed,i=[],n,r,o;for(n=0,r=e.length;n=0&&tthis.getContext(i,n),g=c.resolveNamedOptions(d,f,m,u);return g.$shared&&(g.$shared=l,r[o]=Object.freeze(fa(g,l))),g}_resolveAnimations(t,e,i){let n=this.chart,r=this._cachedDataOpts,o=`animation-${e}`,a=r[o];if(a)return a;let l;if(n.options.animation!==!1){let h=this.chart.config,u=h.datasetAnimationScopeKeys(this._type,e),d=h.getOptionScopes(this.getDataset(),u);l=h.createResolver(d,this.getContext(t,i,e))}let c=new ji(n,l&&l.animations);return l&&l._cacheable&&(r[o]=Object.freeze(c)),c}getSharedOptions(t){if(t.$shared)return this._sharedOptions||(this._sharedOptions=Object.assign({},t))}includeOptions(t,e){return!e||or(t)||this.chart._animationsDisabled}_getSharedOptions(t,e){let i=this.resolveDataElementOptions(t,e),n=this._sharedOptions,r=this.getSharedOptions(i),o=this.includeOptions(e,r)||r!==n;return this.updateSharedOptions(r,e,i),{sharedOptions:r,includeOptions:o}}updateElement(t,e,i,n){or(n)?Object.assign(t,i):this._resolveAnimations(e,n).update(t,i)}updateSharedOptions(t,e,i){t&&!or(e)&&this._resolveAnimations(void 0,e).update(t,i)}_setStyle(t,e,i,n){t.active=n;let r=this.getStyle(e,n);this._resolveAnimations(e,i,n).update(t,{options:!n&&this.getSharedOptions(r)||r})}removeHoverStyle(t,e,i){this._setStyle(t,i,"active",!1)}setHoverStyle(t,e,i){this._setStyle(t,i,"active",!0)}_removeDatasetHoverStyle(){let t=this._cachedMeta.dataset;t&&this._setStyle(t,void 0,"active",!1)}_setDatasetHoverStyle(){let t=this._cachedMeta.dataset;t&&this._setStyle(t,void 0,"active",!0)}_resyncElements(t){let e=this._data,i=this._cachedMeta.data;for(let[a,l,c]of this._syncList)this[a](l,c);this._syncList=[];let n=i.length,r=e.length,o=Math.min(r,n);o&&this.parse(0,o),r>n?this._insertElements(n,r-n,t):r{for(c.length+=e,a=c.length-1;a>=o;a--)c[a]=c[a-e]};for(l(r),a=t;an-r))}return s._cache.$bar}function tu(s){let t=s.iScale,e=Qh(t,s.type),i=t._length,n,r,o,a,l=()=>{o===32767||o===-32768||(ft(a)&&(i=Math.min(i,Math.abs(o-a)||i)),a=o)};for(n=0,r=e.length;n0?n[s-1]:null,a=sMath.abs(a)&&(l=a,c=o),t[e.axis]=c,t._custom={barStart:l,barEnd:c,start:n,end:r,min:o,max:a}}function Qa(s,t,e,i){return $(s)?iu(s,t,e,i):t[e.axis]=e.parse(s,i),t}function ma(s,t,e,i){let n=s.iScale,r=s.vScale,o=n.getLabels(),a=n===r,l=[],c,h,u,d;for(c=e,h=e+i;c=e?1:-1)}function ru(s){let t,e,i,n,r;return s.horizontal?(t=s.base>s.x,e="left",i="right"):(t=s.basel.controller.options.grouped),r=i.options.stacked,o=[],a=l=>{let c=l.controller.getParsed(e),h=c&&c[l.vScale.axis];if(N(h)||isNaN(h))return!0};for(let l of n)if(!(e!==void 0&&a(l))&&((r===!1||o.indexOf(l.stack)===-1||r===void 0&&l.stack===void 0)&&o.push(l.stack),l.index===t))break;return o.length||o.push(void 0),o}_getStackCount(t){return this._getStacks(void 0,t).length}_getStackIndex(t,e,i){let n=this._getStacks(t,i),r=e!==void 0?n.indexOf(e):-1;return r===-1?n.length-1:r}_getRuler(){let t=this.options,e=this._cachedMeta,i=e.iScale,n=[],r,o;for(r=0,o=e.data.length;r=0;--i)e=Math.max(e,t[i].size(this.resolveDataElementOptions(i))/2);return e>0&&e}getLabelAndValue(t){let e=this._cachedMeta,{xScale:i,yScale:n}=e,r=this.getParsed(t),o=i.getLabelForValue(r.x),a=n.getLabelForValue(r.y),l=r._custom;return{label:e.label,value:"("+o+", "+a+(l?", "+l:"")+")"}}update(t){let e=this._cachedMeta.data;this.updateElements(e,0,e.length,t)}updateElements(t,e,i,n){let r=n==="reset",{iScale:o,vScale:a}=this._cachedMeta,{sharedOptions:l,includeOptions:c}=this._getSharedOptions(e,n),h=o.axis,u=a.axis;for(let d=e;dNe(_,a,l,!0)?1:Math.max(w,w*e,x,x*e),m=(_,w,x)=>Ne(_,a,l,!0)?-1:Math.min(w,w*e,x,x*e),g=f(0,c,u),p=f(Z,h,d),y=m(Y,c,u),b=m(Y+Z,h,d);i=(g-y)/2,n=(p-b)/2,r=-(g+y)/2,o=-(p+b)/2}return{ratioX:i,ratioY:n,offsetX:r,offsetY:o}}var oe=class extends pt{constructor(t,e){super(t,e),this.enableOptionSharing=!0,this.innerRadius=void 0,this.outerRadius=void 0,this.offsetX=void 0,this.offsetY=void 0}linkScales(){}parse(t,e){let i=this.getDataset().data,n=this._cachedMeta;if(this._parsing===!1)n._parsed=i;else{let r=l=>+i[l];if(A(i[t])){let{key:l="value"}=this._parsing;r=c=>+Bt(i[c],l)}let o,a;for(o=t,a=t+e;o0&&!isNaN(t)?B*(Math.abs(t)/e):0}getLabelAndValue(t){let e=this._cachedMeta,i=this.chart,n=i.data.labels||[],r=Ve(e._parsed[t],i.options.locale);return{label:n[t]||"",value:r}}getMaxBorderWidth(t){let e=0,i=this.chart,n,r,o,a,l;if(!t){for(n=0,r=i.data.datasets.length;ns!=="spacing",_indexable:s=>s!=="spacing"};oe.overrides={aspectRatio:1,plugins:{legend:{labels:{generateLabels(s){let t=s.data;if(t.labels.length&&t.datasets.length){let{labels:{pointStyle:e}}=s.legend.options;return t.labels.map((i,n)=>{let o=s.getDatasetMeta(0).controller.getStyle(n);return{text:i,fillStyle:o.backgroundColor,strokeStyle:o.borderColor,lineWidth:o.borderWidth,pointStyle:e,hidden:!s.getDataVisibility(n),index:n}})}return[]}},onClick(s,t,e){e.chart.toggleDataVisibility(t.index),e.chart.update()}},tooltip:{callbacks:{title(){return""},label(s){let t=s.label,e=": "+s.formattedValue;return $(t)?(t=t.slice(),t[0]+=e):t+=e,t}}}}};var Ue=class extends pt{initialize(){this.enableOptionSharing=!0,this.supportsDecimation=!0,super.initialize()}update(t){let e=this._cachedMeta,{dataset:i,data:n=[],_dataset:r}=e,o=this.chart._animationsDisabled,{start:a,count:l}=zn(e,n,o);this._drawStart=a,this._drawCount=l,Vn(e)&&(a=0,l=n.length),i._chart=this.chart,i._datasetIndex=this.index,i._decimated=!!r._decimated,i.points=n;let c=this.resolveDatasetElementOptions(t);this.options.showLine||(c.borderWidth=0),c.segment=this.options.segment,this.updateElement(i,void 0,{animated:!o,options:c},t),this.updateElements(n,a,l,t)}updateElements(t,e,i,n){let r=n==="reset",{iScale:o,vScale:a,_stacked:l,_dataset:c}=this._cachedMeta,{sharedOptions:h,includeOptions:u}=this._getSharedOptions(e,n),d=o.axis,f=a.axis,{spanGaps:m,segment:g}=this.options,p=pe(m)?m:Number.POSITIVE_INFINITY,y=this.chart._animationsDisabled||r||n==="none",b=e>0&&this.getParsed(e-1);for(let _=e;_0&&Math.abs(x[d]-b[d])>p,g&&(S.parsed=x,S.raw=c.data[_]),u&&(S.options=h||this.resolveDataElementOptions(_,w.active?"active":n)),y||this.updateElement(w,_,S,n),b=x}}getMaxOverflow(){let t=this._cachedMeta,e=t.dataset,i=e.options&&e.options.borderWidth||0,n=t.data||[];if(!n.length)return i;let r=n[0].size(this.resolveDataElementOptions(0)),o=n[n.length-1].size(this.resolveDataElementOptions(n.length-1));return Math.max(i,r,o)/2}draw(){let t=this._cachedMeta;t.dataset.updateControlPoints(this.chart.chartArea,t.iScale.axis),super.draw()}};Ue.id="line";Ue.defaults={datasetElementType:"line",dataElementType:"point",showLine:!0,spanGaps:!1};Ue.overrides={scales:{_index_:{type:"category"},_value_:{type:"linear"}}};var Ye=class extends pt{constructor(t,e){super(t,e),this.innerRadius=void 0,this.outerRadius=void 0}getLabelAndValue(t){let e=this._cachedMeta,i=this.chart,n=i.data.labels||[],r=Ve(e._parsed[t].r,i.options.locale);return{label:n[t]||"",value:r}}parseObjectData(t,e,i,n){return Kn.bind(this)(t,e,i,n)}update(t){let e=this._cachedMeta.data;this._updateRadius(),this.updateElements(e,0,e.length,t)}getMinMax(){let t=this._cachedMeta,e={min:Number.POSITIVE_INFINITY,max:Number.NEGATIVE_INFINITY};return t.data.forEach((i,n)=>{let r=this.getParsed(n).r;!isNaN(r)&&this.chart.getDataVisibility(n)&&(re.max&&(e.max=r))}),e}_updateRadius(){let t=this.chart,e=t.chartArea,i=t.options,n=Math.min(e.right-e.left,e.bottom-e.top),r=Math.max(n/2,0),o=Math.max(i.cutoutPercentage?r/100*i.cutoutPercentage:1,0),a=(r-o)/t.getVisibleDatasetCount();this.outerRadius=r-a*this.index,this.innerRadius=this.outerRadius-a}updateElements(t,e,i,n){let r=n==="reset",o=this.chart,l=o.options.animation,c=this._cachedMeta.rScale,h=c.xCenter,u=c.yCenter,d=c.getIndexAngle(0)-.5*Y,f=d,m,g=360/this.countVisibleElements();for(m=0;m{!isNaN(this.getParsed(n).r)&&this.chart.getDataVisibility(n)&&e++}),e}_computeAngle(t,e,i){return this.chart.getDataVisibility(t)?wt(this.resolveDataElementOptions(t,e).angle||i):0}};Ye.id="polarArea";Ye.defaults={dataElementType:"arc",animation:{animateRotate:!0,animateScale:!0},animations:{numbers:{type:"number",properties:["x","y","startAngle","endAngle","innerRadius","outerRadius"]}},indexAxis:"r",startAngle:0};Ye.overrides={aspectRatio:1,plugins:{legend:{labels:{generateLabels(s){let t=s.data;if(t.labels.length&&t.datasets.length){let{labels:{pointStyle:e}}=s.legend.options;return t.labels.map((i,n)=>{let o=s.getDatasetMeta(0).controller.getStyle(n);return{text:i,fillStyle:o.backgroundColor,strokeStyle:o.borderColor,lineWidth:o.borderWidth,pointStyle:e,hidden:!s.getDataVisibility(n),index:n}})}return[]}},onClick(s,t,e){e.chart.toggleDataVisibility(t.index),e.chart.update()}},tooltip:{callbacks:{title(){return""},label(s){return s.chart.data.labels[s.dataIndex]+": "+s.formattedValue}}}},scales:{r:{type:"radialLinear",angleLines:{display:!1},beginAtZero:!0,grid:{circular:!0},pointLabels:{display:!1},startAngle:0}}};var Fs=class extends oe{};Fs.id="pie";Fs.defaults={cutout:0,rotation:0,circumference:360,radius:"100%"};var Ze=class extends pt{getLabelAndValue(t){let e=this._cachedMeta.vScale,i=this.getParsed(t);return{label:e.getLabels()[t],value:""+e.getLabelForValue(i[e.axis])}}parseObjectData(t,e,i,n){return Kn.bind(this)(t,e,i,n)}update(t){let e=this._cachedMeta,i=e.dataset,n=e.data||[],r=e.iScale.getLabels();if(i.points=n,t!=="resize"){let o=this.resolveDatasetElementOptions(t);this.options.showLine||(o.borderWidth=0);let a={_loop:!0,_fullLoop:r.length===n.length,options:o};this.updateElement(i,void 0,a,t)}this.updateElements(n,0,n.length,t)}updateElements(t,e,i,n){let r=this._cachedMeta.rScale,o=n==="reset";for(let a=e;a{n[r]=i[r]&&i[r].active()?i[r]._to:this[r]}),n}};yt.defaults={};yt.defaultRoutes=void 0;var tl={values(s){return $(s)?s:""+s},numeric(s,t,e){if(s===0)return"0";let i=this.chart.options.locale,n,r=s;if(e.length>1){let c=Math.max(Math.abs(e[0].value),Math.abs(e[e.length-1].value));(c<1e-4||c>1e15)&&(n="scientific"),r=hu(s,e)}let o=gt(Math.abs(r)),a=Math.max(Math.min(-1*Math.floor(o),20),0),l={notation:n,minimumFractionDigits:a,maximumFractionDigits:a};return Object.assign(l,this.options.ticks.format),Ve(s,i,l)},logarithmic(s,t,e){if(s===0)return"0";let i=s/Math.pow(10,Math.floor(gt(s)));return i===1||i===2||i===5?tl.numeric.call(this,s,t,e):""}};function hu(s,t){let e=t.length>3?t[2].value-t[1].value:t[1].value-t[0].value;return Math.abs(e)>=1&&s!==Math.floor(s)&&(e=s-Math.floor(s)),e}var Xi={formatters:tl};L.set("scale",{display:!0,offset:!1,reverse:!1,beginAtZero:!1,bounds:"ticks",grace:0,grid:{display:!0,lineWidth:1,drawBorder:!0,drawOnChartArea:!0,drawTicks:!0,tickLength:8,tickWidth:(s,t)=>t.lineWidth,tickColor:(s,t)=>t.color,offset:!1,borderDash:[],borderDashOffset:0,borderWidth:1},title:{display:!1,text:"",padding:{top:4,bottom:4}},ticks:{minRotation:0,maxRotation:50,mirror:!1,textStrokeWidth:0,textStrokeColor:"",padding:3,display:!0,autoSkip:!0,autoSkipPadding:3,labelOffset:0,callback:Xi.formatters.values,minor:{},major:{},align:"center",crossAlign:"near",showLabelBackdrop:!1,backdropColor:"rgba(255, 255, 255, 0.75)",backdropPadding:2}});L.route("scale.ticks","color","","color");L.route("scale.grid","color","","borderColor");L.route("scale.grid","borderColor","","borderColor");L.route("scale.title","color","","color");L.describe("scale",{_fallback:!1,_scriptable:s=>!s.startsWith("before")&&!s.startsWith("after")&&s!=="callback"&&s!=="parser",_indexable:s=>s!=="borderDash"&&s!=="tickBorderDash"});L.describe("scales",{_fallback:"scale"});L.describe("scale.ticks",{_scriptable:s=>s!=="backdropPadding"&&s!=="callback",_indexable:s=>s!=="backdropPadding"});function uu(s,t){let e=s.options.ticks,i=e.maxTicksLimit||du(s),n=e.major.enabled?mu(t):[],r=n.length,o=n[0],a=n[r-1],l=[];if(r>i)return gu(t,l,n,r/i),l;let c=fu(n,t,i);if(r>0){let h,u,d=r>1?Math.round((a-o)/(r-1)):null;for(Ni(t,l,c,N(d)?0:o-d,o),h=0,u=r-1;hn)return l}return Math.max(n,1)}function mu(s){let t=[],e,i;for(e=0,i=s.length;es==="left"?"right":s==="right"?"left":s,ya=(s,t,e)=>t==="top"||t==="left"?s[t]+e:s[t]-e;function ba(s,t){let e=[],i=s.length/t,n=s.length,r=0;for(;ro+a)))return l}function xu(s,t){H(s,e=>{let i=e.gc,n=i.length/2,r;if(n>t){for(r=0;ri?i:e,i=n&&e>i?e:i,{min:mt(e,mt(i,e)),max:mt(i,mt(e,i))}}getPadding(){return{left:this.paddingLeft||0,top:this.paddingTop||0,right:this.paddingRight||0,bottom:this.paddingBottom||0}}getTicks(){return this.ticks}getLabels(){let t=this.chart.data;return this.options.labels||(this.isHorizontal()?t.xLabels:t.yLabels)||t.labels||[]}beforeLayout(){this._cache={},this._dataLimitsCached=!1}beforeUpdate(){j(this.options.beforeUpdate,[this])}update(t,e,i){let{beginAtZero:n,grace:r,ticks:o}=this.options,a=o.sampleSize;this.beforeUpdate(),this.maxWidth=t,this.maxHeight=e,this._margins=i=Object.assign({left:0,right:0,top:0,bottom:0},i),this.ticks=null,this._labelSizes=null,this._gridLineItems=null,this._labelItems=null,this.beforeSetDimensions(),this.setDimensions(),this.afterSetDimensions(),this._maxLength=this.isHorizontal()?this.width+i.left+i.right:this.height+i.top+i.bottom,this._dataLimitsCached||(this.beforeDataLimits(),this.determineDataLimits(),this.afterDataLimits(),this._range=Go(this,r,n),this._dataLimitsCached=!0),this.beforeBuildTicks(),this.ticks=this.buildTicks()||[],this.afterBuildTicks();let l=a=r||i<=1||!this.isHorizontal()){this.labelRotation=n;return}let h=this._getLabelSizes(),u=h.widest.width,d=h.highest.height,f=it(this.chart.width-u,0,this.maxWidth);a=t.offset?this.maxWidth/i:f/(i-1),u+6>a&&(a=f/(i-(t.offset?.5:1)),l=this.maxHeight-vs(t.grid)-e.padding-xa(t.title,this.chart.options.font),c=Math.sqrt(u*u+d*d),o=Di(Math.min(Math.asin(it((h.highest.height+6)/a,-1,1)),Math.asin(it(l/c,-1,1))-Math.asin(it(d/c,-1,1)))),o=Math.max(n,Math.min(r,o))),this.labelRotation=o}afterCalculateLabelRotation(){j(this.options.afterCalculateLabelRotation,[this])}afterAutoSkip(){}beforeFit(){j(this.options.beforeFit,[this])}fit(){let t={width:0,height:0},{chart:e,options:{ticks:i,title:n,grid:r}}=this,o=this._isVisible(),a=this.isHorizontal();if(o){let l=xa(n,e.options.font);if(a?(t.width=this.maxWidth,t.height=vs(r)+l):(t.height=this.maxHeight,t.width=vs(r)+l),i.display&&this.ticks.length){let{first:c,last:h,widest:u,highest:d}=this._getLabelSizes(),f=i.padding*2,m=wt(this.labelRotation),g=Math.cos(m),p=Math.sin(m);if(a){let y=i.mirror?0:p*u.width+g*d.height;t.height=Math.min(this.maxHeight,t.height+y+f)}else{let y=i.mirror?0:g*u.width+p*d.height;t.width=Math.min(this.maxWidth,t.width+y+f)}this._calculatePadding(c,h,p,g)}}this._handleMargins(),a?(this.width=this._length=e.width-this._margins.left-this._margins.right,this.height=t.height):(this.width=t.width,this.height=this._length=e.height-this._margins.top-this._margins.bottom)}_calculatePadding(t,e,i,n){let{ticks:{align:r,padding:o},position:a}=this.options,l=this.labelRotation!==0,c=a!=="top"&&this.axis==="x";if(this.isHorizontal()){let h=this.getPixelForTick(0)-this.left,u=this.right-this.getPixelForTick(this.ticks.length-1),d=0,f=0;l?c?(d=n*t.width,f=i*e.height):(d=i*t.height,f=n*e.width):r==="start"?f=e.width:r==="end"?d=t.width:r!=="inner"&&(d=t.width/2,f=e.width/2),this.paddingLeft=Math.max((d-h+o)*this.width/(this.width-h),0),this.paddingRight=Math.max((f-u+o)*this.width/(this.width-u),0)}else{let h=e.height/2,u=t.height/2;r==="start"?(h=0,u=t.height):r==="end"&&(h=e.height,u=0),this.paddingTop=h+o,this.paddingBottom=u+o}}_handleMargins(){this._margins&&(this._margins.left=Math.max(this.paddingLeft,this._margins.left),this._margins.top=Math.max(this.paddingTop,this._margins.top),this._margins.right=Math.max(this.paddingRight,this._margins.right),this._margins.bottom=Math.max(this.paddingBottom,this._margins.bottom))}afterFit(){j(this.options.afterFit,[this])}isHorizontal(){let{axis:t,position:e}=this.options;return e==="top"||e==="bottom"||t==="x"}isFullSize(){return this.options.fullSize}_convertTicksToLabels(t){this.beforeTickToLabelConversion(),this.generateTickLabels(t);let e,i;for(e=0,i=t.length;e({width:r[k]||0,height:o[k]||0});return{first:S(0),last:S(e-1),widest:S(w),highest:S(x),widths:r,heights:o}}getLabelForValue(t){return t}getPixelForValue(t,e){return NaN}getValueForPixel(t){}getPixelForTick(t){let e=this.ticks;return t<0||t>e.length-1?null:this.getPixelForValue(e[t].value)}getPixelForDecimal(t){this._reversePixels&&(t=1-t);let e=this._startPixel+t*this._length;return Lo(this._alignToPixels?te(this.chart,e,0):e)}getDecimalForPixel(t){let e=(t-this._startPixel)/this._length;return this._reversePixels?1-e:e}getBasePixel(){return this.getPixelForValue(this.getBaseValue())}getBaseValue(){let{min:t,max:e}=this;return t<0&&e<0?e:t>0&&e>0?t:0}getContext(t){let e=this.ticks||[];if(t>=0&&ta*n?a/i:l/n:l*n0}_computeGridLineItems(t){let e=this.axis,i=this.chart,n=this.options,{grid:r,position:o}=n,a=r.offset,l=this.isHorizontal(),h=this.ticks.length+(a?1:0),u=vs(r),d=[],f=r.setContext(this.getContext()),m=f.drawBorder?f.borderWidth:0,g=m/2,p=function(E){return te(i,E,m)},y,b,_,w,x,S,k,O,v,F,W,R;if(o==="top")y=p(this.bottom),S=this.bottom-u,O=y-g,F=p(t.top)+g,R=t.bottom;else if(o==="bottom")y=p(this.top),F=t.top,R=p(t.bottom)-g,S=y+g,O=this.top+u;else if(o==="left")y=p(this.right),x=this.right-u,k=y-g,v=p(t.left)+g,W=t.right;else if(o==="right")y=p(this.left),v=t.left,W=p(t.right)-g,x=y+g,k=this.left+u;else if(e==="x"){if(o==="center")y=p((t.top+t.bottom)/2+.5);else if(A(o)){let E=Object.keys(o)[0],et=o[E];y=p(this.chart.scales[E].getPixelForValue(et))}F=t.top,R=t.bottom,S=y+g,O=S+u}else if(e==="y"){if(o==="center")y=p((t.left+t.right)/2);else if(A(o)){let E=Object.keys(o)[0],et=o[E];y=p(this.chart.scales[E].getPixelForValue(et))}x=y-g,k=x-u,v=t.left,W=t.right}let tt=C(n.ticks.maxTicksLimit,h),ct=Math.max(1,Math.ceil(h/tt));for(b=0;br.value===t);return n>=0?e.setContext(this.getContext(n)).lineWidth:0}drawGrid(t){let e=this.options.grid,i=this.ctx,n=this._gridLineItems||(this._gridLineItems=this._computeGridLineItems(t)),r,o,a=(l,c,h)=>{!h.width||!h.color||(i.save(),i.lineWidth=h.width,i.strokeStyle=h.color,i.setLineDash(h.borderDash||[]),i.lineDashOffset=h.borderDashOffset,i.beginPath(),i.moveTo(l.x,l.y),i.lineTo(c.x,c.y),i.stroke(),i.restore())};if(e.display)for(r=0,o=n.length;r{this.draw(n)}}]:[{z:i,draw:n=>{this.drawBackground(),this.drawGrid(n),this.drawTitle()}},{z:i+1,draw:()=>{this.drawBorder()}},{z:e,draw:n=>{this.drawLabels(n)}}]}getMatchingVisibleMetas(t){let e=this.chart.getSortedVisibleDatasetMetas(),i=this.axis+"AxisID",n=[],r,o;for(r=0,o=e.length;r{let i=e.split("."),n=i.pop(),r=[s].concat(i).join("."),o=t[e].split("."),a=o.pop(),l=o.join(".");L.route(r,n,l,a)})}function vu(s){return"id"in s&&"defaults"in s}var pr=class{constructor(){this.controllers=new Be(pt,"datasets",!0),this.elements=new Be(yt,"elements"),this.plugins=new Be(Object,"plugins"),this.scales=new Be(Yt,"scales"),this._typedRegistries=[this.controllers,this.scales,this.elements]}add(...t){this._each("register",t)}remove(...t){this._each("unregister",t)}addControllers(...t){this._each("register",t,this.controllers)}addElements(...t){this._each("register",t,this.elements)}addPlugins(...t){this._each("register",t,this.plugins)}addScales(...t){this._each("register",t,this.scales)}getController(t){return this._get(t,this.controllers,"controller")}getElement(t){return this._get(t,this.elements,"element")}getPlugin(t){return this._get(t,this.plugins,"plugin")}getScale(t){return this._get(t,this.scales,"scale")}removeControllers(...t){this._each("unregister",t,this.controllers)}removeElements(...t){this._each("unregister",t,this.elements)}removePlugins(...t){this._each("unregister",t,this.plugins)}removeScales(...t){this._each("unregister",t,this.scales)}_each(t,e,i){[...e].forEach(n=>{let r=i||this._getRegistryForType(n);i||r.isForType(n)||r===this.plugins&&n.id?this._exec(t,r,n):H(n,o=>{let a=i||this._getRegistryForType(o);this._exec(t,a,o)})})}_exec(t,e,i){let n=Oi(t);j(i["before"+n],[],i),e[t](i),j(i["after"+n],[],i)}_getRegistryForType(t){for(let e=0;e0&&this.getParsed(e-1);for(let w=e;w0&&Math.abs(S[f]-_[f])>y,p&&(k.parsed=S,k.raw=c.data[w]),d&&(k.options=u||this.resolveDataElementOptions(w,x.active?"active":n)),b||this.updateElement(x,w,k,n),_=S}this.updateSharedOptions(u,n,h)}getMaxOverflow(){let t=this._cachedMeta,e=t.data||[];if(!this.options.showLine){let a=0;for(let l=e.length-1;l>=0;--l)a=Math.max(a,e[l].size(this.resolveDataElementOptions(l))/2);return a>0&&a}let i=t.dataset,n=i.options&&i.options.borderWidth||0;if(!e.length)return n;let r=e[0].size(this.resolveDataElementOptions(0)),o=e[e.length-1].size(this.resolveDataElementOptions(e.length-1));return Math.max(n,r,o)/2}};qe.id="scatter";qe.defaults={datasetElementType:!1,dataElementType:"point",showLine:!1,fill:!1};qe.overrides={interaction:{mode:"point"},plugins:{tooltip:{callbacks:{title(){return""},label(s){return"("+s.label+", "+s.formattedValue+")"}}}},scales:{x:{type:"linear"},y:{type:"linear"}}};var Ou=Object.freeze({__proto__:null,BarController:$e,BubbleController:je,DoughnutController:oe,LineController:Ue,PolarAreaController:Ye,PieController:Fs,RadarController:Ze,ScatterController:qe});function be(){throw new Error("This method is not implemented: Check that a complete date adapter is provided.")}var As=class{constructor(t){this.options=t||{}}init(t){}formats(){return be()}parse(t,e){return be()}format(t,e){return be()}add(t,e,i){return be()}diff(t,e,i){return be()}startOf(t,e,i){return be()}endOf(t,e){return be()}};As.override=function(s){Object.assign(As.prototype,s)};var Or={_date:As};function Du(s,t,e,i){let{controller:n,data:r,_sorted:o}=s,a=n._cachedMeta.iScale;if(a&&t===a.axis&&t!=="r"&&o&&r.length){let l=a._reversePixels?Po:Ft;if(i){if(n._sharedOptions){let c=r[0],h=typeof c.getRange=="function"&&c.getRange(t);if(h){let u=l(r,t,e-h),d=l(r,t,e+h);return{lo:u.lo,hi:d.hi}}}}else return l(r,t,e)}return{lo:0,hi:r.length-1}}function Vs(s,t,e,i,n){let r=s.getSortedVisibleDatasetMetas(),o=e[t];for(let a=0,l=r.length;a{l[o](t[e],n)&&(r.push({element:l,datasetIndex:c,index:h}),a=a||l.inRange(t.x,t.y,n))}),i&&!a?[]:r}var Fu={evaluateInteractionItems:Vs,modes:{index(s,t,e,i){let n=ie(t,s),r=e.axis||"x",o=e.includeInvisible||!1,a=e.intersect?lr(s,n,r,i,o):cr(s,n,r,!1,i,o),l=[];return a.length?(s.getSortedVisibleDatasetMetas().forEach(c=>{let h=a[0].index,u=c.data[h];u&&!u.skip&&l.push({element:u,datasetIndex:c.index,index:h})}),l):[]},dataset(s,t,e,i){let n=ie(t,s),r=e.axis||"xy",o=e.includeInvisible||!1,a=e.intersect?lr(s,n,r,i,o):cr(s,n,r,!1,i,o);if(a.length>0){let l=a[0].datasetIndex,c=s.getDatasetMeta(l).data;a=[];for(let h=0;he.pos===t)}function wa(s,t){return s.filter(e=>el.indexOf(e.pos)===-1&&e.box.axis===t)}function Ds(s,t){return s.sort((e,i)=>{let n=t?i:e,r=t?e:i;return n.weight===r.weight?n.index-r.index:n.weight-r.weight})}function Au(s){let t=[],e,i,n,r,o,a;for(e=0,i=(s||[]).length;ec.box.fullSize),!0),i=Ds(Os(t,"left"),!0),n=Ds(Os(t,"right")),r=Ds(Os(t,"top"),!0),o=Ds(Os(t,"bottom")),a=wa(t,"x"),l=wa(t,"y");return{fullSize:e,leftAndTop:i.concat(r),rightAndBottom:n.concat(l).concat(o).concat(a),chartArea:Os(t,"chartArea"),vertical:i.concat(n).concat(l),horizontal:r.concat(o).concat(a)}}function Sa(s,t,e,i){return Math.max(s[e],t[e])+Math.max(s[i],t[i])}function sl(s,t){s.top=Math.max(s.top,t.top),s.left=Math.max(s.left,t.left),s.bottom=Math.max(s.bottom,t.bottom),s.right=Math.max(s.right,t.right)}function Nu(s,t,e,i){let{pos:n,box:r}=e,o=s.maxPadding;if(!A(n)){e.size&&(s[n]-=e.size);let u=i[e.stack]||{size:0,count:1};u.size=Math.max(u.size,e.horizontal?r.height:r.width),e.size=u.size/u.count,s[n]+=e.size}r.getPadding&&sl(o,r.getPadding());let a=Math.max(0,t.outerWidth-Sa(o,s,"left","right")),l=Math.max(0,t.outerHeight-Sa(o,s,"top","bottom")),c=a!==s.w,h=l!==s.h;return s.w=a,s.h=l,e.horizontal?{same:c,other:h}:{same:h,other:c}}function Wu(s){let t=s.maxPadding;function e(i){let n=Math.max(t[i]-s[i],0);return s[i]+=n,n}s.y+=e("top"),s.x+=e("left"),e("right"),e("bottom")}function zu(s,t){let e=t.maxPadding;function i(n){let r={left:0,top:0,right:0,bottom:0};return n.forEach(o=>{r[o]=Math.max(t[o],e[o])}),r}return i(s?["left","right"]:["top","bottom"])}function Cs(s,t,e,i){let n=[],r,o,a,l,c,h;for(r=0,o=s.length,c=0;r{typeof g.beforeLayout=="function"&&g.beforeLayout()});let h=l.reduce((g,p)=>p.box.options&&p.box.options.display===!1?g:g+1,0)||1,u=Object.freeze({outerWidth:t,outerHeight:e,padding:n,availableWidth:r,availableHeight:o,vBoxMaxWidth:r/2/h,hBoxMaxHeight:o/2}),d=Object.assign({},n);sl(d,at(i));let f=Object.assign({maxPadding:d,w:r,h:o,x:n.left,y:n.top},n),m=Pu(l.concat(c),u);Cs(a.fullSize,f,u,m),Cs(l,f,u,m),Cs(c,f,u,m)&&Cs(l,f,u,m),Wu(f),ka(a.leftAndTop,f,u,m),f.x+=f.w,f.y+=f.h,ka(a.rightAndBottom,f,u,m),s.chartArea={left:f.left,top:f.top,right:f.left+f.w,bottom:f.top+f.h,height:f.h,width:f.w},H(a.chartArea,g=>{let p=g.box;Object.assign(p,s.chartArea),p.update(f.w,f.h,{left:0,top:0,right:0,bottom:0})})}},Ui=class{acquireContext(t,e){}releaseContext(t){return!1}addEventListener(t,e,i){}removeEventListener(t,e,i){}getDevicePixelRatio(){return 1}getMaximumSize(t,e,i,n){return e=Math.max(0,e||t.width),i=i||t.height,{width:e,height:Math.max(0,n?Math.floor(e/n):i)}}isAttached(t){return!0}updateConfig(t){}},yr=class extends Ui{acquireContext(t){return t&&t.getContext&&t.getContext("2d")||null}updateConfig(t){t.options.animation=!1}},$i="$chartjs",Vu={touchstart:"mousedown",touchmove:"mousemove",touchend:"mouseup",pointerenter:"mouseenter",pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointerleave:"mouseout",pointerout:"mouseout"},Ma=s=>s===null||s==="";function Hu(s,t){let e=s.style,i=s.getAttribute("height"),n=s.getAttribute("width");if(s[$i]={initial:{height:i,width:n,style:{display:e.display,height:e.height,width:e.width}}},e.display=e.display||"block",e.boxSizing=e.boxSizing||"border-box",Ma(n)){let r=tr(s,"width");r!==void 0&&(s.width=r)}if(Ma(i))if(s.style.height==="")s.height=s.width/(t||2);else{let r=tr(s,"height");r!==void 0&&(s.height=r)}return s}var il=sa?{passive:!0}:!1;function Bu(s,t,e){s.addEventListener(t,e,il)}function $u(s,t,e){s.canvas.removeEventListener(t,e,il)}function ju(s,t){let e=Vu[s.type]||s.type,{x:i,y:n}=ie(s,t);return{type:e,chart:t,native:s,x:i!==void 0?i:null,y:n!==void 0?n:null}}function Yi(s,t){for(let e of s)if(e===t||e.contains(t))return!0}function Uu(s,t,e){let i=s.canvas,n=new MutationObserver(r=>{let o=!1;for(let a of r)o=o||Yi(a.addedNodes,i),o=o&&!Yi(a.removedNodes,i);o&&e()});return n.observe(document,{childList:!0,subtree:!0}),n}function Yu(s,t,e){let i=s.canvas,n=new MutationObserver(r=>{let o=!1;for(let a of r)o=o||Yi(a.removedNodes,i),o=o&&!Yi(a.addedNodes,i);o&&e()});return n.observe(document,{childList:!0,subtree:!0}),n}var Ls=new Map,Ta=0;function nl(){let s=window.devicePixelRatio;s!==Ta&&(Ta=s,Ls.forEach((t,e)=>{e.currentDevicePixelRatio!==s&&t()}))}function Zu(s,t){Ls.size||window.addEventListener("resize",nl),Ls.set(s,t)}function qu(s){Ls.delete(s),Ls.size||window.removeEventListener("resize",nl)}function Gu(s,t,e){let i=s.canvas,n=i&&Pi(i);if(!n)return;let r=Wn((a,l)=>{let c=n.clientWidth;e(a,l),c{let l=a[0],c=l.contentRect.width,h=l.contentRect.height;c===0&&h===0||r(c,h)});return o.observe(n),Zu(s,r),o}function hr(s,t,e){e&&e.disconnect(),t==="resize"&&qu(s)}function Xu(s,t,e){let i=s.canvas,n=Wn(r=>{s.ctx!==null&&e(ju(r,s))},s,r=>{let o=r[0];return[o,o.offsetX,o.offsetY]});return Bu(i,t,n),n}var br=class extends Ui{acquireContext(t,e){let i=t&&t.getContext&&t.getContext("2d");return i&&i.canvas===t?(Hu(t,e),i):null}releaseContext(t){let e=t.canvas;if(!e[$i])return!1;let i=e[$i].initial;["height","width"].forEach(r=>{let o=i[r];N(o)?e.removeAttribute(r):e.setAttribute(r,o)});let n=i.style||{};return Object.keys(n).forEach(r=>{e.style[r]=n[r]}),e.width=e.width,delete e[$i],!0}addEventListener(t,e,i){this.removeEventListener(t,e);let n=t.$proxies||(t.$proxies={}),o={attach:Uu,detach:Yu,resize:Gu}[e]||Xu;n[e]=o(t,e,i)}removeEventListener(t,e){let i=t.$proxies||(t.$proxies={}),n=i[e];if(!n)return;({attach:hr,detach:hr,resize:hr}[e]||$u)(t,e,n),i[e]=void 0}getDevicePixelRatio(){return window.devicePixelRatio}getMaximumSize(t,e,i,n){return ea(t,e,i,n)}isAttached(t){let e=Pi(t);return!!(e&&e.isConnected)}};function Ku(s){return!Jn()||typeof OffscreenCanvas<"u"&&s instanceof OffscreenCanvas?yr:br}var xr=class{constructor(){this._init=[]}notify(t,e,i,n){e==="beforeInit"&&(this._init=this._createDescriptors(t,!0),this._notify(this._init,t,"install"));let r=n?this._descriptors(t).filter(n):this._descriptors(t),o=this._notify(r,t,e,i);return e==="afterDestroy"&&(this._notify(r,t,"stop"),this._notify(this._init,t,"uninstall")),o}_notify(t,e,i,n){n=n||{};for(let r of t){let o=r.plugin,a=o[i],l=[e,n,r.options];if(j(a,l,o)===!1&&n.cancelable)return!1}return!0}invalidate(){N(this._cache)||(this._oldCache=this._cache,this._cache=void 0)}_descriptors(t){if(this._cache)return this._cache;let e=this._cache=this._createDescriptors(t);return this._notifyStateChanges(t),e}_createDescriptors(t,e){let i=t&&t.config,n=C(i.options&&i.options.plugins,{}),r=Ju(i);return n===!1&&!e?[]:td(t,r,n,e)}_notifyStateChanges(t){let e=this._oldCache||[],i=this._cache,n=(r,o)=>r.filter(a=>!o.some(l=>a.plugin.id===l.plugin.id));this._notify(n(e,i),t,"stop"),this._notify(n(i,e),t,"start")}};function Ju(s){let t={},e=[],i=Object.keys(Rt.plugins.items);for(let r=0;r{let l=i[a];if(!A(l))return console.error(`Invalid scale configuration for scale: ${a}`);if(l._proxy)return console.warn(`Ignoring resolver passed as options for scale: ${a}`);let c=wr(a,l),h=id(c,n),u=e.scales||{};r[c]=r[c]||a,o[a]=Pe(Object.create(null),[{axis:c},l,u[c],u[h]])}),s.data.datasets.forEach(a=>{let l=a.type||s.type,c=a.indexAxis||_r(l,t),u=(Qt[l]||{}).scales||{};Object.keys(u).forEach(d=>{let f=sd(d,c),m=a[f+"AxisID"]||r[f]||f;o[m]=o[m]||Object.create(null),Pe(o[m],[{axis:f},i[m],u[d]])})}),Object.keys(o).forEach(a=>{let l=o[a];Pe(l,[L.scales[l.type],L.scale])}),o}function rl(s){let t=s.options||(s.options={});t.plugins=C(t.plugins,{}),t.scales=rd(s,t)}function ol(s){return s=s||{},s.datasets=s.datasets||[],s.labels=s.labels||[],s}function od(s){return s=s||{},s.data=ol(s.data),rl(s),s}var va=new Map,al=new Set;function zi(s,t){let e=va.get(s);return e||(e=t(),va.set(s,e),al.add(e)),e}var Es=(s,t,e)=>{let i=Bt(t,e);i!==void 0&&s.add(i)},Sr=class{constructor(t){this._config=od(t),this._scopeCache=new Map,this._resolverCache=new Map}get platform(){return this._config.platform}get type(){return this._config.type}set type(t){this._config.type=t}get data(){return this._config.data}set data(t){this._config.data=ol(t)}get options(){return this._config.options}set options(t){this._config.options=t}get plugins(){return this._config.plugins}update(){let t=this._config;this.clearCache(),rl(t)}clearCache(){this._scopeCache.clear(),this._resolverCache.clear()}datasetScopeKeys(t){return zi(t,()=>[[`datasets.${t}`,""]])}datasetAnimationScopeKeys(t,e){return zi(`${t}.transition.${e}`,()=>[[`datasets.${t}.transitions.${e}`,`transitions.${e}`],[`datasets.${t}`,""]])}datasetElementScopeKeys(t,e){return zi(`${t}-${e}`,()=>[[`datasets.${t}.elements.${e}`,`datasets.${t}`,`elements.${e}`,""]])}pluginScopeKeys(t){let e=t.id,i=this.type;return zi(`${i}-plugin-${e}`,()=>[[`plugins.${e}`,...t.additionalOptionScopes||[]]])}_cachedScopes(t,e){let i=this._scopeCache,n=i.get(t);return(!n||e)&&(n=new Map,i.set(t,n)),n}getOptionScopes(t,e,i){let{options:n,type:r}=this,o=this._cachedScopes(t,i),a=o.get(e);if(a)return a;let l=new Set;e.forEach(h=>{t&&(l.add(t),h.forEach(u=>Es(l,t,u))),h.forEach(u=>Es(l,n,u)),h.forEach(u=>Es(l,Qt[r]||{},u)),h.forEach(u=>Es(l,L,u)),h.forEach(u=>Es(l,Ii,u))});let c=Array.from(l);return c.length===0&&c.push(Object.create(null)),al.has(e)&&o.set(e,c),c}chartOptionScopes(){let{options:t,type:e}=this;return[t,Qt[e]||{},L.datasets[e]||{},{type:e},L,Ii]}resolveNamedOptions(t,e,i,n=[""]){let r={$shared:!0},{resolver:o,subPrefixes:a}=Oa(this._resolverCache,t,n),l=o;if(ld(o,e)){r.$shared=!1,i=Ht(i)?i():i;let c=this.createResolver(t,i,a);l=ge(o,i,c)}for(let c of e)r[c]=l[c];return r}createResolver(t,e,i=[""],n){let{resolver:r}=Oa(this._resolverCache,t,i);return A(e)?ge(r,e,void 0,n):r}};function Oa(s,t,e){let i=s.get(t);i||(i=new Map,s.set(t,i));let n=e.join(),r=i.get(n);return r||(r={resolver:Li(t,e),subPrefixes:e.filter(a=>!a.toLowerCase().includes("hover"))},i.set(n,r)),r}var ad=s=>A(s)&&Object.getOwnPropertyNames(s).reduce((t,e)=>t||Ht(s[e]),!1);function ld(s,t){let{isScriptable:e,isIndexable:i}=qn(s);for(let n of t){let r=e(n),o=i(n),a=(o||r)&&s[n];if(r&&(Ht(a)||ad(a))||o&&$(a))return!0}return!1}var cd="3.9.1",hd=["top","bottom","left","right","chartArea"];function Da(s,t){return s==="top"||s==="bottom"||hd.indexOf(s)===-1&&t==="x"}function Ea(s,t){return function(e,i){return e[s]===i[s]?e[t]-i[t]:e[s]-i[s]}}function Ca(s){let t=s.chart,e=t.options.animation;t.notifyPlugins("afterRender"),j(e&&e.onComplete,[s],t)}function ud(s){let t=s.chart,e=t.options.animation;j(e&&e.onProgress,[s],t)}function ll(s){return Jn()&&typeof s=="string"?s=document.getElementById(s):s&&s.length&&(s=s[0]),s&&s.canvas&&(s=s.canvas),s}var Zi={},cl=s=>{let t=ll(s);return Object.values(Zi).filter(e=>e.canvas===t).pop()};function dd(s,t,e){let i=Object.keys(s);for(let n of i){let r=+n;if(r>=t){let o=s[n];delete s[n],(e>0||r>t)&&(s[r+e]=o)}}}function fd(s,t,e,i){return!e||s.type==="mouseout"?null:i?t:s}var xe=class{constructor(t,e){let i=this.config=new Sr(e),n=ll(t),r=cl(n);if(r)throw new Error("Canvas is already in use. Chart with ID '"+r.id+"' must be destroyed before the canvas with ID '"+r.canvas.id+"' can be reused.");let o=i.createResolver(i.chartOptionScopes(),this.getContext());this.platform=new(i.platform||Ku(n)),this.platform.updateConfig(i);let a=this.platform.acquireContext(n,o.aspectRatio),l=a&&a.canvas,c=l&&l.height,h=l&&l.width;if(this.id=Do(),this.ctx=a,this.canvas=l,this.width=h,this.height=c,this._options=o,this._aspectRatio=this.aspectRatio,this._layers=[],this._metasets=[],this._stacks=void 0,this.boxes=[],this.currentDevicePixelRatio=void 0,this.chartArea=void 0,this._active=[],this._lastEvent=void 0,this._listeners={},this._responsiveListeners=void 0,this._sortedMetasets=[],this.scales={},this._plugins=new xr,this.$proxies={},this._hiddenIndices={},this.attached=!1,this._animationsDisabled=void 0,this.$context=void 0,this._doResize=zo(u=>this.update(u),o.resizeDelay||0),this._dataChanges=[],Zi[this.id]=this,!a||!l){console.error("Failed to create chart: can't acquire context from the given item");return}jt.listen(this,"complete",Ca),jt.listen(this,"progress",ud),this._initialize(),this.attached&&this.update()}get aspectRatio(){let{options:{aspectRatio:t,maintainAspectRatio:e},width:i,height:n,_aspectRatio:r}=this;return N(t)?e&&r?r:n?i/n:null:t}get data(){return this.config.data}set data(t){this.config.data=t}get options(){return this._options}set options(t){this.config.options=t}_initialize(){return this.notifyPlugins("beforeInit"),this.options.responsive?this.resize():Qn(this,this.options.devicePixelRatio),this.bindEvents(),this.notifyPlugins("afterInit"),this}clear(){return Un(this.canvas,this.ctx),this}stop(){return jt.stop(this),this}resize(t,e){jt.running(this)?this._resizeBeforeDraw={width:t,height:e}:this._resize(t,e)}_resize(t,e){let i=this.options,n=this.canvas,r=i.maintainAspectRatio&&this.aspectRatio,o=this.platform.getMaximumSize(n,t,e,r),a=i.devicePixelRatio||this.platform.getDevicePixelRatio(),l=this.width?"resize":"attach";this.width=o.width,this.height=o.height,this._aspectRatio=this.aspectRatio,Qn(this,a,!0)&&(this.notifyPlugins("resize",{size:o}),j(i.onResize,[this,o],this),this.attached&&this._doResize(l)&&this.render())}ensureScalesHaveIDs(){let e=this.options.scales||{};H(e,(i,n)=>{i.id=n})}buildOrUpdateScales(){let t=this.options,e=t.scales,i=this.scales,n=Object.keys(i).reduce((o,a)=>(o[a]=!1,o),{}),r=[];e&&(r=r.concat(Object.keys(e).map(o=>{let a=e[o],l=wr(o,a),c=l==="r",h=l==="x";return{options:a,dposition:c?"chartArea":h?"bottom":"left",dtype:c?"radialLinear":h?"category":"linear"}}))),H(r,o=>{let a=o.options,l=a.id,c=wr(l,a),h=C(a.type,o.dtype);(a.position===void 0||Da(a.position,c)!==Da(o.dposition))&&(a.position=o.dposition),n[l]=!0;let u=null;if(l in i&&i[l].type===h)u=i[l];else{let d=Rt.getScale(h);u=new d({id:l,type:h,ctx:this.ctx,chart:this}),i[u.id]=u}u.init(a,t)}),H(n,(o,a)=>{o||delete i[a]}),H(i,o=>{lt.configure(this,o,o.options),lt.addBox(this,o)})}_updateMetasets(){let t=this._metasets,e=this.data.datasets.length,i=t.length;if(t.sort((n,r)=>n.index-r.index),i>e){for(let n=e;ne.length&&delete this._stacks,t.forEach((i,n)=>{e.filter(r=>r===i._dataset).length===0&&this._destroyDatasetMeta(n)})}buildOrUpdateControllers(){let t=[],e=this.data.datasets,i,n;for(this._removeUnreferencedMetasets(),i=0,n=e.length;i{this.getDatasetMeta(e).controller.reset()},this)}reset(){this._resetElements(),this.notifyPlugins("reset")}update(t){let e=this.config;e.update();let i=this._options=e.createResolver(e.chartOptionScopes(),this.getContext()),n=this._animationsDisabled=!i.animation;if(this._updateScales(),this._checkEventBindings(),this._updateHiddenIndices(),this._plugins.invalidate(),this.notifyPlugins("beforeUpdate",{mode:t,cancelable:!0})===!1)return;let r=this.buildOrUpdateControllers();this.notifyPlugins("beforeElementsUpdate");let o=0;for(let c=0,h=this.data.datasets.length;c{c.reset()}),this._updateDatasets(t),this.notifyPlugins("afterUpdate",{mode:t}),this._layers.sort(Ea("z","_idx"));let{_active:a,_lastEvent:l}=this;l?this._eventHandler(l,!0):a.length&&this._updateHoverStyles(a,a,!0),this.render()}_updateScales(){H(this.scales,t=>{lt.removeBox(this,t)}),this.ensureScalesHaveIDs(),this.buildOrUpdateScales()}_checkEventBindings(){let t=this.options,e=new Set(Object.keys(this._listeners)),i=new Set(t.events);(!Cn(e,i)||!!this._responsiveListeners!==t.responsive)&&(this.unbindEvents(),this.bindEvents())}_updateHiddenIndices(){let{_hiddenIndices:t}=this,e=this._getUniformDataChanges()||[];for(let{method:i,start:n,count:r}of e){let o=i==="_removeElements"?-r:r;dd(t,n,o)}}_getUniformDataChanges(){let t=this._dataChanges;if(!t||!t.length)return;this._dataChanges=[];let e=this.data.datasets.length,i=r=>new Set(t.filter(o=>o[0]===r).map((o,a)=>a+","+o.splice(1).join(","))),n=i(0);for(let r=1;rr.split(",")).map(r=>({method:r[1],start:+r[2],count:+r[3]}))}_updateLayout(t){if(this.notifyPlugins("beforeLayout",{cancelable:!0})===!1)return;lt.update(this,this.width,this.height,t);let e=this.chartArea,i=e.width<=0||e.height<=0;this._layers=[],H(this.boxes,n=>{i&&n.position==="chartArea"||(n.configure&&n.configure(),this._layers.push(...n._layers()))},this),this._layers.forEach((n,r)=>{n._idx=r}),this.notifyPlugins("afterLayout")}_updateDatasets(t){if(this.notifyPlugins("beforeDatasetsUpdate",{mode:t,cancelable:!0})!==!1){for(let e=0,i=this.data.datasets.length;e=0;--e)this._drawDataset(t[e]);this.notifyPlugins("afterDatasetsDraw")}_drawDataset(t){let e=this.ctx,i=t._clip,n=!i.disabled,r=this.chartArea,o={meta:t,index:t.index,cancelable:!0};this.notifyPlugins("beforeDatasetDraw",o)!==!1&&(n&&ks(e,{left:i.left===!1?0:r.left-i.left,right:i.right===!1?this.width:r.right+i.right,top:i.top===!1?0:r.top-i.top,bottom:i.bottom===!1?this.height:r.bottom+i.bottom}),t.controller.draw(),n&&Ms(e),o.cancelable=!1,this.notifyPlugins("afterDatasetDraw",o))}isPointInArea(t){return Ae(t,this.chartArea,this._minPadding)}getElementsAtEventForMode(t,e,i,n){let r=Fu.modes[e];return typeof r=="function"?r(this,t,i,n):[]}getDatasetMeta(t){let e=this.data.datasets[t],i=this._metasets,n=i.filter(r=>r&&r._dataset===e).pop();return n||(n={type:null,data:[],dataset:null,controller:null,hidden:null,xAxisID:null,yAxisID:null,order:e&&e.order||0,index:t,_dataset:e,_parsed:[],_sorted:!1},i.push(n)),n}getContext(){return this.$context||(this.$context=$t(null,{chart:this,type:"chart"}))}getVisibleDatasetCount(){return this.getSortedVisibleDatasetMetas().length}isDatasetVisible(t){let e=this.data.datasets[t];if(!e)return!1;let i=this.getDatasetMeta(t);return typeof i.hidden=="boolean"?!i.hidden:!e.hidden}setDatasetVisibility(t,e){let i=this.getDatasetMeta(t);i.hidden=!e}toggleDataVisibility(t){this._hiddenIndices[t]=!this._hiddenIndices[t]}getDataVisibility(t){return!this._hiddenIndices[t]}_updateVisibility(t,e,i){let n=i?"show":"hide",r=this.getDatasetMeta(t),o=r.controller._resolveAnimations(void 0,n);ft(e)?(r.data[e].hidden=!i,this.update()):(this.setDatasetVisibility(t,i),o.update(r,{visible:i}),this.update(a=>a.datasetIndex===t?n:void 0))}hide(t,e){this._updateVisibility(t,e,!1)}show(t,e){this._updateVisibility(t,e,!0)}_destroyDatasetMeta(t){let e=this._metasets[t];e&&e.controller&&e.controller._destroy(),delete this._metasets[t]}_stop(){let t,e;for(this.stop(),jt.remove(this),t=0,e=this.data.datasets.length;t{e.addEventListener(this,r,o),t[r]=o},n=(r,o,a)=>{r.offsetX=o,r.offsetY=a,this._eventHandler(r)};H(this.options.events,r=>i(r,n))}bindResponsiveEvents(){this._responsiveListeners||(this._responsiveListeners={});let t=this._responsiveListeners,e=this.platform,i=(l,c)=>{e.addEventListener(this,l,c),t[l]=c},n=(l,c)=>{t[l]&&(e.removeEventListener(this,l,c),delete t[l])},r=(l,c)=>{this.canvas&&this.resize(l,c)},o,a=()=>{n("attach",a),this.attached=!0,this.resize(),i("resize",r),i("detach",o)};o=()=>{this.attached=!1,n("resize",r),this._stop(),this._resize(0,0),i("attach",a)},e.isAttached(this.canvas)?a():o()}unbindEvents(){H(this._listeners,(t,e)=>{this.platform.removeEventListener(this,e,t)}),this._listeners={},H(this._responsiveListeners,(t,e)=>{this.platform.removeEventListener(this,e,t)}),this._responsiveListeners=void 0}updateHoverStyle(t,e,i){let n=i?"set":"remove",r,o,a,l;for(e==="dataset"&&(r=this.getDatasetMeta(t[0].datasetIndex),r.controller["_"+n+"DatasetHoverStyle"]()),a=0,l=t.length;a{let a=this.getDatasetMeta(r);if(!a)throw new Error("No dataset found at index "+r);return{datasetIndex:r,element:a.data[o],index:o}});!ws(i,e)&&(this._active=i,this._lastEvent=null,this._updateHoverStyles(i,e))}notifyPlugins(t,e,i){return this._plugins.notify(this,t,e,i)}_updateHoverStyles(t,e,i){let n=this.options.hover,r=(l,c)=>l.filter(h=>!c.some(u=>h.datasetIndex===u.datasetIndex&&h.index===u.index)),o=r(e,t),a=i?t:r(t,e);o.length&&this.updateHoverStyle(o,n.mode,!1),a.length&&n.mode&&this.updateHoverStyle(a,n.mode,!0)}_eventHandler(t,e){let i={event:t,replay:e,cancelable:!0,inChartArea:this.isPointInArea(t)},n=o=>(o.options.events||this.options.events).includes(t.native.type);if(this.notifyPlugins("beforeEvent",i,n)===!1)return;let r=this._handleEvent(t,e,i.inChartArea);return i.cancelable=!1,this.notifyPlugins("afterEvent",i,n),(r||i.changed)&&this.render(),this}_handleEvent(t,e,i){let{_active:n=[],options:r}=this,o=e,a=this._getActiveElements(t,n,i,o),l=Io(t),c=fd(t,this._lastEvent,i,l);i&&(this._lastEvent=null,j(r.onHover,[t,a,this],this),l&&j(r.onClick,[t,a,this],this));let h=!ws(a,n);return(h||e)&&(this._active=a,this._updateHoverStyles(a,n,e)),this._lastEvent=c,h}_getActiveElements(t,e,i,n){if(t.type==="mouseout")return[];if(!i)return e;let r=this.options.hover;return this.getElementsAtEventForMode(t,r.mode,r,n)}},Ia=()=>H(xe.instances,s=>s._plugins.invalidate()),ne=!0;Object.defineProperties(xe,{defaults:{enumerable:ne,value:L},instances:{enumerable:ne,value:Zi},overrides:{enumerable:ne,value:Qt},registry:{enumerable:ne,value:Rt},version:{enumerable:ne,value:cd},getChart:{enumerable:ne,value:cl},register:{enumerable:ne,value:(...s)=>{Rt.add(...s),Ia()}},unregister:{enumerable:ne,value:(...s)=>{Rt.remove(...s),Ia()}}});function hl(s,t,e){let{startAngle:i,pixelMargin:n,x:r,y:o,outerRadius:a,innerRadius:l}=t,c=n/a;s.beginPath(),s.arc(r,o,a,i-c,e+c),l>n?(c=n/l,s.arc(r,o,l,e+c,i-c,!0)):s.arc(r,o,n,e+Z,i-Z),s.closePath(),s.clip()}function md(s){return Ai(s,["outerStart","outerEnd","innerStart","innerEnd"])}function gd(s,t,e,i){let n=md(s.options.borderRadius),r=(e-t)/2,o=Math.min(r,i*t/2),a=l=>{let c=(e-Math.min(r,l))*i/2;return it(l,0,Math.min(r,c))};return{outerStart:a(n.outerStart),outerEnd:a(n.outerEnd),innerStart:it(n.innerStart,0,o),innerEnd:it(n.innerEnd,0,o)}}function He(s,t,e,i){return{x:e+s*Math.cos(t),y:i+s*Math.sin(t)}}function kr(s,t,e,i,n,r){let{x:o,y:a,startAngle:l,pixelMargin:c,innerRadius:h}=t,u=Math.max(t.outerRadius+i+e-c,0),d=h>0?h+i+e+c:0,f=0,m=n-l;if(i){let E=h>0?h-i:0,et=u>0?u-i:0,Q=(E+et)/2,fe=Q!==0?m*Q/(Q+i):m;f=(m-fe)/2}let g=Math.max(.001,m*u-e/Y)/u,p=(m-g)/2,y=l+p+f,b=n-p-f,{outerStart:_,outerEnd:w,innerStart:x,innerEnd:S}=gd(t,d,u,b-y),k=u-_,O=u-w,v=y+_/k,F=b-w/O,W=d+x,R=d+S,tt=y+x/W,ct=b-S/R;if(s.beginPath(),r){if(s.arc(o,a,u,v,F),w>0){let Q=He(O,F,o,a);s.arc(Q.x,Q.y,w,F,b+Z)}let E=He(R,b,o,a);if(s.lineTo(E.x,E.y),S>0){let Q=He(R,ct,o,a);s.arc(Q.x,Q.y,S,b+Z,ct+Math.PI)}if(s.arc(o,a,d,b-S/d,y+x/d,!0),x>0){let Q=He(W,tt,o,a);s.arc(Q.x,Q.y,x,tt+Math.PI,y-Z)}let et=He(k,y,o,a);if(s.lineTo(et.x,et.y),_>0){let Q=He(k,v,o,a);s.arc(Q.x,Q.y,_,y-Z,v)}}else{s.moveTo(o,a);let E=Math.cos(v)*u+o,et=Math.sin(v)*u+a;s.lineTo(E,et);let Q=Math.cos(F)*u+o,fe=Math.sin(F)*u+a;s.lineTo(Q,fe)}s.closePath()}function pd(s,t,e,i,n){let{fullCircles:r,startAngle:o,circumference:a}=t,l=t.endAngle;if(r){kr(s,t,e,i,o+B,n);for(let c=0;c=B||Ne(r,a,l),g=Lt(o,c+d,h+d);return m&&g}getCenterPoint(t){let{x:e,y:i,startAngle:n,endAngle:r,innerRadius:o,outerRadius:a}=this.getProps(["x","y","startAngle","endAngle","innerRadius","outerRadius","circumference"],t),{offset:l,spacing:c}=this.options,h=(n+r)/2,u=(o+a+c+l)/2;return{x:e+Math.cos(h)*u,y:i+Math.sin(h)*u}}tooltipPosition(t){return this.getCenterPoint(t)}draw(t){let{options:e,circumference:i}=this,n=(e.offset||0)/2,r=(e.spacing||0)/2,o=e.circular;if(this.pixelMargin=e.borderAlign==="inner"?.33:0,this.fullCircles=i>B?Math.floor(i/B):0,i===0||this.innerRadius<0||this.outerRadius<0)return;t.save();let a=0;if(n){a=n/2;let c=(this.startAngle+this.endAngle)/2;t.translate(Math.cos(c)*a,Math.sin(c)*a),this.circumference>=Y&&(a=n)}t.fillStyle=e.backgroundColor,t.strokeStyle=e.borderColor;let l=pd(t,this,a,r,o);bd(t,this,a,r,l,o),t.restore()}};Ge.id="arc";Ge.defaults={borderAlign:"center",borderColor:"#fff",borderJoinStyle:void 0,borderRadius:0,borderWidth:2,offset:0,spacing:0,angle:void 0,circular:!0};Ge.defaultRoutes={backgroundColor:"backgroundColor"};function ul(s,t,e=t){s.lineCap=C(e.borderCapStyle,t.borderCapStyle),s.setLineDash(C(e.borderDash,t.borderDash)),s.lineDashOffset=C(e.borderDashOffset,t.borderDashOffset),s.lineJoin=C(e.borderJoinStyle,t.borderJoinStyle),s.lineWidth=C(e.borderWidth,t.borderWidth),s.strokeStyle=C(e.borderColor,t.borderColor)}function xd(s,t,e){s.lineTo(e.x,e.y)}function _d(s){return s.stepped?Zo:s.tension||s.cubicInterpolationMode==="monotone"?qo:xd}function dl(s,t,e={}){let i=s.length,{start:n=0,end:r=i-1}=e,{start:o,end:a}=t,l=Math.max(n,o),c=Math.min(r,a),h=na&&r>a;return{count:i,start:l,loop:t.loop,ilen:c(o+(c?a-w:w))%r,_=()=>{g!==p&&(s.lineTo(h,p),s.lineTo(h,g),s.lineTo(h,y))};for(l&&(f=n[b(0)],s.moveTo(f.x,f.y)),d=0;d<=a;++d){if(f=n[b(d)],f.skip)continue;let w=f.x,x=f.y,S=w|0;S===m?(xp&&(p=x),h=(u*h+w)/++u):(_(),s.lineTo(w,x),m=S,u=0,g=p=x),y=x}_()}function Mr(s){let t=s.options,e=t.borderDash&&t.borderDash.length;return!s._decimated&&!s._loop&&!t.tension&&t.cubicInterpolationMode!=="monotone"&&!t.stepped&&!e?Sd:wd}function kd(s){return s.stepped?ia:s.tension||s.cubicInterpolationMode==="monotone"?na:Xt}function Md(s,t,e,i){let n=t._path;n||(n=t._path=new Path2D,t.path(n,e,i)&&n.closePath()),ul(s,t.options),s.stroke(n)}function Td(s,t,e,i){let{segments:n,options:r}=t,o=Mr(t);for(let a of n)ul(s,r,a.style),s.beginPath(),o(s,t,a,{start:e,end:e+i-1})&&s.closePath(),s.stroke()}var vd=typeof Path2D=="function";function Od(s,t,e,i){vd&&!t.options.segment?Md(s,t,e,i):Td(s,t,e,i)}var Nt=class extends yt{constructor(t){super(),this.animated=!0,this.options=void 0,this._chart=void 0,this._loop=void 0,this._fullLoop=void 0,this._path=void 0,this._points=void 0,this._segments=void 0,this._decimated=!1,this._pointsUpdated=!1,this._datasetIndex=void 0,t&&Object.assign(this,t)}updateControlPoints(t,e){let i=this.options;if((i.tension||i.cubicInterpolationMode==="monotone")&&!i.stepped&&!this._pointsUpdated){let n=i.spanGaps?this._loop:this._fullLoop;ta(this._points,i,t,n,e),this._pointsUpdated=!0}}set points(t){this._points=t,delete this._segments,delete this._path,this._pointsUpdated=!1}get points(){return this._points}get segments(){return this._segments||(this._segments=oa(this,this.options.segment))}first(){let t=this.segments,e=this.points;return t.length&&e[t[0].start]}last(){let t=this.segments,e=this.points,i=t.length;return i&&e[t[i-1].end]}interpolate(t,e){let i=this.options,n=t[e],r=this.points,o=nr(this,{property:e,start:n,end:n});if(!o.length)return;let a=[],l=kd(i),c,h;for(c=0,h=o.length;cs!=="borderDash"&&s!=="fill"};function Fa(s,t,e,i){let n=s.options,{[e]:r}=s.getProps([e],i);return Math.abs(t-r)=e)return s.slice(t,t+e);let o=[],a=(e-2)/(r-2),l=0,c=t+e-1,h=t,u,d,f,m,g;for(o[l++]=s[h],u=0;uf&&(f=m,d=s[b],g=b);o[l++]=d,h=g}return o[l++]=s[c],o}function Pd(s,t,e,i){let n=0,r=0,o,a,l,c,h,u,d,f,m,g,p=[],y=t+e-1,b=s[t].x,w=s[y].x-b;for(o=t;og&&(g=c,d=o),n=(r*n+a.x)/++r;else{let S=o-1;if(!N(u)&&!N(d)){let k=Math.min(u,d),O=Math.max(u,d);k!==f&&k!==S&&p.push({...s[k],x:n}),O!==f&&O!==S&&p.push({...s[O],x:n})}o>0&&S!==f&&p.push(s[S]),p.push(a),h=x,r=0,m=g=c,u=d=f=o}}return p}function ml(s){if(s._decimated){let t=s._data;delete s._decimated,delete s._data,Object.defineProperty(s,"data",{value:t})}}function Aa(s){s.data.datasets.forEach(t=>{ml(t)})}function Rd(s,t){let e=t.length,i=0,n,{iScale:r}=s,{min:o,max:a,minDefined:l,maxDefined:c}=r.getUserBounds();return l&&(i=it(Ft(t,r.axis,o).lo,0,e-1)),c?n=it(Ft(t,r.axis,a).hi+1,i,e)-i:n=e-i,{start:i,count:n}}var Nd={id:"decimation",defaults:{algorithm:"min-max",enabled:!1},beforeElementsUpdate:(s,t,e)=>{if(!e.enabled){Aa(s);return}let i=s.width;s.data.datasets.forEach((n,r)=>{let{_data:o,indexAxis:a}=n,l=s.getDatasetMeta(r),c=o||n.data;if(ze([a,s.options.indexAxis])==="y"||!l.controller.supportsDecimation)return;let h=s.scales[l.xAxisID];if(h.type!=="linear"&&h.type!=="time"||s.options.parsing)return;let{start:u,count:d}=Rd(l,c),f=e.threshold||4*i;if(d<=f){ml(n);return}N(o)&&(n._data=c,delete n.data,Object.defineProperty(n,"data",{configurable:!0,enumerable:!0,get:function(){return this._decimated},set:function(g){this._data=g}}));let m;switch(e.algorithm){case"lttb":m=Ld(c,u,d,i,e);break;case"min-max":m=Pd(c,u,d,i);break;default:throw new Error(`Unsupported decimation algorithm '${e.algorithm}'`)}n._decimated=m})},destroy(s){Aa(s)}};function Wd(s,t,e){let i=s.segments,n=s.points,r=t.points,o=[];for(let a of i){let{start:l,end:c}=a;c=Dr(l,c,n);let h=Tr(e,n[l],n[c],a.loop);if(!t.segments){o.push({source:a,target:h,start:n[l],end:n[c]});continue}let u=nr(t,h);for(let d of u){let f=Tr(e,r[d.start],r[d.end],d.loop),m=ir(a,n,f);for(let g of m)o.push({source:g,target:d,start:{[e]:La(h,f,"start",Math.max)},end:{[e]:La(h,f,"end",Math.min)}})}}return o}function Tr(s,t,e,i){if(i)return;let n=t[s],r=e[s];return s==="angle"&&(n=ht(n),r=ht(r)),{property:s,start:n,end:r}}function zd(s,t){let{x:e=null,y:i=null}=s||{},n=t.points,r=[];return t.segments.forEach(({start:o,end:a})=>{a=Dr(o,a,n);let l=n[o],c=n[a];i!==null?(r.push({x:l.x,y:i}),r.push({x:c.x,y:i})):e!==null&&(r.push({x:e,y:l.y}),r.push({x:e,y:c.y}))}),r}function Dr(s,t,e){for(;t>s;t--){let i=e[t];if(!isNaN(i.x)&&!isNaN(i.y))break}return t}function La(s,t,e,i){return s&&t?i(s[e],t[e]):s?s[e]:t?t[e]:0}function gl(s,t){let e=[],i=!1;return $(s)?(i=!0,e=s):e=zd(s,t),e.length?new Nt({points:e,options:{tension:0},_loop:i,_fullLoop:i}):null}function Pa(s){return s&&s.fill!==!1}function Vd(s,t,e){let n=s[t].fill,r=[t],o;if(!e)return n;for(;n!==!1&&r.indexOf(n)===-1;){if(!K(n))return n;if(o=s[n],!o)return!1;if(o.visible)return n;r.push(n),n=o.fill}return!1}function Hd(s,t,e){let i=Ud(s);if(A(i))return isNaN(i.value)?!1:i;let n=parseFloat(i);return K(n)&&Math.floor(n)===n?Bd(i[0],t,n,e):["origin","start","end","stack","shape"].indexOf(i)>=0&&i}function Bd(s,t,e,i){return(s==="-"||s==="+")&&(e=t+e),e===t||e<0||e>=i?!1:e}function $d(s,t){let e=null;return s==="start"?e=t.bottom:s==="end"?e=t.top:A(s)?e=t.getPixelForValue(s.value):t.getBasePixel&&(e=t.getBasePixel()),e}function jd(s,t,e){let i;return s==="start"?i=e:s==="end"?i=t.options.reverse?t.min:t.max:A(s)?i=s.value:i=t.getBaseValue(),i}function Ud(s){let t=s.options,e=t.fill,i=C(e&&e.target,e);return i===void 0&&(i=!!t.backgroundColor),i===!1||i===null?!1:i===!0?"origin":i}function Yd(s){let{scale:t,index:e,line:i}=s,n=[],r=i.segments,o=i.points,a=Zd(t,e);a.push(gl({x:null,y:t.bottom},i));for(let l=0;l=0;--o){let a=n[o].$filler;a&&(a.line.updateControlPoints(r,a.axis),i&&a.fill&&fr(s.ctx,a,r))}},beforeDatasetsDraw(s,t,e){if(e.drawTime!=="beforeDatasetsDraw")return;let i=s.getSortedVisibleDatasetMetas();for(let n=i.length-1;n>=0;--n){let r=i[n].$filler;Pa(r)&&fr(s.ctx,r,s.chartArea)}},beforeDatasetDraw(s,t,e){let i=t.meta.$filler;!Pa(i)||e.drawTime!=="beforeDatasetDraw"||fr(s.ctx,i,s.chartArea)},defaults:{propagate:!0,drawTime:"beforeDatasetDraw"}},za=(s,t)=>{let{boxHeight:e=t,boxWidth:i=t}=s;return s.usePointStyle&&(e=Math.min(e,t),i=s.pointStyleWidth||Math.min(i,t)),{boxWidth:i,boxHeight:e,itemHeight:Math.max(t,e)}},rf=(s,t)=>s!==null&&t!==null&&s.datasetIndex===t.datasetIndex&&s.index===t.index,Gi=class extends yt{constructor(t){super(),this._added=!1,this.legendHitBoxes=[],this._hoveredItem=null,this.doughnutMode=!1,this.chart=t.chart,this.options=t.options,this.ctx=t.ctx,this.legendItems=void 0,this.columnSizes=void 0,this.lineWidths=void 0,this.maxHeight=void 0,this.maxWidth=void 0,this.top=void 0,this.bottom=void 0,this.left=void 0,this.right=void 0,this.height=void 0,this.width=void 0,this._margins=void 0,this.position=void 0,this.weight=void 0,this.fullSize=void 0}update(t,e,i){this.maxWidth=t,this.maxHeight=e,this._margins=i,this.setDimensions(),this.buildLabels(),this.fit()}setDimensions(){this.isHorizontal()?(this.width=this.maxWidth,this.left=this._margins.left,this.right=this.width):(this.height=this.maxHeight,this.top=this._margins.top,this.bottom=this.height)}buildLabels(){let t=this.options.labels||{},e=j(t.generateLabels,[this.chart],this)||[];t.filter&&(e=e.filter(i=>t.filter(i,this.chart.data))),t.sort&&(e=e.sort((i,n)=>t.sort(i,n,this.chart.data))),this.options.reverse&&e.reverse(),this.legendItems=e}fit(){let{options:t,ctx:e}=this;if(!t.display){this.width=this.height=0;return}let i=t.labels,n=st(i.font),r=n.size,o=this._computeTitleHeight(),{boxWidth:a,itemHeight:l}=za(i,r),c,h;e.font=n.string,this.isHorizontal()?(c=this.maxWidth,h=this._fitRows(o,r,a,l)+10):(h=this.maxHeight,c=this._fitCols(o,r,a,l)+10),this.width=Math.min(c,t.maxWidth||this.maxWidth),this.height=Math.min(h,t.maxHeight||this.maxHeight)}_fitRows(t,e,i,n){let{ctx:r,maxWidth:o,options:{labels:{padding:a}}}=this,l=this.legendHitBoxes=[],c=this.lineWidths=[0],h=n+a,u=t;r.textAlign="left",r.textBaseline="middle";let d=-1,f=-h;return this.legendItems.forEach((m,g)=>{let p=i+e/2+r.measureText(m.text).width;(g===0||c[c.length-1]+p+2*a>o)&&(u+=h,c[c.length-(g>0?0:1)]=0,f+=h,d++),l[g]={left:0,top:f,row:d,width:p,height:n},c[c.length-1]+=p+a}),u}_fitCols(t,e,i,n){let{ctx:r,maxHeight:o,options:{labels:{padding:a}}}=this,l=this.legendHitBoxes=[],c=this.columnSizes=[],h=o-t,u=a,d=0,f=0,m=0,g=0;return this.legendItems.forEach((p,y)=>{let b=i+e/2+r.measureText(p.text).width;y>0&&f+n+2*a>h&&(u+=d+a,c.push({width:d,height:f}),m+=d+a,g++,d=f=0),l[y]={left:m,top:f,col:g,width:b,height:n},d=Math.max(d,b),f+=n+a}),u+=d,c.push({width:d,height:f}),u}adjustHitBoxes(){if(!this.options.display)return;let t=this._computeTitleHeight(),{legendHitBoxes:e,options:{align:i,labels:{padding:n},rtl:r}}=this,o=ye(r,this.left,this.width);if(this.isHorizontal()){let a=0,l=ot(i,this.left+n,this.right-this.lineWidths[a]);for(let c of e)a!==c.row&&(a=c.row,l=ot(i,this.left+n,this.right-this.lineWidths[a])),c.top+=this.top+t+n,c.left=o.leftForLtr(o.x(l),c.width),l+=c.width+n}else{let a=0,l=ot(i,this.top+t+n,this.bottom-this.columnSizes[a].height);for(let c of e)c.col!==a&&(a=c.col,l=ot(i,this.top+t+n,this.bottom-this.columnSizes[a].height)),c.top=l,c.left+=this.left+n,c.left=o.leftForLtr(o.x(c.left),c.width),l+=c.height+n}}isHorizontal(){return this.options.position==="top"||this.options.position==="bottom"}draw(){if(this.options.display){let t=this.ctx;ks(t,this),this._draw(),Ms(t)}}_draw(){let{options:t,columnSizes:e,lineWidths:i,ctx:n}=this,{align:r,labels:o}=t,a=L.color,l=ye(t.rtl,this.left,this.width),c=st(o.font),{color:h,padding:u}=o,d=c.size,f=d/2,m;this.drawTitle(),n.textAlign=l.textAlign("left"),n.textBaseline="middle",n.lineWidth=.5,n.font=c.string;let{boxWidth:g,boxHeight:p,itemHeight:y}=za(o,d),b=function(k,O,v){if(isNaN(g)||g<=0||isNaN(p)||p<0)return;n.save();let F=C(v.lineWidth,1);if(n.fillStyle=C(v.fillStyle,a),n.lineCap=C(v.lineCap,"butt"),n.lineDashOffset=C(v.lineDashOffset,0),n.lineJoin=C(v.lineJoin,"miter"),n.lineWidth=F,n.strokeStyle=C(v.strokeStyle,a),n.setLineDash(C(v.lineDash,[])),o.usePointStyle){let W={radius:p*Math.SQRT2/2,pointStyle:v.pointStyle,rotation:v.rotation,borderWidth:F},R=l.xPlus(k,g/2),tt=O+f;Yn(n,W,R,tt,o.pointStyleWidth&&g)}else{let W=O+Math.max((d-p)/2,0),R=l.leftForLtr(k,g),tt=se(v.borderRadius);n.beginPath(),Object.values(tt).some(ct=>ct!==0)?We(n,{x:R,y:W,w:g,h:p,radius:tt}):n.rect(R,W,g,p),n.fill(),F!==0&&n.stroke()}n.restore()},_=function(k,O,v){ee(n,v.text,k,O+y/2,c,{strikethrough:v.hidden,textAlign:l.textAlign(v.textAlign)})},w=this.isHorizontal(),x=this._computeTitleHeight();w?m={x:ot(r,this.left+u,this.right-i[0]),y:this.top+u+x,line:0}:m={x:this.left+u,y:ot(r,this.top+x+u,this.bottom-e[0].height),line:0},er(this.ctx,t.textDirection);let S=y+u;this.legendItems.forEach((k,O)=>{n.strokeStyle=k.fontColor||h,n.fillStyle=k.fontColor||h;let v=n.measureText(k.text).width,F=l.textAlign(k.textAlign||(k.textAlign=o.textAlign)),W=g+f+v,R=m.x,tt=m.y;l.setWidth(this.width),w?O>0&&R+W+u>this.right&&(tt=m.y+=S,m.line++,R=m.x=ot(r,this.left+u,this.right-i[m.line])):O>0&&tt+S>this.bottom&&(R=m.x=R+e[m.line].width+u,m.line++,tt=m.y=ot(r,this.top+x+u,this.bottom-e[m.line].height));let ct=l.x(R);b(ct,tt,k),R=Vo(F,R+g+f,w?R+W:this.right,t.rtl),_(l.x(R),tt,k),w?m.x+=W+u:m.y+=S}),sr(this.ctx,t.textDirection)}drawTitle(){let t=this.options,e=t.title,i=st(e.font),n=at(e.padding);if(!e.display)return;let r=ye(t.rtl,this.left,this.width),o=this.ctx,a=e.position,l=i.size/2,c=n.top+l,h,u=this.left,d=this.width;if(this.isHorizontal())d=Math.max(...this.lineWidths),h=this.top+c,u=ot(t.align,u,this.right-d);else{let m=this.columnSizes.reduce((g,p)=>Math.max(g,p.height),0);h=c+ot(t.align,this.top,this.bottom-m-t.labels.padding-this._computeTitleHeight())}let f=ot(a,u,u+d);o.textAlign=r.textAlign(Ci(a)),o.textBaseline="middle",o.strokeStyle=e.color,o.fillStyle=e.color,o.font=i.string,ee(o,e.text,f,h,i)}_computeTitleHeight(){let t=this.options.title,e=st(t.font),i=at(t.padding);return t.display?e.lineHeight+i.height:0}_getLegendItemAt(t,e){let i,n,r;if(Lt(t,this.left,this.right)&&Lt(e,this.top,this.bottom)){for(r=this.legendHitBoxes,i=0;is.chart.options.color,boxWidth:40,padding:10,generateLabels(s){let t=s.data.datasets,{labels:{usePointStyle:e,pointStyle:i,textAlign:n,color:r}}=s.legend.options;return s._getSortedDatasetMetas().map(o=>{let a=o.controller.getStyle(e?0:void 0),l=at(a.borderWidth);return{text:t[o.index].label,fillStyle:a.backgroundColor,fontColor:r,hidden:!o.visible,lineCap:a.borderCapStyle,lineDash:a.borderDash,lineDashOffset:a.borderDashOffset,lineJoin:a.borderJoinStyle,lineWidth:(l.width+l.height)/4,strokeStyle:a.borderColor,pointStyle:i||a.pointStyle,rotation:a.rotation,textAlign:n||a.textAlign,borderRadius:0,datasetIndex:o.index}},this)}},title:{color:s=>s.chart.options.color,display:!1,position:"center",text:""}},descriptors:{_scriptable:s=>!s.startsWith("on"),labels:{_scriptable:s=>!["generateLabels","filter","sort"].includes(s)}}},Ps=class extends yt{constructor(t){super(),this.chart=t.chart,this.options=t.options,this.ctx=t.ctx,this._padding=void 0,this.top=void 0,this.bottom=void 0,this.left=void 0,this.right=void 0,this.width=void 0,this.height=void 0,this.position=void 0,this.weight=void 0,this.fullSize=void 0}update(t,e){let i=this.options;if(this.left=0,this.top=0,!i.display){this.width=this.height=this.right=this.bottom=0;return}this.width=this.right=t,this.height=this.bottom=e;let n=$(i.text)?i.text.length:1;this._padding=at(i.padding);let r=n*st(i.font).lineHeight+this._padding.height;this.isHorizontal()?this.height=r:this.width=r}isHorizontal(){let t=this.options.position;return t==="top"||t==="bottom"}_drawArgs(t){let{top:e,left:i,bottom:n,right:r,options:o}=this,a=o.align,l=0,c,h,u;return this.isHorizontal()?(h=ot(a,i,r),u=e+t,c=r-i):(o.position==="left"?(h=i+t,u=ot(a,n,e),l=Y*-.5):(h=r-t,u=ot(a,e,n),l=Y*.5),c=n-e),{titleX:h,titleY:u,maxWidth:c,rotation:l}}draw(){let t=this.ctx,e=this.options;if(!e.display)return;let i=st(e.font),r=i.lineHeight/2+this._padding.top,{titleX:o,titleY:a,maxWidth:l,rotation:c}=this._drawArgs(r);ee(t,e.text,0,0,i,{color:e.color,maxWidth:l,rotation:c,textAlign:Ci(e.align),textBaseline:"middle",translation:[o,a]})}};function lf(s,t){let e=new Ps({ctx:s.ctx,options:t,chart:s});lt.configure(s,e,t),lt.addBox(s,e),s.titleBlock=e}var cf={id:"title",_element:Ps,start(s,t,e){lf(s,e)},stop(s){let t=s.titleBlock;lt.removeBox(s,t),delete s.titleBlock},beforeUpdate(s,t,e){let i=s.titleBlock;lt.configure(s,i,e),i.options=e},defaults:{align:"center",display:!1,font:{weight:"bold"},fullSize:!0,padding:10,position:"top",text:"",weight:2e3},defaultRoutes:{color:"color"},descriptors:{_scriptable:!0,_indexable:!1}},Vi=new WeakMap,hf={id:"subtitle",start(s,t,e){let i=new Ps({ctx:s.ctx,options:e,chart:s});lt.configure(s,i,e),lt.addBox(s,i),Vi.set(s,i)},stop(s){lt.removeBox(s,Vi.get(s)),Vi.delete(s)},beforeUpdate(s,t,e){let i=Vi.get(s);lt.configure(s,i,e),i.options=e},defaults:{align:"center",display:!1,font:{weight:"normal"},fullSize:!0,padding:0,position:"top",text:"",weight:1500},defaultRoutes:{color:"color"},descriptors:{_scriptable:!0,_indexable:!1}},Is={average(s){if(!s.length)return!1;let t,e,i=0,n=0,r=0;for(t=0,e=s.length;t-1?s.split(` +`):s}function uf(s,t){let{element:e,datasetIndex:i,index:n}=t,r=s.getDatasetMeta(i).controller,{label:o,value:a}=r.getLabelAndValue(n);return{chart:s,label:o,parsed:r.getParsed(n),raw:s.data.datasets[i].data[n],formattedValue:a,dataset:r.getDataset(),dataIndex:n,datasetIndex:i,element:e}}function Va(s,t){let e=s.chart.ctx,{body:i,footer:n,title:r}=s,{boxWidth:o,boxHeight:a}=t,l=st(t.bodyFont),c=st(t.titleFont),h=st(t.footerFont),u=r.length,d=n.length,f=i.length,m=at(t.padding),g=m.height,p=0,y=i.reduce((w,x)=>w+x.before.length+x.lines.length+x.after.length,0);if(y+=s.beforeBody.length+s.afterBody.length,u&&(g+=u*c.lineHeight+(u-1)*t.titleSpacing+t.titleMarginBottom),y){let w=t.displayColors?Math.max(a,l.lineHeight):l.lineHeight;g+=f*w+(y-f)*l.lineHeight+(y-1)*t.bodySpacing}d&&(g+=t.footerMarginTop+d*h.lineHeight+(d-1)*t.footerSpacing);let b=0,_=function(w){p=Math.max(p,e.measureText(w).width+b)};return e.save(),e.font=c.string,H(s.title,_),e.font=l.string,H(s.beforeBody.concat(s.afterBody),_),b=t.displayColors?o+2+t.boxPadding:0,H(i,w=>{H(w.before,_),H(w.lines,_),H(w.after,_)}),b=0,e.font=h.string,H(s.footer,_),e.restore(),p+=m.width,{width:p,height:g}}function df(s,t){let{y:e,height:i}=t;return es.height-i/2?"bottom":"center"}function ff(s,t,e,i){let{x:n,width:r}=i,o=e.caretSize+e.caretPadding;if(s==="left"&&n+r+o>t.width||s==="right"&&n-r-o<0)return!0}function mf(s,t,e,i){let{x:n,width:r}=e,{width:o,chartArea:{left:a,right:l}}=s,c="center";return i==="center"?c=n<=(a+l)/2?"left":"right":n<=r/2?c="left":n>=o-r/2&&(c="right"),ff(c,s,t,e)&&(c="center"),c}function Ha(s,t,e){let i=e.yAlign||t.yAlign||df(s,e);return{xAlign:e.xAlign||t.xAlign||mf(s,t,e,i),yAlign:i}}function gf(s,t){let{x:e,width:i}=s;return t==="right"?e-=i:t==="center"&&(e-=i/2),e}function pf(s,t,e){let{y:i,height:n}=s;return t==="top"?i+=e:t==="bottom"?i-=n+e:i-=n/2,i}function Ba(s,t,e,i){let{caretSize:n,caretPadding:r,cornerRadius:o}=s,{xAlign:a,yAlign:l}=e,c=n+r,{topLeft:h,topRight:u,bottomLeft:d,bottomRight:f}=se(o),m=gf(t,a),g=pf(t,l,c);return l==="center"?a==="left"?m+=c:a==="right"&&(m-=c):a==="left"?m-=Math.max(h,d)+n:a==="right"&&(m+=Math.max(u,f)+n),{x:it(m,0,i.width-t.width),y:it(g,0,i.height-t.height)}}function Hi(s,t,e){let i=at(e.padding);return t==="center"?s.x+s.width/2:t==="right"?s.x+s.width-i.right:s.x+i.left}function $a(s){return Pt([],Ut(s))}function yf(s,t,e){return $t(s,{tooltip:t,tooltipItems:e,type:"tooltip"})}function ja(s,t){let e=t&&t.dataset&&t.dataset.tooltip&&t.dataset.tooltip.callbacks;return e?s.override(e):s}var Rs=class extends yt{constructor(t){super(),this.opacity=0,this._active=[],this._eventPosition=void 0,this._size=void 0,this._cachedAnimations=void 0,this._tooltipItems=[],this.$animations=void 0,this.$context=void 0,this.chart=t.chart||t._chart,this._chart=this.chart,this.options=t.options,this.dataPoints=void 0,this.title=void 0,this.beforeBody=void 0,this.body=void 0,this.afterBody=void 0,this.footer=void 0,this.xAlign=void 0,this.yAlign=void 0,this.x=void 0,this.y=void 0,this.height=void 0,this.width=void 0,this.caretX=void 0,this.caretY=void 0,this.labelColors=void 0,this.labelPointStyles=void 0,this.labelTextColors=void 0}initialize(t){this.options=t,this._cachedAnimations=void 0,this.$context=void 0}_resolveAnimations(){let t=this._cachedAnimations;if(t)return t;let e=this.chart,i=this.options.setContext(this.getContext()),n=i.enabled&&e.options.animation&&i.animations,r=new ji(this.chart,n);return n._cacheable&&(this._cachedAnimations=Object.freeze(r)),r}getContext(){return this.$context||(this.$context=yf(this.chart.getContext(),this,this._tooltipItems))}getTitle(t,e){let{callbacks:i}=e,n=i.beforeTitle.apply(this,[t]),r=i.title.apply(this,[t]),o=i.afterTitle.apply(this,[t]),a=[];return a=Pt(a,Ut(n)),a=Pt(a,Ut(r)),a=Pt(a,Ut(o)),a}getBeforeBody(t,e){return $a(e.callbacks.beforeBody.apply(this,[t]))}getBody(t,e){let{callbacks:i}=e,n=[];return H(t,r=>{let o={before:[],lines:[],after:[]},a=ja(i,r);Pt(o.before,Ut(a.beforeLabel.call(this,r))),Pt(o.lines,a.label.call(this,r)),Pt(o.after,Ut(a.afterLabel.call(this,r))),n.push(o)}),n}getAfterBody(t,e){return $a(e.callbacks.afterBody.apply(this,[t]))}getFooter(t,e){let{callbacks:i}=e,n=i.beforeFooter.apply(this,[t]),r=i.footer.apply(this,[t]),o=i.afterFooter.apply(this,[t]),a=[];return a=Pt(a,Ut(n)),a=Pt(a,Ut(r)),a=Pt(a,Ut(o)),a}_createItems(t){let e=this._active,i=this.chart.data,n=[],r=[],o=[],a=[],l,c;for(l=0,c=e.length;lt.filter(h,u,d,i))),t.itemSort&&(a=a.sort((h,u)=>t.itemSort(h,u,i))),H(a,h=>{let u=ja(t.callbacks,h);n.push(u.labelColor.call(this,h)),r.push(u.labelPointStyle.call(this,h)),o.push(u.labelTextColor.call(this,h))}),this.labelColors=n,this.labelPointStyles=r,this.labelTextColors=o,this.dataPoints=a,a}update(t,e){let i=this.options.setContext(this.getContext()),n=this._active,r,o=[];if(!n.length)this.opacity!==0&&(r={opacity:0});else{let a=Is[i.position].call(this,n,this._eventPosition);o=this._createItems(i),this.title=this.getTitle(o,i),this.beforeBody=this.getBeforeBody(o,i),this.body=this.getBody(o,i),this.afterBody=this.getAfterBody(o,i),this.footer=this.getFooter(o,i);let l=this._size=Va(this,i),c=Object.assign({},a,l),h=Ha(this.chart,i,c),u=Ba(i,c,h,this.chart);this.xAlign=h.xAlign,this.yAlign=h.yAlign,r={opacity:1,x:u.x,y:u.y,width:l.width,height:l.height,caretX:a.x,caretY:a.y}}this._tooltipItems=o,this.$context=void 0,r&&this._resolveAnimations().update(this,r),t&&i.external&&i.external.call(this,{chart:this.chart,tooltip:this,replay:e})}drawCaret(t,e,i,n){let r=this.getCaretPosition(t,i,n);e.lineTo(r.x1,r.y1),e.lineTo(r.x2,r.y2),e.lineTo(r.x3,r.y3)}getCaretPosition(t,e,i){let{xAlign:n,yAlign:r}=this,{caretSize:o,cornerRadius:a}=i,{topLeft:l,topRight:c,bottomLeft:h,bottomRight:u}=se(a),{x:d,y:f}=t,{width:m,height:g}=e,p,y,b,_,w,x;return r==="center"?(w=f+g/2,n==="left"?(p=d,y=p-o,_=w+o,x=w-o):(p=d+m,y=p+o,_=w-o,x=w+o),b=p):(n==="left"?y=d+Math.max(l,h)+o:n==="right"?y=d+m-Math.max(c,u)-o:y=this.caretX,r==="top"?(_=f,w=_-o,p=y-o,b=y+o):(_=f+g,w=_+o,p=y+o,b=y-o),x=_),{x1:p,x2:y,x3:b,y1:_,y2:w,y3:x}}drawTitle(t,e,i){let n=this.title,r=n.length,o,a,l;if(r){let c=ye(i.rtl,this.x,this.width);for(t.x=Hi(this,i.titleAlign,i),e.textAlign=c.textAlign(i.titleAlign),e.textBaseline="middle",o=st(i.titleFont),a=i.titleSpacing,e.fillStyle=i.titleColor,e.font=o.string,l=0;l_!==0)?(t.beginPath(),t.fillStyle=r.multiKeyBackground,We(t,{x:p,y:g,w:c,h:l,radius:b}),t.fill(),t.stroke(),t.fillStyle=o.backgroundColor,t.beginPath(),We(t,{x:y,y:g+1,w:c-2,h:l-2,radius:b}),t.fill()):(t.fillStyle=r.multiKeyBackground,t.fillRect(p,g,c,l),t.strokeRect(p,g,c,l),t.fillStyle=o.backgroundColor,t.fillRect(y,g+1,c-2,l-2))}t.fillStyle=this.labelTextColors[i]}drawBody(t,e,i){let{body:n}=this,{bodySpacing:r,bodyAlign:o,displayColors:a,boxHeight:l,boxWidth:c,boxPadding:h}=i,u=st(i.bodyFont),d=u.lineHeight,f=0,m=ye(i.rtl,this.x,this.width),g=function(O){e.fillText(O,m.x(t.x+f),t.y+d/2),t.y+=d+r},p=m.textAlign(o),y,b,_,w,x,S,k;for(e.textAlign=o,e.textBaseline="middle",e.font=u.string,t.x=Hi(this,p,i),e.fillStyle=i.bodyColor,H(this.beforeBody,g),f=a&&p!=="right"?o==="center"?c/2+h:c+2+h:0,w=0,S=n.length;w0&&e.stroke()}_updateAnimationTarget(t){let e=this.chart,i=this.$animations,n=i&&i.x,r=i&&i.y;if(n||r){let o=Is[t.position].call(this,this._active,this._eventPosition);if(!o)return;let a=this._size=Va(this,t),l=Object.assign({},o,this._size),c=Ha(e,t,l),h=Ba(t,l,c,e);(n._to!==h.x||r._to!==h.y)&&(this.xAlign=c.xAlign,this.yAlign=c.yAlign,this.width=a.width,this.height=a.height,this.caretX=o.x,this.caretY=o.y,this._resolveAnimations().update(this,h))}}_willRender(){return!!this.opacity}draw(t){let e=this.options.setContext(this.getContext()),i=this.opacity;if(!i)return;this._updateAnimationTarget(e);let n={width:this.width,height:this.height},r={x:this.x,y:this.y};i=Math.abs(i)<.001?0:i;let o=at(e.padding),a=this.title.length||this.beforeBody.length||this.body.length||this.afterBody.length||this.footer.length;e.enabled&&a&&(t.save(),t.globalAlpha=i,this.drawBackground(r,t,n,e),er(t,e.textDirection),r.y+=o.top,this.drawTitle(r,t,e),this.drawBody(r,t,e),this.drawFooter(r,t,e),sr(t,e.textDirection),t.restore())}getActiveElements(){return this._active||[]}setActiveElements(t,e){let i=this._active,n=t.map(({datasetIndex:a,index:l})=>{let c=this.chart.getDatasetMeta(a);if(!c)throw new Error("Cannot find a dataset at index "+a);return{datasetIndex:a,element:c.data[l],index:l}}),r=!ws(i,n),o=this._positionChanged(n,e);(r||o)&&(this._active=n,this._eventPosition=e,this._ignoreReplayEvents=!0,this.update(!0))}handleEvent(t,e,i=!0){if(e&&this._ignoreReplayEvents)return!1;this._ignoreReplayEvents=!1;let n=this.options,r=this._active||[],o=this._getActiveElements(t,r,e,i),a=this._positionChanged(o,t),l=e||!ws(o,r)||a;return l&&(this._active=o,(n.enabled||n.external)&&(this._eventPosition={x:t.x,y:t.y},this.update(!0,e))),l}_getActiveElements(t,e,i,n){let r=this.options;if(t.type==="mouseout")return[];if(!n)return e;let o=this.chart.getElementsAtEventForMode(t,r.mode,r,i);return r.reverse&&o.reverse(),o}_positionChanged(t,e){let{caretX:i,caretY:n,options:r}=this,o=Is[r.position].call(this,t,e);return o!==!1&&(i!==o.x||n!==o.y)}};Rs.positioners=Is;var bf={id:"tooltip",_element:Rs,positioners:Is,afterInit(s,t,e){e&&(s.tooltip=new Rs({chart:s,options:e}))},beforeUpdate(s,t,e){s.tooltip&&s.tooltip.initialize(e)},reset(s,t,e){s.tooltip&&s.tooltip.initialize(e)},afterDraw(s){let t=s.tooltip;if(t&&t._willRender()){let e={tooltip:t};if(s.notifyPlugins("beforeTooltipDraw",e)===!1)return;t.draw(s.ctx),s.notifyPlugins("afterTooltipDraw",e)}},afterEvent(s,t){if(s.tooltip){let e=t.replay;s.tooltip.handleEvent(t.event,e,t.inChartArea)&&(t.changed=!0)}},defaults:{enabled:!0,external:null,position:"average",backgroundColor:"rgba(0,0,0,0.8)",titleColor:"#fff",titleFont:{weight:"bold"},titleSpacing:2,titleMarginBottom:6,titleAlign:"left",bodyColor:"#fff",bodySpacing:2,bodyFont:{},bodyAlign:"left",footerColor:"#fff",footerSpacing:2,footerMarginTop:6,footerFont:{weight:"bold"},footerAlign:"left",padding:6,caretPadding:2,caretSize:5,cornerRadius:6,boxHeight:(s,t)=>t.bodyFont.size,boxWidth:(s,t)=>t.bodyFont.size,multiKeyBackground:"#fff",displayColors:!0,boxPadding:0,borderColor:"rgba(0,0,0,0)",borderWidth:0,animation:{duration:400,easing:"easeOutQuart"},animations:{numbers:{type:"number",properties:["x","y","width","height","caretX","caretY"]},opacity:{easing:"linear",duration:200}},callbacks:{beforeTitle:At,title(s){if(s.length>0){let t=s[0],e=t.chart.data.labels,i=e?e.length:0;if(this&&this.options&&this.options.mode==="dataset")return t.dataset.label||"";if(t.label)return t.label;if(i>0&&t.dataIndexs!=="filter"&&s!=="itemSort"&&s!=="external",_indexable:!1,callbacks:{_scriptable:!1,_indexable:!1},animation:{_fallback:!1},animations:{_fallback:"animation"}},additionalOptionScopes:["interaction"]},xf=Object.freeze({__proto__:null,Decimation:Nd,Filler:nf,Legend:af,SubTitle:hf,Title:cf,Tooltip:bf}),_f=(s,t,e,i)=>(typeof t=="string"?(e=s.push(t)-1,i.unshift({index:e,label:t})):isNaN(t)&&(e=null),e);function wf(s,t,e,i){let n=s.indexOf(t);if(n===-1)return _f(s,t,e,i);let r=s.lastIndexOf(t);return n!==r?e:n}var Sf=(s,t)=>s===null?null:it(Math.round(s),0,t),Je=class extends Yt{constructor(t){super(t),this._startValue=void 0,this._valueRange=0,this._addedLabels=[]}init(t){let e=this._addedLabels;if(e.length){let i=this.getLabels();for(let{index:n,label:r}of e)i[n]===r&&i.splice(n,1);this._addedLabels=[]}super.init(t)}parse(t,e){if(N(t))return null;let i=this.getLabels();return e=isFinite(e)&&i[e]===t?e:wf(i,t,C(e,t),this._addedLabels),Sf(e,i.length-1)}determineDataLimits(){let{minDefined:t,maxDefined:e}=this.getUserBounds(),{min:i,max:n}=this.getMinMax(!0);this.options.bounds==="ticks"&&(t||(i=0),e||(n=this.getLabels().length-1)),this.min=i,this.max=n}buildTicks(){let t=this.min,e=this.max,i=this.options.offset,n=[],r=this.getLabels();r=t===0&&e===r.length-1?r:r.slice(t,e+1),this._valueRange=Math.max(r.length-(i?0:1),1),this._startValue=this.min-(i?.5:0);for(let o=t;o<=e;o++)n.push({value:o});return n}getLabelForValue(t){let e=this.getLabels();return t>=0&&te.length-1?null:this.getPixelForValue(e[t].value)}getValueForPixel(t){return Math.round(this._startValue+this.getDecimalForPixel(t)*this._valueRange)}getBasePixel(){return this.bottom}};Je.id="category";Je.defaults={ticks:{callback:Je.prototype.getLabelForValue}};function kf(s,t){let e=[],{bounds:n,step:r,min:o,max:a,precision:l,count:c,maxTicks:h,maxDigits:u,includeBounds:d}=s,f=r||1,m=h-1,{min:g,max:p}=t,y=!N(o),b=!N(a),_=!N(c),w=(p-g)/(u+1),x=In((p-g)/m/f)*f,S,k,O,v;if(x<1e-14&&!y&&!b)return[{value:g},{value:p}];v=Math.ceil(p/x)-Math.floor(g/x),v>m&&(x=In(v*x/m/f)*f),N(l)||(S=Math.pow(10,l),x=Math.ceil(x*S)/S),n==="ticks"?(k=Math.floor(g/x)*x,O=Math.ceil(p/x)*x):(k=g,O=p),y&&b&&r&&Ao((a-o)/r,x/1e3)?(v=Math.round(Math.min((a-o)/x,h)),x=(a-o)/v,k=o,O=a):_?(k=y?o:k,O=b?a:O,v=c-1,x=(O-k)/v):(v=(O-k)/x,Re(v,Math.round(v),x/1e3)?v=Math.round(v):v=Math.ceil(v));let F=Math.max(An(x),An(k));S=Math.pow(10,N(l)?F:l),k=Math.round(k*S)/S,O=Math.round(O*S)/S;let W=0;for(y&&(d&&k!==o?(e.push({value:o}),kn=e?n:l,a=l=>r=i?r:l;if(t){let l=Tt(n),c=Tt(r);l<0&&c<0?a(0):l>0&&c>0&&o(0)}if(n===r){let l=1;(r>=Number.MAX_SAFE_INTEGER||n<=Number.MIN_SAFE_INTEGER)&&(l=Math.abs(r*.05)),a(r+l),t||o(n-l)}this.min=n,this.max=r}getTickLimit(){let t=this.options.ticks,{maxTicksLimit:e,stepSize:i}=t,n;return i?(n=Math.ceil(this.max/i)-Math.floor(this.min/i)+1,n>1e3&&(console.warn(`scales.${this.id}.ticks.stepSize: ${i} would result generating up to ${n} ticks. Limiting to 1000.`),n=1e3)):(n=this.computeTickLimit(),e=e||11),e&&(n=Math.min(e,n)),n}computeTickLimit(){return Number.POSITIVE_INFINITY}buildTicks(){let t=this.options,e=t.ticks,i=this.getTickLimit();i=Math.max(2,i);let n={maxTicks:i,bounds:t.bounds,min:t.min,max:t.max,precision:e.precision,step:e.stepSize,count:e.count,maxDigits:this._maxDigits(),horizontal:this.isHorizontal(),minRotation:e.minRotation||0,includeBounds:e.includeBounds!==!1},r=this._range||this,o=kf(n,r);return t.bounds==="ticks"&&Fn(o,this,"value"),t.reverse?(o.reverse(),this.start=this.max,this.end=this.min):(this.start=this.min,this.end=this.max),o}configure(){let t=this.ticks,e=this.min,i=this.max;if(super.configure(),this.options.offset&&t.length){let n=(i-e)/Math.max(t.length-1,1)/2;e-=n,i+=n}this._startValue=e,this._endValue=i,this._valueRange=i-e}getLabelForValue(t){return Ve(t,this.chart.options.locale,this.options.ticks.format)}},Ns=class extends Qe{determineDataLimits(){let{min:t,max:e}=this.getMinMax(!0);this.min=K(t)?t:0,this.max=K(e)?e:1,this.handleTickRangeOptions()}computeTickLimit(){let t=this.isHorizontal(),e=t?this.width:this.height,i=wt(this.options.ticks.minRotation),n=(t?Math.sin(i):Math.cos(i))||.001,r=this._resolveTickFontOptions(0);return Math.ceil(e/Math.min(40,r.lineHeight/n))}getPixelForValue(t){return t===null?NaN:this.getPixelForDecimal((t-this._startValue)/this._valueRange)}getValueForPixel(t){return this._startValue+this.getDecimalForPixel(t)*this._valueRange}};Ns.id="linear";Ns.defaults={ticks:{callback:Xi.formatters.numeric}};function Ya(s){return s/Math.pow(10,Math.floor(gt(s)))===1}function Mf(s,t){let e=Math.floor(gt(t.max)),i=Math.ceil(t.max/Math.pow(10,e)),n=[],r=mt(s.min,Math.pow(10,Math.floor(gt(t.min)))),o=Math.floor(gt(r)),a=Math.floor(r/Math.pow(10,o)),l=o<0?Math.pow(10,Math.abs(o)):1;do n.push({value:r,major:Ya(r)}),++a,a===10&&(a=1,++o,l=o>=0?1:l),r=Math.round(a*Math.pow(10,o)*l)/l;while(o0?i:null}determineDataLimits(){let{min:t,max:e}=this.getMinMax(!0);this.min=K(t)?Math.max(0,t):null,this.max=K(e)?Math.max(0,e):null,this.options.beginAtZero&&(this._zero=!0),this.handleTickRangeOptions()}handleTickRangeOptions(){let{minDefined:t,maxDefined:e}=this.getUserBounds(),i=this.min,n=this.max,r=l=>i=t?i:l,o=l=>n=e?n:l,a=(l,c)=>Math.pow(10,Math.floor(gt(l))+c);i===n&&(i<=0?(r(1),o(10)):(r(a(i,-1)),o(a(n,1)))),i<=0&&r(a(n,-1)),n<=0&&o(a(i,1)),this._zero&&this.min!==this._suggestedMin&&i===a(this.min,0)&&r(a(i,-1)),this.min=i,this.max=n}buildTicks(){let t=this.options,e={min:this._userMin,max:this._userMax},i=Mf(e,this);return t.bounds==="ticks"&&Fn(i,this,"value"),t.reverse?(i.reverse(),this.start=this.max,this.end=this.min):(this.start=this.min,this.end=this.max),i}getLabelForValue(t){return t===void 0?"0":Ve(t,this.chart.options.locale,this.options.ticks.format)}configure(){let t=this.min;super.configure(),this._startValue=gt(t),this._valueRange=gt(this.max)-gt(t)}getPixelForValue(t){return(t===void 0||t===0)&&(t=this.min),t===null||isNaN(t)?NaN:this.getPixelForDecimal(t===this.min?0:(gt(t)-this._startValue)/this._valueRange)}getValueForPixel(t){let e=this.getDecimalForPixel(t);return Math.pow(10,this._startValue+e*this._valueRange)}};Ws.id="logarithmic";Ws.defaults={ticks:{callback:Xi.formatters.logarithmic,major:{enabled:!0}}};function vr(s){let t=s.ticks;if(t.display&&s.display){let e=at(t.backdropPadding);return C(t.font&&t.font.size,L.font.size)+e.height}return 0}function Tf(s,t,e){return e=$(e)?e:[e],{w:Yo(s,t.string,e),h:e.length*t.lineHeight}}function Za(s,t,e,i,n){return s===i||s===n?{start:t-e/2,end:t+e/2}:sn?{start:t-e,end:t}:{start:t,end:t+e}}function vf(s){let t={l:s.left+s._padding.left,r:s.right-s._padding.right,t:s.top+s._padding.top,b:s.bottom-s._padding.bottom},e=Object.assign({},t),i=[],n=[],r=s._pointLabels.length,o=s.options.pointLabels,a=o.centerPointLabels?Y/r:0;for(let l=0;lt.r&&(a=(i.end-t.r)/r,s.r=Math.max(s.r,t.r+a)),n.startt.b&&(l=(n.end-t.b)/o,s.b=Math.max(s.b,t.b+l))}function Df(s,t,e){let i=[],n=s._pointLabels.length,r=s.options,o=vr(r)/2,a=s.drawingArea,l=r.pointLabels.centerPointLabels?Y/n:0;for(let c=0;c270||e<90)&&(s-=t),s}function Ff(s,t){let{ctx:e,options:{pointLabels:i}}=s;for(let n=t-1;n>=0;n--){let r=i.setContext(s.getPointLabelContext(n)),o=st(r.font),{x:a,y:l,textAlign:c,left:h,top:u,right:d,bottom:f}=s._pointLabelItems[n],{backdropColor:m}=r;if(!N(m)){let g=se(r.borderRadius),p=at(r.backdropPadding);e.fillStyle=m;let y=h-p.left,b=u-p.top,_=d-h+p.width,w=f-u+p.height;Object.values(g).some(x=>x!==0)?(e.beginPath(),We(e,{x:y,y:b,w:_,h:w,radius:g}),e.fill()):e.fillRect(y,b,_,w)}ee(e,s._pointLabels[n],a,l+o.lineHeight/2,o,{color:r.color,textAlign:c,textBaseline:"middle"})}}function pl(s,t,e,i){let{ctx:n}=s;if(e)n.arc(s.xCenter,s.yCenter,t,0,B);else{let r=s.getPointPosition(0,t);n.moveTo(r.x,r.y);for(let o=1;o{let n=j(this.options.pointLabels.callback,[e,i],this);return n||n===0?n:""}).filter((e,i)=>this.chart.getDataVisibility(i))}fit(){let t=this.options;t.display&&t.pointLabels.display?vf(this):this.setCenterPoint(0,0,0,0)}setCenterPoint(t,e,i,n){this.xCenter+=Math.floor((t-e)/2),this.yCenter+=Math.floor((i-n)/2),this.drawingArea-=Math.min(this.drawingArea/2,Math.max(t,e,i,n))}getIndexAngle(t){let e=B/(this._pointLabels.length||1),i=this.options.startAngle||0;return ht(t*e+wt(i))}getDistanceFromCenterForValue(t){if(N(t))return NaN;let e=this.drawingArea/(this.max-this.min);return this.options.reverse?(this.max-t)*e:(t-this.min)*e}getValueForDistanceFromCenter(t){if(N(t))return NaN;let e=t/(this.drawingArea/(this.max-this.min));return this.options.reverse?this.max-e:this.min+e}getPointLabelContext(t){let e=this._pointLabels||[];if(t>=0&&t{if(h!==0){a=this.getDistanceFromCenterForValue(c.value);let u=n.setContext(this.getContext(h-1));Af(this,u,a,r)}}),i.display){for(t.save(),o=r-1;o>=0;o--){let c=i.setContext(this.getPointLabelContext(o)),{color:h,lineWidth:u}=c;!u||!h||(t.lineWidth=u,t.strokeStyle=h,t.setLineDash(c.borderDash),t.lineDashOffset=c.borderDashOffset,a=this.getDistanceFromCenterForValue(e.ticks.reverse?this.min:this.max),l=this.getPointPosition(o,a),t.beginPath(),t.moveTo(this.xCenter,this.yCenter),t.lineTo(l.x,l.y),t.stroke())}t.restore()}}drawBorder(){}drawLabels(){let t=this.ctx,e=this.options,i=e.ticks;if(!i.display)return;let n=this.getIndexAngle(0),r,o;t.save(),t.translate(this.xCenter,this.yCenter),t.rotate(n),t.textAlign="center",t.textBaseline="middle",this.ticks.forEach((a,l)=>{if(l===0&&!e.reverse)return;let c=i.setContext(this.getContext(l)),h=st(c.font);if(r=this.getDistanceFromCenterForValue(this.ticks[l].value),c.showLabelBackdrop){t.font=h.string,o=t.measureText(a.label).width,t.fillStyle=c.backdropColor;let u=at(c.backdropPadding);t.fillRect(-o/2-u.left,-r-h.size/2-u.top,o+u.width,h.size+u.height)}ee(t,a.label,0,-r,h,{color:c.color})}),t.restore()}drawTitle(){}};_e.id="radialLinear";_e.defaults={display:!0,animate:!0,position:"chartArea",angleLines:{display:!0,lineWidth:1,borderDash:[],borderDashOffset:0},grid:{circular:!1},startAngle:0,ticks:{showLabelBackdrop:!0,callback:Xi.formatters.numeric},pointLabels:{backdropColor:void 0,backdropPadding:2,display:!0,font:{size:10},callback(s){return s},padding:5,centerPointLabels:!1}};_e.defaultRoutes={"angleLines.color":"borderColor","pointLabels.color":"color","ticks.color":"color"};_e.descriptors={angleLines:{_fallback:"grid"}};var Ki={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}},ut=Object.keys(Ki);function Pf(s,t){return s-t}function qa(s,t){if(N(t))return null;let e=s._adapter,{parser:i,round:n,isoWeekday:r}=s._parseOpts,o=t;return typeof i=="function"&&(o=i(o)),K(o)||(o=typeof i=="string"?e.parse(o,i):e.parse(o)),o===null?null:(n&&(o=n==="week"&&(pe(r)||r===!0)?e.startOf(o,"isoWeek",r):e.startOf(o,n)),+o)}function Ga(s,t,e,i){let n=ut.length;for(let r=ut.indexOf(s);r=ut.indexOf(e);r--){let o=ut[r];if(Ki[o].common&&s._adapter.diff(n,i,o)>=t-1)return o}return ut[e?ut.indexOf(e):0]}function Nf(s){for(let t=ut.indexOf(s)+1,e=ut.length;t=t?e[i]:e[n];s[r]=!0}}function Wf(s,t,e,i){let n=s._adapter,r=+n.startOf(t[0].value,i),o=t[t.length-1].value,a,l;for(a=r;a<=o;a=+n.add(a,1,i))l=e[a],l>=0&&(t[l].major=!0);return t}function Ka(s,t,e){let i=[],n={},r=t.length,o,a;for(o=0;o+t.value))}initOffsets(t){let e=0,i=0,n,r;this.options.offset&&t.length&&(n=this.getDecimalForValue(t[0]),t.length===1?e=1-n:e=(this.getDecimalForValue(t[1])-n)/2,r=this.getDecimalForValue(t[t.length-1]),t.length===1?i=r:i=(r-this.getDecimalForValue(t[t.length-2]))/2);let o=t.length<3?.5:.25;e=it(e,0,o),i=it(i,0,o),this._offsets={start:e,end:i,factor:1/(e+1+i)}}_generate(){let t=this._adapter,e=this.min,i=this.max,n=this.options,r=n.time,o=r.unit||Ga(r.minUnit,e,i,this._getLabelCapacity(e)),a=C(r.stepSize,1),l=o==="week"?r.isoWeekday:!1,c=pe(l)||l===!0,h={},u=e,d,f;if(c&&(u=+t.startOf(u,"isoWeek",l)),u=+t.startOf(u,c?"day":o),t.diff(i,e,o)>1e5*a)throw new Error(e+" and "+i+" are too far apart with stepSize of "+a+" "+o);let m=n.ticks.source==="data"&&this.getDataTimestamps();for(d=u,f=0;dg-p).map(g=>+g)}getLabelForValue(t){let e=this._adapter,i=this.options.time;return i.tooltipFormat?e.format(t,i.tooltipFormat):e.format(t,i.displayFormats.datetime)}_tickFormatFunction(t,e,i,n){let r=this.options,o=r.time.displayFormats,a=this._unit,l=this._majorUnit,c=a&&o[a],h=l&&o[l],u=i[e],d=l&&h&&u&&u.major,f=this._adapter.format(t,n||(d?h:c)),m=r.ticks.callback;return m?j(m,[f,e,i],this):f}generateTickLabels(t){let e,i,n;for(e=0,i=t.length;e0?a:1}getDataTimestamps(){let t=this._cache.data||[],e,i;if(t.length)return t;let n=this.getMatchingVisibleMetas();if(this._normalized&&n.length)return this._cache.data=n[0].controller.getAllParsedValues(this);for(e=0,i=n.length;e=s[i].pos&&t<=s[n].pos&&({lo:i,hi:n}=Ft(s,"pos",t)),{pos:r,time:a}=s[i],{pos:o,time:l}=s[n]):(t>=s[i].time&&t<=s[n].time&&({lo:i,hi:n}=Ft(s,"time",t)),{time:r,pos:a}=s[i],{time:o,pos:l}=s[n]);let c=o-r;return c?a+(l-a)*(t-r)/c:a}var zs=class extends we{constructor(t){super(t),this._table=[],this._minPos=void 0,this._tableRange=void 0}initOffsets(){let t=this._getTimestampsForTable(),e=this._table=this.buildLookupTable(t);this._minPos=Bi(e,this.min),this._tableRange=Bi(e,this.max)-this._minPos,super.initOffsets(t)}buildLookupTable(t){let{min:e,max:i}=this,n=[],r=[],o,a,l,c,h;for(o=0,a=t.length;o=e&&c<=i&&n.push(c);if(n.length<2)return[{time:e,pos:0},{time:i,pos:1}];for(o=0,a=n.length;o=0?m:1e3+m,(d-f)/(60*1e3)}equals(t){return t.type==="iana"&&t.name===this.name}get isValid(){return this.valid}};var bl={};function jf(s,t={}){let e=JSON.stringify([s,t]),i=bl[e];return i||(i=new Intl.ListFormat(s,t),bl[e]=i),i}var Fr={};function Ar(s,t={}){let e=JSON.stringify([s,t]),i=Fr[e];return i||(i=new Intl.DateTimeFormat(s,t),Fr[e]=i),i}var Lr={};function Uf(s,t={}){let e=JSON.stringify([s,t]),i=Lr[e];return i||(i=new Intl.NumberFormat(s,t),Lr[e]=i),i}var Pr={};function Yf(s,t={}){let{base:e,...i}=t,n=JSON.stringify([s,i]),r=Pr[n];return r||(r=new Intl.RelativeTimeFormat(s,t),Pr[n]=r),r}var oi=null;function Zf(){return oi||(oi=new Intl.DateTimeFormat().resolvedOptions().locale,oi)}var xl={};function qf(s){let t=xl[s];if(!t){let e=new Intl.Locale(s);t="getWeekInfo"in e?e.getWeekInfo():e.weekInfo,xl[s]=t}return t}function Gf(s){let t=s.indexOf("-x-");t!==-1&&(s=s.substring(0,t));let e=s.indexOf("-u-");if(e===-1)return[s];{let i,n;try{i=Ar(s).resolvedOptions(),n=s}catch{let l=s.substring(0,e);i=Ar(l).resolvedOptions(),n=l}let{numberingSystem:r,calendar:o}=i;return[n,r,o]}}function Xf(s,t,e){return(e||t)&&(s.includes("-u-")||(s+="-u"),e&&(s+=`-ca-${e}`),t&&(s+=`-nu-${t}`)),s}function Kf(s){let t=[];for(let e=1;e<=12;e++){let i=T.utc(2009,e,1);t.push(s(i))}return t}function Jf(s){let t=[];for(let e=1;e<=7;e++){let i=T.utc(2016,11,13+e);t.push(s(i))}return t}function on(s,t,e,i){let n=s.listingMode();return n==="error"?null:n==="en"?e(t):i(t)}function Qf(s){return s.numberingSystem&&s.numberingSystem!=="latn"?!1:s.numberingSystem==="latn"||!s.locale||s.locale.startsWith("en")||new Intl.DateTimeFormat(s.intl).resolvedOptions().numberingSystem==="latn"}var Rr=class{constructor(t,e,i){this.padTo=i.padTo||0,this.floor=i.floor||!1;let{padTo:n,floor:r,...o}=i;if(!e||Object.keys(o).length>0){let a={useGrouping:!1,...i};i.padTo>0&&(a.minimumIntegerDigits=i.padTo),this.inf=Uf(t,a)}}format(t){if(this.inf){let e=this.floor?Math.floor(t):t;return this.inf.format(e)}else{let e=this.floor?Math.floor(t):ss(t,3);return q(e,this.padTo)}}},Nr=class{constructor(t,e,i){this.opts=i,this.originalZone=void 0;let n;if(this.opts.timeZone)this.dt=t;else if(t.zone.type==="fixed"){let o=-1*(t.offset/60),a=o>=0?`Etc/GMT+${o}`:`Etc/GMT${o}`;t.offset!==0&&nt.create(a).valid?(n=a,this.dt=t):(n="UTC",this.dt=t.offset===0?t:t.setZone("UTC").plus({minutes:t.offset}),this.originalZone=t.zone)}else t.zone.type==="system"?this.dt=t:t.zone.type==="iana"?(this.dt=t,n=t.zone.name):(n="UTC",this.dt=t.setZone("UTC").plus({minutes:t.offset}),this.originalZone=t.zone);let r={...this.opts};r.timeZone=r.timeZone||n,this.dtf=Ar(e,r)}format(){return this.originalZone?this.formatToParts().map(({value:t})=>t).join(""):this.dtf.format(this.dt.toJSDate())}formatToParts(){let t=this.dtf.formatToParts(this.dt.toJSDate());return this.originalZone?t.map(e=>{if(e.type==="timeZoneName"){let i=this.originalZone.offsetName(this.dt.ts,{locale:this.dt.locale,format:this.opts.timeZoneName});return{...e,value:i}}else return e}):t}resolvedOptions(){return this.dtf.resolvedOptions()}},Wr=class{constructor(t,e,i){this.opts={style:"long",...i},!e&&an()&&(this.rtf=Yf(t,i))}format(t,e){return this.rtf?this.rtf.format(t,e):_l(e,t,this.opts.numeric,this.opts.style!=="long")}formatToParts(t,e){return this.rtf?this.rtf.formatToParts(t,e):[]}},tm={firstDay:1,minimalDays:4,weekend:[6,7]},P=class{static fromOpts(t){return P.create(t.locale,t.numberingSystem,t.outputCalendar,t.weekSettings,t.defaultToEN)}static create(t,e,i,n,r=!1){let o=t||z.defaultLocale,a=o||(r?"en-US":Zf()),l=e||z.defaultNumberingSystem,c=i||z.defaultOutputCalendar,h=ai(n)||z.defaultWeekSettings;return new P(a,l,c,h,o)}static resetCache(){oi=null,Fr={},Lr={},Pr={}}static fromObject({locale:t,numberingSystem:e,outputCalendar:i,weekSettings:n}={}){return P.create(t,e,i,n)}constructor(t,e,i,n,r){let[o,a,l]=Gf(t);this.locale=o,this.numberingSystem=e||a||null,this.outputCalendar=i||l||null,this.weekSettings=n,this.intl=Xf(this.locale,this.numberingSystem,this.outputCalendar),this.weekdaysCache={format:{},standalone:{}},this.monthsCache={format:{},standalone:{}},this.meridiemCache=null,this.eraCache={},this.specifiedLocale=r,this.fastNumbersCached=null}get fastNumbers(){return this.fastNumbersCached==null&&(this.fastNumbersCached=Qf(this)),this.fastNumbersCached}listingMode(){let t=this.isEnglish(),e=(this.numberingSystem===null||this.numberingSystem==="latn")&&(this.outputCalendar===null||this.outputCalendar==="gregory");return t&&e?"en":"intl"}clone(t){return!t||Object.getOwnPropertyNames(t).length===0?this:P.create(t.locale||this.specifiedLocale,t.numberingSystem||this.numberingSystem,t.outputCalendar||this.outputCalendar,ai(t.weekSettings)||this.weekSettings,t.defaultToEN||!1)}redefaultToEN(t={}){return this.clone({...t,defaultToEN:!0})}redefaultToSystem(t={}){return this.clone({...t,defaultToEN:!1})}months(t,e=!1){return on(this,t,zr,()=>{let i=e?{month:t,day:"numeric"}:{month:t},n=e?"format":"standalone";return this.monthsCache[n][t]||(this.monthsCache[n][t]=Kf(r=>this.extract(r,i,"month"))),this.monthsCache[n][t]})}weekdays(t,e=!1){return on(this,t,Vr,()=>{let i=e?{weekday:t,year:"numeric",month:"long",day:"numeric"}:{weekday:t},n=e?"format":"standalone";return this.weekdaysCache[n][t]||(this.weekdaysCache[n][t]=Jf(r=>this.extract(r,i,"weekday"))),this.weekdaysCache[n][t]})}meridiems(){return on(this,void 0,()=>Hr,()=>{if(!this.meridiemCache){let t={hour:"numeric",hourCycle:"h12"};this.meridiemCache=[T.utc(2016,11,13,9),T.utc(2016,11,13,19)].map(e=>this.extract(e,t,"dayperiod"))}return this.meridiemCache})}eras(t){return on(this,t,Br,()=>{let e={era:t};return this.eraCache[t]||(this.eraCache[t]=[T.utc(-40,1,1),T.utc(2017,1,1)].map(i=>this.extract(i,e,"era"))),this.eraCache[t]})}extract(t,e,i){let n=this.dtFormatter(t,e),r=n.formatToParts(),o=r.find(a=>a.type.toLowerCase()===i);return o?o.value:null}numberFormatter(t={}){return new Rr(this.intl,t.forceSimple||this.fastNumbers,t)}dtFormatter(t,e={}){return new Nr(t,this.intl,e)}relFormatter(t={}){return new Wr(this.intl,this.isEnglish(),t)}listFormatter(t={}){return jf(this.intl,t)}isEnglish(){return this.locale==="en"||this.locale.toLowerCase()==="en-us"||new Intl.DateTimeFormat(this.intl).resolvedOptions().locale.startsWith("en-us")}getWeekSettings(){return this.weekSettings?this.weekSettings:ln()?qf(this.locale):tm}getStartOfWeek(){return this.getWeekSettings().firstDay}getMinDaysInFirstWeek(){return this.getWeekSettings().minimalDays}getWeekendDays(){return this.getWeekSettings().weekend}equals(t){return this.locale===t.locale&&this.numberingSystem===t.numberingSystem&&this.outputCalendar===t.outputCalendar}toString(){return`Locale(${this.locale}, ${this.numberingSystem}, ${this.outputCalendar})`}};var jr=null,G=class extends dt{static get utcInstance(){return jr===null&&(jr=new G(0)),jr}static instance(t){return t===0?G.utcInstance:new G(t)}static parseSpecifier(t){if(t){let e=t.match(/^utc(?:([+-]\d{1,2})(?::(\d{2}))?)?$/i);if(e)return new G(Se(e[1],e[2]))}return null}constructor(t){super(),this.fixed=t}get type(){return"fixed"}get name(){return this.fixed===0?"UTC":`UTC${le(this.fixed,"narrow")}`}get ianaName(){return this.fixed===0?"Etc/UTC":`Etc/GMT${le(-this.fixed,"narrow")}`}offsetName(){return this.name}formatOffset(t,e){return le(this.fixed,e)}get isUniversal(){return!0}offset(){return this.fixed}equals(t){return t.type==="fixed"&&t.fixed===this.fixed}get isValid(){return!0}};var is=class extends dt{constructor(t){super(),this.zoneName=t}get type(){return"invalid"}get name(){return this.zoneName}get isUniversal(){return!1}offsetName(){return null}formatOffset(){return""}offset(){return NaN}equals(){return!1}get isValid(){return!1}};function Et(s,t){let e;if(D(s)||s===null)return t;if(s instanceof dt)return s;if(wl(s)){let i=s.toLowerCase();return i==="default"?t:i==="local"||i==="system"?zt.instance:i==="utc"||i==="gmt"?G.utcInstance:G.parseSpecifier(i)||nt.create(s)}else return Ct(s)?G.instance(s):typeof s=="object"&&"offset"in s&&typeof s.offset=="function"?s:new is(s)}var Ur={arab:"[\u0660-\u0669]",arabext:"[\u06F0-\u06F9]",bali:"[\u1B50-\u1B59]",beng:"[\u09E6-\u09EF]",deva:"[\u0966-\u096F]",fullwide:"[\uFF10-\uFF19]",gujr:"[\u0AE6-\u0AEF]",hanidec:"[\u3007|\u4E00|\u4E8C|\u4E09|\u56DB|\u4E94|\u516D|\u4E03|\u516B|\u4E5D]",khmr:"[\u17E0-\u17E9]",knda:"[\u0CE6-\u0CEF]",laoo:"[\u0ED0-\u0ED9]",limb:"[\u1946-\u194F]",mlym:"[\u0D66-\u0D6F]",mong:"[\u1810-\u1819]",mymr:"[\u1040-\u1049]",orya:"[\u0B66-\u0B6F]",tamldec:"[\u0BE6-\u0BEF]",telu:"[\u0C66-\u0C6F]",thai:"[\u0E50-\u0E59]",tibt:"[\u0F20-\u0F29]",latn:"\\d"},Sl={arab:[1632,1641],arabext:[1776,1785],bali:[6992,7001],beng:[2534,2543],deva:[2406,2415],fullwide:[65296,65303],gujr:[2790,2799],khmr:[6112,6121],knda:[3302,3311],laoo:[3792,3801],limb:[6470,6479],mlym:[3430,3439],mong:[6160,6169],mymr:[4160,4169],orya:[2918,2927],tamldec:[3046,3055],telu:[3174,3183],thai:[3664,3673],tibt:[3872,3881]},em=Ur.hanidec.replace(/[\[|\]]/g,"").split("");function kl(s){let t=parseInt(s,10);if(isNaN(t)){t="";for(let e=0;e=r&&i<=o&&(t+=i-r)}}return parseInt(t,10)}else return t}var ns={};function Ml(){ns={}}function St({numberingSystem:s},t=""){let e=s||"latn";return ns[e]||(ns[e]={}),ns[e][t]||(ns[e][t]=new RegExp(`${Ur[e]}${t}`)),ns[e][t]}var Tl=()=>Date.now(),vl="system",Ol=null,Dl=null,El=null,Cl=60,Il,Fl=null,z=class{static get now(){return Tl}static set now(t){Tl=t}static set defaultZone(t){vl=t}static get defaultZone(){return Et(vl,zt.instance)}static get defaultLocale(){return Ol}static set defaultLocale(t){Ol=t}static get defaultNumberingSystem(){return Dl}static set defaultNumberingSystem(t){Dl=t}static get defaultOutputCalendar(){return El}static set defaultOutputCalendar(t){El=t}static get defaultWeekSettings(){return Fl}static set defaultWeekSettings(t){Fl=ai(t)}static get twoDigitCutoffYear(){return Cl}static set twoDigitCutoffYear(t){Cl=t%100}static get throwOnInvalid(){return Il}static set throwOnInvalid(t){Il=t}static resetCaches(){P.resetCache(),nt.resetCache(),T.resetCache(),Ml()}};var rt=class{constructor(t,e){this.reason=t,this.explanation=e}toMessage(){return this.explanation?`${this.reason}: ${this.explanation}`:this.reason}};var Al=[0,31,59,90,120,151,181,212,243,273,304,334],Ll=[0,31,60,91,121,152,182,213,244,274,305,335];function kt(s,t){return new rt("unit out of range",`you specified ${t} (of type ${typeof t}) as a ${s}, which is invalid`)}function cn(s,t,e){let i=new Date(Date.UTC(s,t-1,e));s<100&&s>=0&&i.setUTCFullYear(i.getUTCFullYear()-1900);let n=i.getUTCDay();return n===0?7:n}function Pl(s,t,e){return e+(Me(s)?Ll:Al)[t-1]}function Rl(s,t){let e=Me(s)?Ll:Al,i=e.findIndex(r=>rke(i,t,e)?(c=i+1,l=1):c=i,{weekYear:c,weekNumber:l,weekday:a,...hi(s)}}function Yr(s,t=4,e=1){let{weekYear:i,weekNumber:n,weekday:r}=s,o=hn(cn(i,1,t),e),a=ce(i),l=n*7+r-o-7+t,c;l<1?(c=i-1,l+=ce(c)):l>a?(c=i+1,l-=ce(i)):c=i;let{month:h,day:u}=Rl(c,l);return{year:c,month:h,day:u,...hi(s)}}function un(s){let{year:t,month:e,day:i}=s,n=Pl(t,e,i);return{year:t,ordinal:n,...hi(s)}}function Zr(s){let{year:t,ordinal:e}=s,{month:i,day:n}=Rl(t,e);return{year:t,month:i,day:n,...hi(s)}}function qr(s,t){if(!D(s.localWeekday)||!D(s.localWeekNumber)||!D(s.localWeekYear)){if(!D(s.weekday)||!D(s.weekNumber)||!D(s.weekYear))throw new vt("Cannot mix locale-based week fields with ISO-based week fields");return D(s.localWeekday)||(s.weekday=s.localWeekday),D(s.localWeekNumber)||(s.weekNumber=s.localWeekNumber),D(s.localWeekYear)||(s.weekYear=s.localWeekYear),delete s.localWeekday,delete s.localWeekNumber,delete s.localWeekYear,{minDaysInFirstWeek:t.getMinDaysInFirstWeek(),startOfWeek:t.getStartOfWeek()}}else return{minDaysInFirstWeek:4,startOfWeek:1}}function Nl(s,t=4,e=1){let i=ci(s.weekYear),n=xt(s.weekNumber,1,ke(s.weekYear,t,e)),r=xt(s.weekday,1,7);return i?n?r?!1:kt("weekday",s.weekday):kt("week",s.weekNumber):kt("weekYear",s.weekYear)}function Wl(s){let t=ci(s.year),e=xt(s.ordinal,1,ce(s.year));return t?e?!1:kt("ordinal",s.ordinal):kt("year",s.year)}function Gr(s){let t=ci(s.year),e=xt(s.month,1,12),i=xt(s.day,1,rs(s.year,s.month));return t?e?i?!1:kt("day",s.day):kt("month",s.month):kt("year",s.year)}function Xr(s){let{hour:t,minute:e,second:i,millisecond:n}=s,r=xt(t,0,23)||t===24&&e===0&&i===0&&n===0,o=xt(e,0,59),a=xt(i,0,59),l=xt(n,0,999);return r?o?a?l?!1:kt("millisecond",n):kt("second",i):kt("minute",e):kt("hour",t)}function D(s){return typeof s>"u"}function Ct(s){return typeof s=="number"}function ci(s){return typeof s=="number"&&s%1===0}function wl(s){return typeof s=="string"}function Vl(s){return Object.prototype.toString.call(s)==="[object Date]"}function an(){try{return typeof Intl<"u"&&!!Intl.RelativeTimeFormat}catch{return!1}}function ln(){try{return typeof Intl<"u"&&!!Intl.Locale&&("weekInfo"in Intl.Locale.prototype||"getWeekInfo"in Intl.Locale.prototype)}catch{return!1}}function Hl(s){return Array.isArray(s)?s:[s]}function Kr(s,t,e){if(s.length!==0)return s.reduce((i,n)=>{let r=[t(n),n];return i&&e(i[0],r[0])===i[0]?i:r},null)[1]}function Bl(s,t){return t.reduce((e,i)=>(e[i]=s[i],e),{})}function he(s,t){return Object.prototype.hasOwnProperty.call(s,t)}function ai(s){if(s==null)return null;if(typeof s!="object")throw new J("Week settings must be an object");if(!xt(s.firstDay,1,7)||!xt(s.minimalDays,1,7)||!Array.isArray(s.weekend)||s.weekend.some(t=>!xt(t,1,7)))throw new J("Invalid week settings");return{firstDay:s.firstDay,minimalDays:s.minimalDays,weekend:Array.from(s.weekend)}}function xt(s,t,e){return ci(s)&&s>=t&&s<=e}function sm(s,t){return s-t*Math.floor(s/t)}function q(s,t=2){let e=s<0,i;return e?i="-"+(""+-s).padStart(t,"0"):i=(""+s).padStart(t,"0"),i}function qt(s){if(!(D(s)||s===null||s===""))return parseInt(s,10)}function ue(s){if(!(D(s)||s===null||s===""))return parseFloat(s)}function ui(s){if(!(D(s)||s===null||s==="")){let t=parseFloat("0."+s)*1e3;return Math.floor(t)}}function ss(s,t,e=!1){let i=10**t;return(e?Math.trunc:Math.round)(s*i)/i}function Me(s){return s%4===0&&(s%100!==0||s%400===0)}function ce(s){return Me(s)?366:365}function rs(s,t){let e=sm(t-1,12)+1,i=s+(t-e)/12;return e===2?Me(i)?29:28:[31,null,31,30,31,30,31,31,30,31,30,31][e-1]}function es(s){let t=Date.UTC(s.year,s.month-1,s.day,s.hour,s.minute,s.second,s.millisecond);return s.year<100&&s.year>=0&&(t=new Date(t),t.setUTCFullYear(s.year,s.month-1,s.day)),+t}function zl(s,t,e){return-hn(cn(s,1,t),e)+t-1}function ke(s,t=4,e=1){let i=zl(s,t,e),n=zl(s+1,t,e);return(ce(s)-i+n)/7}function di(s){return s>99?s:s>z.twoDigitCutoffYear?1900+s:2e3+s}function sn(s,t,e,i=null){let n=new Date(s),r={hourCycle:"h23",year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit"};i&&(r.timeZone=i);let o={timeZoneName:t,...r},a=new Intl.DateTimeFormat(e,o).formatToParts(n).find(l=>l.type.toLowerCase()==="timezonename");return a?a.value:null}function Se(s,t){let e=parseInt(s,10);Number.isNaN(e)&&(e=0);let i=parseInt(t,10)||0,n=e<0||Object.is(e,-0)?-i:i;return e*60+n}function Jr(s){let t=Number(s);if(typeof s=="boolean"||s===""||Number.isNaN(t))throw new J(`Invalid unit value ${s}`);return t}function os(s,t){let e={};for(let i in s)if(he(s,i)){let n=s[i];if(n==null)continue;e[t(i)]=Jr(n)}return e}function le(s,t){let e=Math.trunc(Math.abs(s/60)),i=Math.trunc(Math.abs(s%60)),n=s>=0?"+":"-";switch(t){case"short":return`${n}${q(e,2)}:${q(i,2)}`;case"narrow":return`${n}${e}${i>0?`:${i}`:""}`;case"techie":return`${n}${q(e,2)}${q(i,2)}`;default:throw new RangeError(`Value format ${t} is out of range for property format`)}}function hi(s){return Bl(s,["hour","minute","second","millisecond"])}var im=["January","February","March","April","May","June","July","August","September","October","November","December"],Qr=["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],nm=["J","F","M","A","M","J","J","A","S","O","N","D"];function zr(s){switch(s){case"narrow":return[...nm];case"short":return[...Qr];case"long":return[...im];case"numeric":return["1","2","3","4","5","6","7","8","9","10","11","12"];case"2-digit":return["01","02","03","04","05","06","07","08","09","10","11","12"];default:return null}}var to=["Monday","Tuesday","Wednesday","Thursday","Friday","Saturday","Sunday"],eo=["Mon","Tue","Wed","Thu","Fri","Sat","Sun"],rm=["M","T","W","T","F","S","S"];function Vr(s){switch(s){case"narrow":return[...rm];case"short":return[...eo];case"long":return[...to];case"numeric":return["1","2","3","4","5","6","7"];default:return null}}var Hr=["AM","PM"],om=["Before Christ","Anno Domini"],am=["BC","AD"],lm=["B","A"];function Br(s){switch(s){case"narrow":return[...lm];case"short":return[...am];case"long":return[...om];default:return null}}function $l(s){return Hr[s.hour<12?0:1]}function jl(s,t){return Vr(t)[s.weekday-1]}function Ul(s,t){return zr(t)[s.month-1]}function Yl(s,t){return Br(t)[s.year<0?0:1]}function _l(s,t,e="always",i=!1){let n={years:["year","yr."],quarters:["quarter","qtr."],months:["month","mo."],weeks:["week","wk."],days:["day","day","days"],hours:["hour","hr."],minutes:["minute","min."],seconds:["second","sec."]},r=["hours","minutes","seconds"].indexOf(s)===-1;if(e==="auto"&&r){let u=s==="days";switch(t){case 1:return u?"tomorrow":`next ${n[s][0]}`;case-1:return u?"yesterday":`last ${n[s][0]}`;case 0:return u?"today":`this ${n[s][0]}`;default:}}let o=Object.is(t,-0)||t<0,a=Math.abs(t),l=a===1,c=n[s],h=i?l?c[1]:c[2]||c[1]:l?n[s][0]:s;return o?`${a} ${h} ago`:`in ${a} ${h}`}function Zl(s,t){let e="";for(let i of s)i.literal?e+=i.val:e+=t(i.val);return e}var cm={D:ae,DD:Hs,DDD:Bs,DDDD:$s,t:js,tt:Us,ttt:Ys,tttt:Zs,T:qs,TT:Gs,TTT:Xs,TTTT:Ks,f:Js,ff:ti,fff:si,ffff:ni,F:Qs,FF:ei,FFF:ii,FFFF:ri},X=class{static create(t,e={}){return new X(t,e)}static parseFormat(t){let e=null,i="",n=!1,r=[];for(let o=0;o0&&r.push({literal:n||/^\s+$/.test(i),val:i}),e=null,i="",n=!n):n||a===e?i+=a:(i.length>0&&r.push({literal:/^\s+$/.test(i),val:i}),i=a,e=a)}return i.length>0&&r.push({literal:n||/^\s+$/.test(i),val:i}),r}static macroTokenToFormatOpts(t){return cm[t]}constructor(t,e){this.opts=e,this.loc=t,this.systemLoc=null}formatWithSystemDefault(t,e){return this.systemLoc===null&&(this.systemLoc=this.loc.redefaultToSystem()),this.systemLoc.dtFormatter(t,{...this.opts,...e}).format()}dtFormatter(t,e={}){return this.loc.dtFormatter(t,{...this.opts,...e})}formatDateTime(t,e){return this.dtFormatter(t,e).format()}formatDateTimeParts(t,e){return this.dtFormatter(t,e).formatToParts()}formatInterval(t,e){return this.dtFormatter(t.start,e).dtf.formatRange(t.start.toJSDate(),t.end.toJSDate())}resolvedOptions(t,e){return this.dtFormatter(t,e).resolvedOptions()}num(t,e=0){if(this.opts.forceSimple)return q(t,e);let i={...this.opts};return e>0&&(i.padTo=e),this.loc.numberFormatter(i).format(t)}formatDateTimeFromString(t,e){let i=this.loc.listingMode()==="en",n=this.loc.outputCalendar&&this.loc.outputCalendar!=="gregory",r=(f,m)=>this.loc.extract(t,f,m),o=f=>t.isOffsetFixed&&t.offset===0&&f.allowZ?"Z":t.isValid?t.zone.formatOffset(t.ts,f.format):"",a=()=>i?$l(t):r({hour:"numeric",hourCycle:"h12"},"dayperiod"),l=(f,m)=>i?Ul(t,f):r(m?{month:f}:{month:f,day:"numeric"},"month"),c=(f,m)=>i?jl(t,f):r(m?{weekday:f}:{weekday:f,month:"long",day:"numeric"},"weekday"),h=f=>{let m=X.macroTokenToFormatOpts(f);return m?this.formatWithSystemDefault(t,m):f},u=f=>i?Yl(t,f):r({era:f},"era"),d=f=>{switch(f){case"S":return this.num(t.millisecond);case"u":case"SSS":return this.num(t.millisecond,3);case"s":return this.num(t.second);case"ss":return this.num(t.second,2);case"uu":return this.num(Math.floor(t.millisecond/10),2);case"uuu":return this.num(Math.floor(t.millisecond/100));case"m":return this.num(t.minute);case"mm":return this.num(t.minute,2);case"h":return this.num(t.hour%12===0?12:t.hour%12);case"hh":return this.num(t.hour%12===0?12:t.hour%12,2);case"H":return this.num(t.hour);case"HH":return this.num(t.hour,2);case"Z":return o({format:"narrow",allowZ:this.opts.allowZ});case"ZZ":return o({format:"short",allowZ:this.opts.allowZ});case"ZZZ":return o({format:"techie",allowZ:this.opts.allowZ});case"ZZZZ":return t.zone.offsetName(t.ts,{format:"short",locale:this.loc.locale});case"ZZZZZ":return t.zone.offsetName(t.ts,{format:"long",locale:this.loc.locale});case"z":return t.zoneName;case"a":return a();case"d":return n?r({day:"numeric"},"day"):this.num(t.day);case"dd":return n?r({day:"2-digit"},"day"):this.num(t.day,2);case"c":return this.num(t.weekday);case"ccc":return c("short",!0);case"cccc":return c("long",!0);case"ccccc":return c("narrow",!0);case"E":return this.num(t.weekday);case"EEE":return c("short",!1);case"EEEE":return c("long",!1);case"EEEEE":return c("narrow",!1);case"L":return n?r({month:"numeric",day:"numeric"},"month"):this.num(t.month);case"LL":return n?r({month:"2-digit",day:"numeric"},"month"):this.num(t.month,2);case"LLL":return l("short",!0);case"LLLL":return l("long",!0);case"LLLLL":return l("narrow",!0);case"M":return n?r({month:"numeric"},"month"):this.num(t.month);case"MM":return n?r({month:"2-digit"},"month"):this.num(t.month,2);case"MMM":return l("short",!1);case"MMMM":return l("long",!1);case"MMMMM":return l("narrow",!1);case"y":return n?r({year:"numeric"},"year"):this.num(t.year);case"yy":return n?r({year:"2-digit"},"year"):this.num(t.year.toString().slice(-2),2);case"yyyy":return n?r({year:"numeric"},"year"):this.num(t.year,4);case"yyyyyy":return n?r({year:"numeric"},"year"):this.num(t.year,6);case"G":return u("short");case"GG":return u("long");case"GGGGG":return u("narrow");case"kk":return this.num(t.weekYear.toString().slice(-2),2);case"kkkk":return this.num(t.weekYear,4);case"W":return this.num(t.weekNumber);case"WW":return this.num(t.weekNumber,2);case"n":return this.num(t.localWeekNumber);case"nn":return this.num(t.localWeekNumber,2);case"ii":return this.num(t.localWeekYear.toString().slice(-2),2);case"iiii":return this.num(t.localWeekYear,4);case"o":return this.num(t.ordinal);case"ooo":return this.num(t.ordinal,3);case"q":return this.num(t.quarter);case"qq":return this.num(t.quarter,2);case"X":return this.num(Math.floor(t.ts/1e3));case"x":return this.num(t.ts);default:return h(f)}};return Zl(X.parseFormat(e),d)}formatDurationFromString(t,e){let i=l=>{switch(l[0]){case"S":return"millisecond";case"s":return"second";case"m":return"minute";case"h":return"hour";case"d":return"day";case"w":return"week";case"M":return"month";case"y":return"year";default:return null}},n=l=>c=>{let h=i(c);return h?this.num(l.get(h),c.length):c},r=X.parseFormat(e),o=r.reduce((l,{literal:c,val:h})=>c?l:l.concat(h),[]),a=t.shiftTo(...o.map(i).filter(l=>l));return Zl(r,n(a))}};var Gl=/[A-Za-z_+-]{1,256}(?::?\/[A-Za-z0-9_+-]{1,256}(?:\/[A-Za-z0-9_+-]{1,256})?)?/;function ls(...s){let t=s.reduce((e,i)=>e+i.source,"");return RegExp(`^${t}$`)}function cs(...s){return t=>s.reduce(([e,i,n],r)=>{let[o,a,l]=r(t,n);return[{...e,...o},a||i,l]},[{},null,1]).slice(0,2)}function hs(s,...t){if(s==null)return[null,null];for(let[e,i]of t){let n=e.exec(s);if(n)return i(n)}return[null,null]}function Xl(...s){return(t,e)=>{let i={},n;for(n=0;nf!==void 0&&(m||f&&h)?-f:f;return[{years:d(ue(e)),months:d(ue(i)),weeks:d(ue(n)),days:d(ue(r)),hours:d(ue(o)),minutes:d(ue(a)),seconds:d(ue(l),l==="-0"),milliseconds:d(ui(c),u)}]}var Sm={GMT:0,EDT:-4*60,EST:-5*60,CDT:-5*60,CST:-6*60,MDT:-6*60,MST:-7*60,PDT:-7*60,PST:-8*60};function no(s,t,e,i,n,r,o){let a={year:t.length===2?di(qt(t)):qt(t),month:Qr.indexOf(e)+1,day:qt(i),hour:qt(n),minute:qt(r)};return o&&(a.second=qt(o)),s&&(a.weekday=s.length>3?to.indexOf(s)+1:eo.indexOf(s)+1),a}var km=/^(?:(Mon|Tue|Wed|Thu|Fri|Sat|Sun),\s)?(\d{1,2})\s(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)\s(\d{2,4})\s(\d\d):(\d\d)(?::(\d\d))?\s(?:(UT|GMT|[ECMP][SD]T)|([Zz])|(?:([+-]\d\d)(\d\d)))$/;function Mm(s){let[,t,e,i,n,r,o,a,l,c,h,u]=s,d=no(t,n,i,e,r,o,a),f;return l?f=Sm[l]:c?f=0:f=Se(h,u),[d,new G(f)]}function Tm(s){return s.replace(/\([^()]*\)|[\n\t]/g," ").replace(/(\s\s+)/g," ").trim()}var vm=/^(Mon|Tue|Wed|Thu|Fri|Sat|Sun), (\d\d) (Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec) (\d{4}) (\d\d):(\d\d):(\d\d) GMT$/,Om=/^(Monday|Tuesday|Wednesday|Thursday|Friday|Saturday|Sunday), (\d\d)-(Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec)-(\d\d) (\d\d):(\d\d):(\d\d) GMT$/,Dm=/^(Mon|Tue|Wed|Thu|Fri|Sat|Sun) (Jan|Feb|Mar|Apr|May|Jun|Jul|Aug|Sep|Oct|Nov|Dec) ( \d|\d\d) (\d\d):(\d\d):(\d\d) (\d{4})$/;function ql(s){let[,t,e,i,n,r,o,a]=s;return[no(t,n,i,e,r,o,a),G.utcInstance]}function Em(s){let[,t,e,i,n,r,o,a]=s;return[no(t,a,e,i,n,r,o),G.utcInstance]}var Cm=ls(um,io),Im=ls(dm,io),Fm=ls(fm,io),Am=ls(Jl),tc=cs(bm,us,fi,mi),Lm=cs(mm,us,fi,mi),Pm=cs(gm,us,fi,mi),Rm=cs(us,fi,mi);function ec(s){return hs(s,[Cm,tc],[Im,Lm],[Fm,Pm],[Am,Rm])}function sc(s){return hs(Tm(s),[km,Mm])}function ic(s){return hs(s,[vm,ql],[Om,ql],[Dm,Em])}function nc(s){return hs(s,[_m,wm])}var Nm=cs(us);function rc(s){return hs(s,[xm,Nm])}var Wm=ls(pm,ym),zm=ls(Ql),Vm=cs(us,fi,mi);function oc(s){return hs(s,[Wm,tc],[zm,Vm])}var ac="Invalid Duration",cc={weeks:{days:7,hours:7*24,minutes:7*24*60,seconds:7*24*60*60,milliseconds:7*24*60*60*1e3},days:{hours:24,minutes:24*60,seconds:24*60*60,milliseconds:24*60*60*1e3},hours:{minutes:60,seconds:60*60,milliseconds:60*60*1e3},minutes:{seconds:60,milliseconds:60*1e3},seconds:{milliseconds:1e3}},Hm={years:{quarters:4,months:12,weeks:52,days:365,hours:365*24,minutes:365*24*60,seconds:365*24*60*60,milliseconds:365*24*60*60*1e3},quarters:{months:3,weeks:13,days:91,hours:91*24,minutes:91*24*60,seconds:91*24*60*60,milliseconds:91*24*60*60*1e3},months:{weeks:4,days:30,hours:30*24,minutes:30*24*60,seconds:30*24*60*60,milliseconds:30*24*60*60*1e3},...cc},Mt=146097/400,ds=146097/4800,Bm={years:{quarters:4,months:12,weeks:Mt/7,days:Mt,hours:Mt*24,minutes:Mt*24*60,seconds:Mt*24*60*60,milliseconds:Mt*24*60*60*1e3},quarters:{months:3,weeks:Mt/28,days:Mt/4,hours:Mt*24/4,minutes:Mt*24*60/4,seconds:Mt*24*60*60/4,milliseconds:Mt*24*60*60*1e3/4},months:{weeks:ds/7,days:ds,hours:ds*24,minutes:ds*24*60,seconds:ds*24*60*60,milliseconds:ds*24*60*60*1e3},...cc},Te=["years","quarters","months","weeks","days","hours","minutes","seconds","milliseconds"],$m=Te.slice(0).reverse();function de(s,t,e=!1){let i={values:e?t.values:{...s.values,...t.values||{}},loc:s.loc.clone(t.loc),conversionAccuracy:t.conversionAccuracy||s.conversionAccuracy,matrix:t.matrix||s.matrix};return new I(i)}function hc(s,t){let e=t.milliseconds??0;for(let i of $m.slice(1))t[i]&&(e+=t[i]*s[i].milliseconds);return e}function lc(s,t){let e=hc(s,t)<0?-1:1;Te.reduceRight((i,n)=>{if(D(t[n]))return i;if(i){let r=t[i]*e,o=s[n][i],a=Math.floor(r/o);t[n]+=a*e,t[i]-=a*o*e}return n},null),Te.reduce((i,n)=>{if(D(t[n]))return i;if(i){let r=t[i]%1;t[i]-=r,t[n]+=r*s[i][n]}return n},null)}function jm(s){let t={};for(let[e,i]of Object.entries(s))i!==0&&(t[e]=i);return t}var I=class{constructor(t){let e=t.conversionAccuracy==="longterm"||!1,i=e?Bm:Hm;t.matrix&&(i=t.matrix),this.values=t.values,this.loc=t.loc||P.create(),this.conversionAccuracy=e?"longterm":"casual",this.invalid=t.invalid||null,this.matrix=i,this.isLuxonDuration=!0}static fromMillis(t,e){return I.fromObject({milliseconds:t},e)}static fromObject(t,e={}){if(t==null||typeof t!="object")throw new J(`Duration.fromObject: argument expected to be an object, got ${t===null?"null":typeof t}`);return new I({values:os(t,I.normalizeUnit),loc:P.fromObject(e),conversionAccuracy:e.conversionAccuracy,matrix:e.matrix})}static fromDurationLike(t){if(Ct(t))return I.fromMillis(t);if(I.isDuration(t))return t;if(typeof t=="object")return I.fromObject(t);throw new J(`Unknown duration argument ${t} of type ${typeof t}`)}static fromISO(t,e){let[i]=nc(t);return i?I.fromObject(i,e):I.invalid("unparsable",`the input "${t}" can't be parsed as ISO 8601`)}static fromISOTime(t,e){let[i]=rc(t);return i?I.fromObject(i,e):I.invalid("unparsable",`the input "${t}" can't be parsed as ISO 8601`)}static invalid(t,e=null){if(!t)throw new J("need to specify a reason the Duration is invalid");let i=t instanceof rt?t:new rt(t,e);if(z.throwOnInvalid)throw new tn(i);return new I({invalid:i})}static normalizeUnit(t){let e={year:"years",years:"years",quarter:"quarters",quarters:"quarters",month:"months",months:"months",week:"weeks",weeks:"weeks",day:"days",days:"days",hour:"hours",hours:"hours",minute:"minutes",minutes:"minutes",second:"seconds",seconds:"seconds",millisecond:"milliseconds",milliseconds:"milliseconds"}[t&&t.toLowerCase()];if(!e)throw new ts(t);return e}static isDuration(t){return t&&t.isLuxonDuration||!1}get locale(){return this.isValid?this.loc.locale:null}get numberingSystem(){return this.isValid?this.loc.numberingSystem:null}toFormat(t,e={}){let i={...e,floor:e.round!==!1&&e.floor!==!1};return this.isValid?X.create(this.loc,i).formatDurationFromString(this,t):ac}toHuman(t={}){if(!this.isValid)return ac;let e=Te.map(i=>{let n=this.values[i];return D(n)?null:this.loc.numberFormatter({style:"unit",unitDisplay:"long",...t,unit:i.slice(0,-1)}).format(n)}).filter(i=>i);return this.loc.listFormatter({type:"conjunction",style:t.listStyle||"narrow",...t}).format(e)}toObject(){return this.isValid?{...this.values}:{}}toISO(){if(!this.isValid)return null;let t="P";return this.years!==0&&(t+=this.years+"Y"),(this.months!==0||this.quarters!==0)&&(t+=this.months+this.quarters*3+"M"),this.weeks!==0&&(t+=this.weeks+"W"),this.days!==0&&(t+=this.days+"D"),(this.hours!==0||this.minutes!==0||this.seconds!==0||this.milliseconds!==0)&&(t+="T"),this.hours!==0&&(t+=this.hours+"H"),this.minutes!==0&&(t+=this.minutes+"M"),(this.seconds!==0||this.milliseconds!==0)&&(t+=ss(this.seconds+this.milliseconds/1e3,3)+"S"),t==="P"&&(t+="T0S"),t}toISOTime(t={}){if(!this.isValid)return null;let e=this.toMillis();return e<0||e>=864e5?null:(t={suppressMilliseconds:!1,suppressSeconds:!1,includePrefix:!1,format:"extended",...t,includeOffset:!1},T.fromMillis(e,{zone:"UTC"}).toISOTime(t))}toJSON(){return this.toISO()}toString(){return this.toISO()}[Symbol.for("nodejs.util.inspect.custom")](){return this.isValid?`Duration { values: ${JSON.stringify(this.values)} }`:`Duration { Invalid, reason: ${this.invalidReason} }`}toMillis(){return this.isValid?hc(this.matrix,this.values):NaN}valueOf(){return this.toMillis()}plus(t){if(!this.isValid)return this;let e=I.fromDurationLike(t),i={};for(let n of Te)(he(e.values,n)||he(this.values,n))&&(i[n]=e.get(n)+this.get(n));return de(this,{values:i},!0)}minus(t){if(!this.isValid)return this;let e=I.fromDurationLike(t);return this.plus(e.negate())}mapUnits(t){if(!this.isValid)return this;let e={};for(let i of Object.keys(this.values))e[i]=Jr(t(this.values[i],i));return de(this,{values:e},!0)}get(t){return this[I.normalizeUnit(t)]}set(t){if(!this.isValid)return this;let e={...this.values,...os(t,I.normalizeUnit)};return de(this,{values:e})}reconfigure({locale:t,numberingSystem:e,conversionAccuracy:i,matrix:n}={}){let o={loc:this.loc.clone({locale:t,numberingSystem:e}),matrix:n,conversionAccuracy:i};return de(this,o)}as(t){return this.isValid?this.shiftTo(t).get(t):NaN}normalize(){if(!this.isValid)return this;let t=this.toObject();return lc(this.matrix,t),de(this,{values:t},!0)}rescale(){if(!this.isValid)return this;let t=jm(this.normalize().shiftToAll().toObject());return de(this,{values:t},!0)}shiftTo(...t){if(!this.isValid)return this;if(t.length===0)return this;t=t.map(o=>I.normalizeUnit(o));let e={},i={},n=this.toObject(),r;for(let o of Te)if(t.indexOf(o)>=0){r=o;let a=0;for(let c in i)a+=this.matrix[c][o]*i[c],i[c]=0;Ct(n[o])&&(a+=n[o]);let l=Math.trunc(a);e[o]=l,i[o]=(a*1e3-l*1e3)/1e3}else Ct(n[o])&&(i[o]=n[o]);for(let o in i)i[o]!==0&&(e[r]+=o===r?i[o]:i[o]/this.matrix[r][o]);return lc(this.matrix,e),de(this,{values:e},!0)}shiftToAll(){return this.isValid?this.shiftTo("years","months","weeks","days","hours","minutes","seconds","milliseconds"):this}negate(){if(!this.isValid)return this;let t={};for(let e of Object.keys(this.values))t[e]=this.values[e]===0?0:-this.values[e];return de(this,{values:t},!0)}get years(){return this.isValid?this.values.years||0:NaN}get quarters(){return this.isValid?this.values.quarters||0:NaN}get months(){return this.isValid?this.values.months||0:NaN}get weeks(){return this.isValid?this.values.weeks||0:NaN}get days(){return this.isValid?this.values.days||0:NaN}get hours(){return this.isValid?this.values.hours||0:NaN}get minutes(){return this.isValid?this.values.minutes||0:NaN}get seconds(){return this.isValid?this.values.seconds||0:NaN}get milliseconds(){return this.isValid?this.values.milliseconds||0:NaN}get isValid(){return this.invalid===null}get invalidReason(){return this.invalid?this.invalid.reason:null}get invalidExplanation(){return this.invalid?this.invalid.explanation:null}equals(t){if(!this.isValid||!t.isValid||!this.loc.equals(t.loc))return!1;function e(i,n){return i===void 0||i===0?n===void 0||n===0:i===n}for(let i of Te)if(!e(this.values[i],t.values[i]))return!1;return!0}};var fs="Invalid Interval";function Um(s,t){return!s||!s.isValid?U.invalid("missing or invalid start"):!t||!t.isValid?U.invalid("missing or invalid end"):tt:!1}isBefore(t){return this.isValid?this.e<=t:!1}contains(t){return this.isValid?this.s<=t&&this.e>t:!1}set({start:t,end:e}={}){return this.isValid?U.fromDateTimes(t||this.s,e||this.e):this}splitAt(...t){if(!this.isValid)return[];let e=t.map(ms).filter(o=>this.contains(o)).sort((o,a)=>o.toMillis()-a.toMillis()),i=[],{s:n}=this,r=0;for(;n+this.e?this.e:o;i.push(U.fromDateTimes(n,a)),n=a,r+=1}return i}splitBy(t){let e=I.fromDurationLike(t);if(!this.isValid||!e.isValid||e.as("milliseconds")===0)return[];let{s:i}=this,n=1,r,o=[];for(;il*n));r=+a>+this.e?this.e:a,o.push(U.fromDateTimes(i,r)),i=r,n+=1}return o}divideEqually(t){return this.isValid?this.splitBy(this.length()/t).slice(0,t):[]}overlaps(t){return this.e>t.s&&this.s=t.e:!1}equals(t){return!this.isValid||!t.isValid?!1:this.s.equals(t.s)&&this.e.equals(t.e)}intersection(t){if(!this.isValid)return this;let e=this.s>t.s?this.s:t.s,i=this.e=i?null:U.fromDateTimes(e,i)}union(t){if(!this.isValid)return this;let e=this.st.e?this.e:t.e;return U.fromDateTimes(e,i)}static merge(t){let[e,i]=t.sort((n,r)=>n.s-r.s).reduce(([n,r],o)=>r?r.overlaps(o)||r.abutsStart(o)?[n,r.union(o)]:[n.concat([r]),o]:[n,o],[[],null]);return i&&e.push(i),e}static xor(t){let e=null,i=0,n=[],r=t.map(l=>[{time:l.s,type:"s"},{time:l.e,type:"e"}]),o=Array.prototype.concat(...r),a=o.sort((l,c)=>l.time-c.time);for(let l of a)i+=l.type==="s"?1:-1,i===1?e=l.time:(e&&+e!=+l.time&&n.push(U.fromDateTimes(e,l.time)),e=null);return U.merge(n)}difference(...t){return U.xor([this].concat(t)).map(e=>this.intersection(e)).filter(e=>e&&!e.isEmpty())}toString(){return this.isValid?`[${this.s.toISO()} \u2013 ${this.e.toISO()})`:fs}[Symbol.for("nodejs.util.inspect.custom")](){return this.isValid?`Interval { start: ${this.s.toISO()}, end: ${this.e.toISO()} }`:`Interval { Invalid, reason: ${this.invalidReason} }`}toLocaleString(t=ae,e={}){return this.isValid?X.create(this.s.loc.clone(e),t).formatInterval(this):fs}toISO(t){return this.isValid?`${this.s.toISO(t)}/${this.e.toISO(t)}`:fs}toISODate(){return this.isValid?`${this.s.toISODate()}/${this.e.toISODate()}`:fs}toISOTime(t){return this.isValid?`${this.s.toISOTime(t)}/${this.e.toISOTime(t)}`:fs}toFormat(t,{separator:e=" \u2013 "}={}){return this.isValid?`${this.s.toFormat(t)}${e}${this.e.toFormat(t)}`:fs}toDuration(t,e){return this.isValid?this.e.diff(this.s,t,e):I.invalid(this.invalidReason)}mapEndpoints(t){return U.fromDateTimes(t(this.s),t(this.e))}};var Gt=class{static hasDST(t=z.defaultZone){let e=T.now().setZone(t).set({month:12});return!t.isUniversal&&e.offset!==e.set({month:6}).offset}static isValidIANAZone(t){return nt.isValidZone(t)}static normalizeZone(t){return Et(t,z.defaultZone)}static getStartOfWeek({locale:t=null,locObj:e=null}={}){return(e||P.create(t)).getStartOfWeek()}static getMinimumDaysInFirstWeek({locale:t=null,locObj:e=null}={}){return(e||P.create(t)).getMinDaysInFirstWeek()}static getWeekendWeekdays({locale:t=null,locObj:e=null}={}){return(e||P.create(t)).getWeekendDays().slice()}static months(t="long",{locale:e=null,numberingSystem:i=null,locObj:n=null,outputCalendar:r="gregory"}={}){return(n||P.create(e,i,r)).months(t)}static monthsFormat(t="long",{locale:e=null,numberingSystem:i=null,locObj:n=null,outputCalendar:r="gregory"}={}){return(n||P.create(e,i,r)).months(t,!0)}static weekdays(t="long",{locale:e=null,numberingSystem:i=null,locObj:n=null}={}){return(n||P.create(e,i,null)).weekdays(t)}static weekdaysFormat(t="long",{locale:e=null,numberingSystem:i=null,locObj:n=null}={}){return(n||P.create(e,i,null)).weekdays(t,!0)}static meridiems({locale:t=null}={}){return P.create(t).meridiems()}static eras(t="short",{locale:e=null}={}){return P.create(e,null,"gregory").eras(t)}static features(){return{relative:an(),localeWeek:ln()}}};function uc(s,t){let e=n=>n.toUTC(0,{keepLocalTime:!0}).startOf("day").valueOf(),i=e(t)-e(s);return Math.floor(I.fromMillis(i).as("days"))}function Ym(s,t,e){let i=[["years",(l,c)=>c.year-l.year],["quarters",(l,c)=>c.quarter-l.quarter+(c.year-l.year)*4],["months",(l,c)=>c.month-l.month+(c.year-l.year)*12],["weeks",(l,c)=>{let h=uc(l,c);return(h-h%7)/7}],["days",uc]],n={},r=s,o,a;for(let[l,c]of i)e.indexOf(l)>=0&&(o=l,n[l]=c(s,t),a=r.plus(n),a>t?(n[l]--,s=r.plus(n),s>t&&(a=s,n[l]--,s=r.plus(n))):s=a);return[s,n,a,o]}function dc(s,t,e,i){let[n,r,o,a]=Ym(s,t,e),l=t-n,c=e.filter(u=>["hours","minutes","seconds","milliseconds"].indexOf(u)>=0);c.length===0&&(o0?I.fromMillis(l,i).shiftTo(...c).plus(h):h}var Zm="missing Intl.DateTimeFormat.formatToParts support";function V(s,t=e=>e){return{regex:s,deser:([e])=>t(kl(e))}}var qm=String.fromCharCode(160),gc=`[ ${qm}]`,pc=new RegExp(gc,"g");function Gm(s){return s.replace(/\./g,"\\.?").replace(pc,gc)}function fc(s){return s.replace(/\./g,"").replace(pc," ").toLowerCase()}function It(s,t){return s===null?null:{regex:RegExp(s.map(Gm).join("|")),deser:([e])=>s.findIndex(i=>fc(e)===fc(i))+t}}function mc(s,t){return{regex:s,deser:([,e,i])=>Se(e,i),groups:t}}function dn(s){return{regex:s,deser:([t])=>t}}function Xm(s){return s.replace(/[\-\[\]{}()*+?.,\\\^$|#\s]/g,"\\$&")}function Km(s,t){let e=St(t),i=St(t,"{2}"),n=St(t,"{3}"),r=St(t,"{4}"),o=St(t,"{6}"),a=St(t,"{1,2}"),l=St(t,"{1,3}"),c=St(t,"{1,6}"),h=St(t,"{1,9}"),u=St(t,"{2,4}"),d=St(t,"{4,6}"),f=p=>({regex:RegExp(Xm(p.val)),deser:([y])=>y,literal:!0}),g=(p=>{if(s.literal)return f(p);switch(p.val){case"G":return It(t.eras("short"),0);case"GG":return It(t.eras("long"),0);case"y":return V(c);case"yy":return V(u,di);case"yyyy":return V(r);case"yyyyy":return V(d);case"yyyyyy":return V(o);case"M":return V(a);case"MM":return V(i);case"MMM":return It(t.months("short",!0),1);case"MMMM":return It(t.months("long",!0),1);case"L":return V(a);case"LL":return V(i);case"LLL":return It(t.months("short",!1),1);case"LLLL":return It(t.months("long",!1),1);case"d":return V(a);case"dd":return V(i);case"o":return V(l);case"ooo":return V(n);case"HH":return V(i);case"H":return V(a);case"hh":return V(i);case"h":return V(a);case"mm":return V(i);case"m":return V(a);case"q":return V(a);case"qq":return V(i);case"s":return V(a);case"ss":return V(i);case"S":return V(l);case"SSS":return V(n);case"u":return dn(h);case"uu":return dn(a);case"uuu":return V(e);case"a":return It(t.meridiems(),0);case"kkkk":return V(r);case"kk":return V(u,di);case"W":return V(a);case"WW":return V(i);case"E":case"c":return V(e);case"EEE":return It(t.weekdays("short",!1),1);case"EEEE":return It(t.weekdays("long",!1),1);case"ccc":return It(t.weekdays("short",!0),1);case"cccc":return It(t.weekdays("long",!0),1);case"Z":case"ZZ":return mc(new RegExp(`([+-]${a.source})(?::(${i.source}))?`),2);case"ZZZ":return mc(new RegExp(`([+-]${a.source})(${i.source})?`),2);case"z":return dn(/[a-z_+-/]{1,256}?/i);case" ":return dn(/[^\S\n\r]/);default:return f(p)}})(s)||{invalidReason:Zm};return g.token=s,g}var Jm={year:{"2-digit":"yy",numeric:"yyyyy"},month:{numeric:"M","2-digit":"MM",short:"MMM",long:"MMMM"},day:{numeric:"d","2-digit":"dd"},weekday:{short:"EEE",long:"EEEE"},dayperiod:"a",dayPeriod:"a",hour12:{numeric:"h","2-digit":"hh"},hour24:{numeric:"H","2-digit":"HH"},minute:{numeric:"m","2-digit":"mm"},second:{numeric:"s","2-digit":"ss"},timeZoneName:{long:"ZZZZZ",short:"ZZZ"}};function Qm(s,t,e){let{type:i,value:n}=s;if(i==="literal"){let l=/^\s+$/.test(n);return{literal:!l,val:l?" ":n}}let r=t[i],o=i;i==="hour"&&(t.hour12!=null?o=t.hour12?"hour12":"hour24":t.hourCycle!=null?t.hourCycle==="h11"||t.hourCycle==="h12"?o="hour12":o="hour24":o=e.hour12?"hour12":"hour24");let a=Jm[o];if(typeof a=="object"&&(a=a[r]),a)return{literal:!1,val:a}}function tg(s){return[`^${s.map(e=>e.regex).reduce((e,i)=>`${e}(${i.source})`,"")}$`,s]}function eg(s,t,e){let i=s.match(t);if(i){let n={},r=1;for(let o in e)if(he(e,o)){let a=e[o],l=a.groups?a.groups+1:1;!a.literal&&a.token&&(n[a.token.val[0]]=a.deser(i.slice(r,r+l))),r+=l}return[i,n]}else return[i,{}]}function sg(s){let t=r=>{switch(r){case"S":return"millisecond";case"s":return"second";case"m":return"minute";case"h":case"H":return"hour";case"d":return"day";case"o":return"ordinal";case"L":case"M":return"month";case"y":return"year";case"E":case"c":return"weekday";case"W":return"weekNumber";case"k":return"weekYear";case"q":return"quarter";default:return null}},e=null,i;return D(s.z)||(e=nt.create(s.z)),D(s.Z)||(e||(e=new G(s.Z)),i=s.Z),D(s.q)||(s.M=(s.q-1)*3+1),D(s.h)||(s.h<12&&s.a===1?s.h+=12:s.h===12&&s.a===0&&(s.h=0)),s.G===0&&s.y&&(s.y=-s.y),D(s.u)||(s.S=ui(s.u)),[Object.keys(s).reduce((r,o)=>{let a=t(o);return a&&(r[a]=s[o]),r},{}),e,i]}var ro=null;function ig(){return ro||(ro=T.fromMillis(1555555555555)),ro}function ng(s,t){if(s.literal)return s;let e=X.macroTokenToFormatOpts(s.val),i=lo(e,t);return i==null||i.includes(void 0)?s:i}function oo(s,t){return Array.prototype.concat(...s.map(e=>ng(e,t)))}var gi=class{constructor(t,e){if(this.locale=t,this.format=e,this.tokens=oo(X.parseFormat(e),t),this.units=this.tokens.map(i=>Km(i,t)),this.disqualifyingUnit=this.units.find(i=>i.invalidReason),!this.disqualifyingUnit){let[i,n]=tg(this.units);this.regex=RegExp(i,"i"),this.handlers=n}}explainFromTokens(t){if(this.isValid){let[e,i]=eg(t,this.regex,this.handlers),[n,r,o]=i?sg(i):[null,null,void 0];if(he(i,"a")&&he(i,"H"))throw new vt("Can't include meridiem when specifying 24-hour format");return{input:t,tokens:this.tokens,regex:this.regex,rawMatches:e,matches:i,result:n,zone:r,specificOffset:o}}else return{input:t,tokens:this.tokens,invalidReason:this.invalidReason}}get isValid(){return!this.disqualifyingUnit}get invalidReason(){return this.disqualifyingUnit?this.disqualifyingUnit.invalidReason:null}};function ao(s,t,e){return new gi(s,e).explainFromTokens(t)}function yc(s,t,e){let{result:i,zone:n,specificOffset:r,invalidReason:o}=ao(s,t,e);return[i,n,r,o]}function lo(s,t){if(!s)return null;let i=X.create(t,s).dtFormatter(ig()),n=i.formatToParts(),r=i.resolvedOptions();return n.map(o=>Qm(o,s,r))}var co="Invalid DateTime",bc=864e13;function pi(s){return new rt("unsupported zone",`the zone "${s.name}" is not supported`)}function ho(s){return s.weekData===null&&(s.weekData=li(s.c)),s.weekData}function uo(s){return s.localWeekData===null&&(s.localWeekData=li(s.c,s.loc.getMinDaysInFirstWeek(),s.loc.getStartOfWeek())),s.localWeekData}function ve(s,t){let e={ts:s.ts,zone:s.zone,c:s.c,o:s.o,loc:s.loc,invalid:s.invalid};return new T({...e,...t,old:e})}function Tc(s,t,e){let i=s-t*60*1e3,n=e.offset(i);if(t===n)return[i,t];i-=(n-t)*60*1e3;let r=e.offset(i);return n===r?[i,n]:[s-Math.min(n,r)*60*1e3,Math.max(n,r)]}function fn(s,t){s+=t*60*1e3;let e=new Date(s);return{year:e.getUTCFullYear(),month:e.getUTCMonth()+1,day:e.getUTCDate(),hour:e.getUTCHours(),minute:e.getUTCMinutes(),second:e.getUTCSeconds(),millisecond:e.getUTCMilliseconds()}}function gn(s,t,e){return Tc(es(s),t,e)}function xc(s,t){let e=s.o,i=s.c.year+Math.trunc(t.years),n=s.c.month+Math.trunc(t.months)+Math.trunc(t.quarters)*3,r={...s.c,year:i,month:n,day:Math.min(s.c.day,rs(i,n))+Math.trunc(t.days)+Math.trunc(t.weeks)*7},o=I.fromObject({years:t.years-Math.trunc(t.years),quarters:t.quarters-Math.trunc(t.quarters),months:t.months-Math.trunc(t.months),weeks:t.weeks-Math.trunc(t.weeks),days:t.days-Math.trunc(t.days),hours:t.hours,minutes:t.minutes,seconds:t.seconds,milliseconds:t.milliseconds}).as("milliseconds"),a=es(r),[l,c]=Tc(a,e,s.zone);return o!==0&&(l+=o,c=s.zone.offset(l)),{ts:l,o:c}}function gs(s,t,e,i,n,r){let{setZone:o,zone:a}=e;if(s&&Object.keys(s).length!==0||t){let l=t||a,c=T.fromObject(s,{...e,zone:l,specificOffset:r});return o?c:c.setZone(a)}else return T.invalid(new rt("unparsable",`the input "${n}" can't be parsed as ${i}`))}function mn(s,t,e=!0){return s.isValid?X.create(P.create("en-US"),{allowZ:e,forceSimple:!0}).formatDateTimeFromString(s,t):null}function fo(s,t){let e=s.c.year>9999||s.c.year<0,i="";return e&&s.c.year>=0&&(i+="+"),i+=q(s.c.year,e?6:4),t?(i+="-",i+=q(s.c.month),i+="-",i+=q(s.c.day)):(i+=q(s.c.month),i+=q(s.c.day)),i}function _c(s,t,e,i,n,r){let o=q(s.c.hour);return t?(o+=":",o+=q(s.c.minute),(s.c.millisecond!==0||s.c.second!==0||!e)&&(o+=":")):o+=q(s.c.minute),(s.c.millisecond!==0||s.c.second!==0||!e)&&(o+=q(s.c.second),(s.c.millisecond!==0||!i)&&(o+=".",o+=q(s.c.millisecond,3))),n&&(s.isOffsetFixed&&s.offset===0&&!r?o+="Z":s.o<0?(o+="-",o+=q(Math.trunc(-s.o/60)),o+=":",o+=q(Math.trunc(-s.o%60))):(o+="+",o+=q(Math.trunc(s.o/60)),o+=":",o+=q(Math.trunc(s.o%60)))),r&&(o+="["+s.zone.ianaName+"]"),o}var vc={month:1,day:1,hour:0,minute:0,second:0,millisecond:0},rg={weekNumber:1,weekday:1,hour:0,minute:0,second:0,millisecond:0},og={ordinal:1,hour:0,minute:0,second:0,millisecond:0},Oc=["year","month","day","hour","minute","second","millisecond"],ag=["weekYear","weekNumber","weekday","hour","minute","second","millisecond"],lg=["year","ordinal","hour","minute","second","millisecond"];function cg(s){let t={year:"year",years:"year",month:"month",months:"month",day:"day",days:"day",hour:"hour",hours:"hour",minute:"minute",minutes:"minute",quarter:"quarter",quarters:"quarter",second:"second",seconds:"second",millisecond:"millisecond",milliseconds:"millisecond",weekday:"weekday",weekdays:"weekday",weeknumber:"weekNumber",weeksnumber:"weekNumber",weeknumbers:"weekNumber",weekyear:"weekYear",weekyears:"weekYear",ordinal:"ordinal"}[s.toLowerCase()];if(!t)throw new ts(s);return t}function wc(s){switch(s.toLowerCase()){case"localweekday":case"localweekdays":return"localWeekday";case"localweeknumber":case"localweeknumbers":return"localWeekNumber";case"localweekyear":case"localweekyears":return"localWeekYear";default:return cg(s)}}function hg(s){return yn[s]||(pn===void 0&&(pn=z.now()),yn[s]=s.offset(pn)),yn[s]}function Sc(s,t){let e=Et(t.zone,z.defaultZone);if(!e.isValid)return T.invalid(pi(e));let i=P.fromObject(t),n,r;if(D(s.year))n=z.now();else{for(let l of Oc)D(s[l])&&(s[l]=vc[l]);let o=Gr(s)||Xr(s);if(o)return T.invalid(o);let a=hg(e);[n,r]=gn(s,a,e)}return new T({ts:n,zone:e,loc:i,o:r})}function kc(s,t,e){let i=D(e.round)?!0:e.round,n=(o,a)=>(o=ss(o,i||e.calendary?0:2,!0),t.loc.clone(e).relFormatter(e).format(o,a)),r=o=>e.calendary?t.hasSame(s,o)?0:t.startOf(o).diff(s.startOf(o),o).get(o):t.diff(s,o).get(o);if(e.unit)return n(r(e.unit),e.unit);for(let o of e.units){let a=r(o);if(Math.abs(a)>=1)return n(a,o)}return n(s>t?-0:0,e.units[e.units.length-1])}function Mc(s){let t={},e;return s.length>0&&typeof s[s.length-1]=="object"?(t=s[s.length-1],e=Array.from(s).slice(0,s.length-1)):e=Array.from(s),[t,e]}var pn,yn={},T=class{constructor(t){let e=t.zone||z.defaultZone,i=t.invalid||(Number.isNaN(t.ts)?new rt("invalid input"):null)||(e.isValid?null:pi(e));this.ts=D(t.ts)?z.now():t.ts;let n=null,r=null;if(!i)if(t.old&&t.old.ts===this.ts&&t.old.zone.equals(e))[n,r]=[t.old.c,t.old.o];else{let a=Ct(t.o)&&!t.old?t.o:e.offset(this.ts);n=fn(this.ts,a),i=Number.isNaN(n.year)?new rt("invalid input"):null,n=i?null:n,r=i?null:a}this._zone=e,this.loc=t.loc||P.create(),this.invalid=i,this.weekData=null,this.localWeekData=null,this.c=n,this.o=r,this.isLuxonDateTime=!0}static now(){return new T({})}static local(){let[t,e]=Mc(arguments),[i,n,r,o,a,l,c]=e;return Sc({year:i,month:n,day:r,hour:o,minute:a,second:l,millisecond:c},t)}static utc(){let[t,e]=Mc(arguments),[i,n,r,o,a,l,c]=e;return t.zone=G.utcInstance,Sc({year:i,month:n,day:r,hour:o,minute:a,second:l,millisecond:c},t)}static fromJSDate(t,e={}){let i=Vl(t)?t.valueOf():NaN;if(Number.isNaN(i))return T.invalid("invalid input");let n=Et(e.zone,z.defaultZone);return n.isValid?new T({ts:i,zone:n,loc:P.fromObject(e)}):T.invalid(pi(n))}static fromMillis(t,e={}){if(Ct(t))return t<-bc||t>bc?T.invalid("Timestamp out of range"):new T({ts:t,zone:Et(e.zone,z.defaultZone),loc:P.fromObject(e)});throw new J(`fromMillis requires a numerical input, but received a ${typeof t} with value ${t}`)}static fromSeconds(t,e={}){if(Ct(t))return new T({ts:t*1e3,zone:Et(e.zone,z.defaultZone),loc:P.fromObject(e)});throw new J("fromSeconds requires a numerical input")}static fromObject(t,e={}){t=t||{};let i=Et(e.zone,z.defaultZone);if(!i.isValid)return T.invalid(pi(i));let n=P.fromObject(e),r=os(t,wc),{minDaysInFirstWeek:o,startOfWeek:a}=qr(r,n),l=z.now(),c=D(e.specificOffset)?i.offset(l):e.specificOffset,h=!D(r.ordinal),u=!D(r.year),d=!D(r.month)||!D(r.day),f=u||d,m=r.weekYear||r.weekNumber;if((f||h)&&m)throw new vt("Can't mix weekYear/weekNumber units with year/month/day or ordinals");if(d&&h)throw new vt("Can't mix ordinal dates with month/day");let g=m||r.weekday&&!f,p,y,b=fn(l,c);g?(p=ag,y=rg,b=li(b,o,a)):h?(p=lg,y=og,b=un(b)):(p=Oc,y=vc);let _=!1;for(let F of p){let W=r[F];D(W)?_?r[F]=y[F]:r[F]=b[F]:_=!0}let w=g?Nl(r,o,a):h?Wl(r):Gr(r),x=w||Xr(r);if(x)return T.invalid(x);let S=g?Yr(r,o,a):h?Zr(r):r,[k,O]=gn(S,c,i),v=new T({ts:k,zone:i,o:O,loc:n});return r.weekday&&f&&t.weekday!==v.weekday?T.invalid("mismatched weekday",`you can't specify both a weekday of ${r.weekday} and a date of ${v.toISO()}`):v.isValid?v:T.invalid(v.invalid)}static fromISO(t,e={}){let[i,n]=ec(t);return gs(i,n,e,"ISO 8601",t)}static fromRFC2822(t,e={}){let[i,n]=sc(t);return gs(i,n,e,"RFC 2822",t)}static fromHTTP(t,e={}){let[i,n]=ic(t);return gs(i,n,e,"HTTP",e)}static fromFormat(t,e,i={}){if(D(t)||D(e))throw new J("fromFormat requires an input string and a format");let{locale:n=null,numberingSystem:r=null}=i,o=P.fromOpts({locale:n,numberingSystem:r,defaultToEN:!0}),[a,l,c,h]=yc(o,t,e);return h?T.invalid(h):gs(a,l,i,`format ${e}`,t,c)}static fromString(t,e,i={}){return T.fromFormat(t,e,i)}static fromSQL(t,e={}){let[i,n]=oc(t);return gs(i,n,e,"SQL",t)}static invalid(t,e=null){if(!t)throw new J("need to specify a reason the DateTime is invalid");let i=t instanceof rt?t:new rt(t,e);if(z.throwOnInvalid)throw new Ji(i);return new T({invalid:i})}static isDateTime(t){return t&&t.isLuxonDateTime||!1}static parseFormatForOpts(t,e={}){let i=lo(t,P.fromObject(e));return i?i.map(n=>n?n.val:null).join(""):null}static expandFormat(t,e={}){return oo(X.parseFormat(t),P.fromObject(e)).map(n=>n.val).join("")}static resetCache(){pn=void 0,yn={}}get(t){return this[t]}get isValid(){return this.invalid===null}get invalidReason(){return this.invalid?this.invalid.reason:null}get invalidExplanation(){return this.invalid?this.invalid.explanation:null}get locale(){return this.isValid?this.loc.locale:null}get numberingSystem(){return this.isValid?this.loc.numberingSystem:null}get outputCalendar(){return this.isValid?this.loc.outputCalendar:null}get zone(){return this._zone}get zoneName(){return this.isValid?this.zone.name:null}get year(){return this.isValid?this.c.year:NaN}get quarter(){return this.isValid?Math.ceil(this.c.month/3):NaN}get month(){return this.isValid?this.c.month:NaN}get day(){return this.isValid?this.c.day:NaN}get hour(){return this.isValid?this.c.hour:NaN}get minute(){return this.isValid?this.c.minute:NaN}get second(){return this.isValid?this.c.second:NaN}get millisecond(){return this.isValid?this.c.millisecond:NaN}get weekYear(){return this.isValid?ho(this).weekYear:NaN}get weekNumber(){return this.isValid?ho(this).weekNumber:NaN}get weekday(){return this.isValid?ho(this).weekday:NaN}get isWeekend(){return this.isValid&&this.loc.getWeekendDays().includes(this.weekday)}get localWeekday(){return this.isValid?uo(this).weekday:NaN}get localWeekNumber(){return this.isValid?uo(this).weekNumber:NaN}get localWeekYear(){return this.isValid?uo(this).weekYear:NaN}get ordinal(){return this.isValid?un(this.c).ordinal:NaN}get monthShort(){return this.isValid?Gt.months("short",{locObj:this.loc})[this.month-1]:null}get monthLong(){return this.isValid?Gt.months("long",{locObj:this.loc})[this.month-1]:null}get weekdayShort(){return this.isValid?Gt.weekdays("short",{locObj:this.loc})[this.weekday-1]:null}get weekdayLong(){return this.isValid?Gt.weekdays("long",{locObj:this.loc})[this.weekday-1]:null}get offset(){return this.isValid?+this.o:NaN}get offsetNameShort(){return this.isValid?this.zone.offsetName(this.ts,{format:"short",locale:this.locale}):null}get offsetNameLong(){return this.isValid?this.zone.offsetName(this.ts,{format:"long",locale:this.locale}):null}get isOffsetFixed(){return this.isValid?this.zone.isUniversal:null}get isInDST(){return this.isOffsetFixed?!1:this.offset>this.set({month:1,day:1}).offset||this.offset>this.set({month:5}).offset}getPossibleOffsets(){if(!this.isValid||this.isOffsetFixed)return[this];let t=864e5,e=6e4,i=es(this.c),n=this.zone.offset(i-t),r=this.zone.offset(i+t),o=this.zone.offset(i-n*e),a=this.zone.offset(i-r*e);if(o===a)return[this];let l=i-o*e,c=i-a*e,h=fn(l,o),u=fn(c,a);return h.hour===u.hour&&h.minute===u.minute&&h.second===u.second&&h.millisecond===u.millisecond?[ve(this,{ts:l}),ve(this,{ts:c})]:[this]}get isInLeapYear(){return Me(this.year)}get daysInMonth(){return rs(this.year,this.month)}get daysInYear(){return this.isValid?ce(this.year):NaN}get weeksInWeekYear(){return this.isValid?ke(this.weekYear):NaN}get weeksInLocalWeekYear(){return this.isValid?ke(this.localWeekYear,this.loc.getMinDaysInFirstWeek(),this.loc.getStartOfWeek()):NaN}resolvedLocaleOptions(t={}){let{locale:e,numberingSystem:i,calendar:n}=X.create(this.loc.clone(t),t).resolvedOptions(this);return{locale:e,numberingSystem:i,outputCalendar:n}}toUTC(t=0,e={}){return this.setZone(G.instance(t),e)}toLocal(){return this.setZone(z.defaultZone)}setZone(t,{keepLocalTime:e=!1,keepCalendarTime:i=!1}={}){if(t=Et(t,z.defaultZone),t.equals(this.zone))return this;if(t.isValid){let n=this.ts;if(e||i){let r=t.offset(this.ts),o=this.toObject();[n]=gn(o,r,t)}return ve(this,{ts:n,zone:t})}else return T.invalid(pi(t))}reconfigure({locale:t,numberingSystem:e,outputCalendar:i}={}){let n=this.loc.clone({locale:t,numberingSystem:e,outputCalendar:i});return ve(this,{loc:n})}setLocale(t){return this.reconfigure({locale:t})}set(t){if(!this.isValid)return this;let e=os(t,wc),{minDaysInFirstWeek:i,startOfWeek:n}=qr(e,this.loc),r=!D(e.weekYear)||!D(e.weekNumber)||!D(e.weekday),o=!D(e.ordinal),a=!D(e.year),l=!D(e.month)||!D(e.day),c=a||l,h=e.weekYear||e.weekNumber;if((c||o)&&h)throw new vt("Can't mix weekYear/weekNumber units with year/month/day or ordinals");if(l&&o)throw new vt("Can't mix ordinal dates with month/day");let u;r?u=Yr({...li(this.c,i,n),...e},i,n):D(e.ordinal)?(u={...this.toObject(),...e},D(e.day)&&(u.day=Math.min(rs(u.year,u.month),u.day))):u=Zr({...un(this.c),...e});let[d,f]=gn(u,this.o,this.zone);return ve(this,{ts:d,o:f})}plus(t){if(!this.isValid)return this;let e=I.fromDurationLike(t);return ve(this,xc(this,e))}minus(t){if(!this.isValid)return this;let e=I.fromDurationLike(t).negate();return ve(this,xc(this,e))}startOf(t,{useLocaleWeeks:e=!1}={}){if(!this.isValid)return this;let i={},n=I.normalizeUnit(t);switch(n){case"years":i.month=1;case"quarters":case"months":i.day=1;case"weeks":case"days":i.hour=0;case"hours":i.minute=0;case"minutes":i.second=0;case"seconds":i.millisecond=0;break;case"milliseconds":break}if(n==="weeks")if(e){let r=this.loc.getStartOfWeek(),{weekday:o}=this;othis.valueOf(),a=o?this:t,l=o?t:this,c=dc(a,l,r,n);return o?c.negate():c}diffNow(t="milliseconds",e={}){return this.diff(T.now(),t,e)}until(t){return this.isValid?U.fromDateTimes(this,t):this}hasSame(t,e,i){if(!this.isValid)return!1;let n=t.valueOf(),r=this.setZone(t.zone,{keepLocalTime:!0});return r.startOf(e,i)<=n&&n<=r.endOf(e,i)}equals(t){return this.isValid&&t.isValid&&this.valueOf()===t.valueOf()&&this.zone.equals(t.zone)&&this.loc.equals(t.loc)}toRelative(t={}){if(!this.isValid)return null;let e=t.base||T.fromObject({},{zone:this.zone}),i=t.padding?thise.valueOf(),Math.min)}static max(...t){if(!t.every(T.isDateTime))throw new J("max requires all arguments be DateTimes");return Kr(t,e=>e.valueOf(),Math.max)}static fromFormatExplain(t,e,i={}){let{locale:n=null,numberingSystem:r=null}=i,o=P.fromOpts({locale:n,numberingSystem:r,defaultToEN:!0});return ao(o,t,e)}static fromStringExplain(t,e,i={}){return T.fromFormatExplain(t,e,i)}static buildFormatParser(t,e={}){let{locale:i=null,numberingSystem:n=null}=e,r=P.fromOpts({locale:i,numberingSystem:n,defaultToEN:!0});return new gi(r,t)}static fromFormatParser(t,e,i={}){if(D(t)||D(e))throw new J("fromFormatParser requires an input string and a format parser");let{locale:n=null,numberingSystem:r=null}=i,o=P.fromOpts({locale:n,numberingSystem:r,defaultToEN:!0});if(!o.equals(e.locale))throw new J(`fromFormatParser called with a locale of ${o}, but the format parser was created for ${e.locale}`);let{result:a,zone:l,specificOffset:c,invalidReason:h}=e.explainFromTokens(t);return h?T.invalid(h):gs(a,l,i,`format ${e.format}`,t,c)}static get DATE_SHORT(){return ae}static get DATE_MED(){return Hs}static get DATE_MED_WITH_WEEKDAY(){return Er}static get DATE_FULL(){return Bs}static get DATE_HUGE(){return $s}static get TIME_SIMPLE(){return js}static get TIME_WITH_SECONDS(){return Us}static get TIME_WITH_SHORT_OFFSET(){return Ys}static get TIME_WITH_LONG_OFFSET(){return Zs}static get TIME_24_SIMPLE(){return qs}static get TIME_24_WITH_SECONDS(){return Gs}static get TIME_24_WITH_SHORT_OFFSET(){return Xs}static get TIME_24_WITH_LONG_OFFSET(){return Ks}static get DATETIME_SHORT(){return Js}static get DATETIME_SHORT_WITH_SECONDS(){return Qs}static get DATETIME_MED(){return ti}static get DATETIME_MED_WITH_SECONDS(){return ei}static get DATETIME_MED_WITH_WEEKDAY(){return Cr}static get DATETIME_FULL(){return si}static get DATETIME_FULL_WITH_SECONDS(){return ii}static get DATETIME_HUGE(){return ni}static get DATETIME_HUGE_WITH_SECONDS(){return ri}};function ms(s){if(T.isDateTime(s))return s;if(s&&s.valueOf&&Ct(s.valueOf()))return T.fromJSDate(s);if(s&&typeof s=="object")return T.fromObject(s);throw new J(`Unknown datetime argument: ${s}, of type ${typeof s}`)}var ug={datetime:T.DATETIME_MED_WITH_SECONDS,millisecond:"h:mm:ss.SSS a",second:T.TIME_WITH_SECONDS,minute:T.TIME_SIMPLE,hour:{hour:"numeric"},day:{day:"numeric",month:"short"},week:"DD",month:{month:"short",year:"numeric"},quarter:"'Q'q - yyyy",year:{year:"numeric"}};Or._date.override({_id:"luxon",_create:function(s){return T.fromMillis(s,this.options)},init(s){this.options.locale||(this.options.locale=s.locale)},formats:function(){return ug},parse:function(s,t){let e=this.options,i=typeof s;return s===null||i==="undefined"?null:(i==="number"?s=this._create(s):i==="string"?typeof t=="string"?s=T.fromFormat(s,t,e):s=T.fromISO(s,e):s instanceof Date?s=T.fromJSDate(s,e):i==="object"&&!(s instanceof T)&&(s=T.fromObject(s,e)),s.isValid?s.valueOf():null)},format:function(s,t){let e=this._create(s);return typeof t=="string"?e.toFormat(t):e.toLocaleString(t)},add:function(s,t,e){let i={};return i[e]=t,this._create(s).plus(i).valueOf()},diff:function(s,t,e){return this._create(s).diff(this._create(t)).as(e).valueOf()},startOf:function(s,t,e){if(t==="isoWeek"){e=Math.trunc(Math.min(Math.max(0,e),6));let i=this._create(s);return i.minus({days:(i.weekday-e+7)%7}).startOf("day").valueOf()}return t?this._create(s).startOf(t).valueOf():s},endOf:function(s,t){return this._create(s).endOf(t).valueOf()}});function bn({cachedData:s,options:t,type:e}){return{init:function(){this.initChart(),this.$wire.$on("updateChartData",({data:i})=>{bn=this.getChart(),bn.data=i,bn.update("resize")}),Alpine.effect(()=>{Alpine.store("theme"),this.$nextTick(()=>{this.getChart()&&(this.getChart().destroy(),this.initChart())})}),window.matchMedia("(prefers-color-scheme: dark)").addEventListener("change",()=>{Alpine.store("theme")==="system"&&this.$nextTick(()=>{this.getChart().destroy(),this.initChart()})})},initChart:function(i=null){var o,a,l,c,h,u,d;Wt.defaults.animation.duration=0,Wt.defaults.backgroundColor=getComputedStyle(this.$refs.backgroundColorElement).color;let n=getComputedStyle(this.$refs.borderColorElement).color;Wt.defaults.borderColor=n,Wt.defaults.color=getComputedStyle(this.$refs.textColorElement).color,Wt.defaults.font.family=getComputedStyle(this.$el).fontFamily,Wt.defaults.plugins.legend.labels.boxWidth=12,Wt.defaults.plugins.legend.position="bottom";let r=getComputedStyle(this.$refs.gridColorElement).color;return t??(t={}),t.borderWidth??(t.borderWidth=2),t.pointBackgroundColor??(t.pointBackgroundColor=n),t.pointHitRadius??(t.pointHitRadius=4),t.pointRadius??(t.pointRadius=2),t.scales??(t.scales={}),(o=t.scales).x??(o.x={}),(a=t.scales.x).grid??(a.grid={}),t.scales.x.grid.color=r,(l=t.scales.x.grid).display??(l.display=!1),(c=t.scales.x.grid).drawBorder??(c.drawBorder=!1),(h=t.scales).y??(h.y={}),(u=t.scales.y).grid??(u.grid={}),t.scales.y.grid.color=r,(d=t.scales.y.grid).drawBorder??(d.drawBorder=!1),new Wt(this.$refs.canvas,{type:e,data:i??s,options:t,plugins:window.filamentChartJsPlugins??[]})},getChart:function(){return Wt.getChart(this.$refs.canvas)}}}export{bn as default}; +/*! Bundled license information: + +chart.js/dist/chunks/helpers.segment.mjs: + (*! + * Chart.js v3.9.1 + * https://www.chartjs.org + * (c) 2022 Chart.js Contributors + * Released under the MIT License + *) + +chart.js/dist/chunks/helpers.segment.mjs: + (*! + * @kurkle/color v0.2.1 + * https://github.com/kurkle/color#readme + * (c) 2022 Jukka Kurkela + * Released under the MIT License + *) + +chart.js/dist/chart.mjs: + (*! + * Chart.js v3.9.1 + * https://www.chartjs.org + * (c) 2022 Chart.js Contributors + * Released under the MIT License + *) + +chartjs-adapter-luxon/dist/chartjs-adapter-luxon.esm.js: + (*! + * chartjs-adapter-luxon v1.3.1 + * https://www.chartjs.org + * (c) 2023 chartjs-adapter-luxon Contributors + * Released under the MIT license + *) +*/ diff --git a/public/js/filament/widgets/components/stats-overview/stat/chart.js b/public/js/filament/widgets/components/stats-overview/stat/chart.js new file mode 100644 index 0000000..51cd7e6 --- /dev/null +++ b/public/js/filament/widgets/components/stats-overview/stat/chart.js @@ -0,0 +1,29 @@ +function rt(){}var Hs=function(){let i=0;return function(){return i++}}();function T(i){return i===null||typeof i>"u"}function I(i){if(Array.isArray&&Array.isArray(i))return!0;let t=Object.prototype.toString.call(i);return t.slice(0,7)==="[object"&&t.slice(-6)==="Array]"}function D(i){return i!==null&&Object.prototype.toString.call(i)==="[object Object]"}var W=i=>(typeof i=="number"||i instanceof Number)&&isFinite(+i);function Q(i,t){return W(i)?i:t}function C(i,t){return typeof i>"u"?t:i}var js=(i,t)=>typeof i=="string"&&i.endsWith("%")?parseFloat(i)/100:i/t,Di=(i,t)=>typeof i=="string"&&i.endsWith("%")?parseFloat(i)/100*t:+i;function z(i,t,e){if(i&&typeof i.call=="function")return i.apply(e,t)}function E(i,t,e,s){let n,o,a;if(I(i))if(o=i.length,s)for(n=o-1;n>=0;n--)t.call(e,i[n],n);else for(n=0;ni,x:i=>i.x,y:i=>i.y};function gt(i,t){return(Ds[t]||(Ds[t]=Io(t)))(i)}function Io(i){let t=zo(i);return e=>{for(let s of t){if(s==="")break;e=e&&e[s]}return e}}function zo(i){let t=i.split("."),e=[],s="";for(let n of t)s+=n,s.endsWith("\\")?s=s.slice(0,-1)+".":(e.push(s),s="");return e}function Ue(i){return i.charAt(0).toUpperCase()+i.slice(1)}var J=i=>typeof i<"u",ft=i=>typeof i=="function",Oi=(i,t)=>{if(i.size!==t.size)return!1;for(let e of i)if(!t.has(e))return!1;return!0};function Ys(i){return i.type==="mouseup"||i.type==="click"||i.type==="contextmenu"}var B=Math.PI,F=2*B,Bo=F+B,$e=Number.POSITIVE_INFINITY,Vo=B/180,V=B/2,fe=B/4,Os=B*2/3,tt=Math.log10,ot=Math.sign;function Ai(i){let t=Math.round(i);i=Kt(i,t,i/1e3)?t:i;let e=Math.pow(10,Math.floor(tt(i))),s=i/e;return(s<=1?1:s<=2?2:s<=5?5:10)*e}function Xs(i){let t=[],e=Math.sqrt(i),s;for(s=1;sn-o).pop(),t}function Rt(i){return!isNaN(parseFloat(i))&&isFinite(i)}function Kt(i,t,e){return Math.abs(i-t)=i}function Ti(i,t,e){let s,n,o;for(s=0,n=i.length;sl&&c=Math.min(t,e)-s&&i<=Math.max(t,e)+s}function qe(i,t,e){e=e||(a=>i[a]1;)o=n+s>>1,e(o)?n=o:s=o;return{lo:n,hi:s}}var at=(i,t,e,s)=>qe(i,e,s?n=>i[n][t]<=e:n=>i[n][t]qe(i,e,s=>i[s][t]>=e);function Gs(i,t,e){let s=0,n=i.length;for(;ss&&i[n-1]>e;)n--;return s>0||n{let s="_onData"+Ue(e),n=i[e];Object.defineProperty(i,e,{configurable:!0,enumerable:!1,value(...o){let a=n.apply(this,o);return i._chartjs.listeners.forEach(r=>{typeof r[s]=="function"&&r[s](...o)}),a}})})}function Ei(i,t){let e=i._chartjs;if(!e)return;let s=e.listeners,n=s.indexOf(t);n!==-1&&s.splice(n,1),!(s.length>0)&&(Zs.forEach(o=>{delete i[o]}),delete i._chartjs)}function Fi(i){let t=new Set,e,s;for(e=0,s=i.length;e"u"?function(i){return i()}:window.requestAnimationFrame}();function zi(i,t,e){let s=e||(a=>Array.prototype.slice.call(a)),n=!1,o=[];return function(...a){o=s(a),n||(n=!0,Ii.call(window,()=>{n=!1,i.apply(t,o)}))}}function Qs(i,t){let e;return function(...s){return t?(clearTimeout(e),e=setTimeout(i,t,s)):i.apply(this,s),t}}var Ge=i=>i==="start"?"left":i==="end"?"right":"center",X=(i,t,e)=>i==="start"?t:i==="end"?e:(t+e)/2,tn=(i,t,e,s)=>i===(s?"left":"right")?e:i==="center"?(t+e)/2:t;function Bi(i,t,e){let s=t.length,n=0,o=s;if(i._sorted){let{iScale:a,_parsed:r}=i,l=a.axis,{min:c,max:h,minDefined:d,maxDefined:u}=a.getUserBounds();d&&(n=Y(Math.min(at(r,a.axis,c).lo,e?s:at(t,l,a.getPixelForValue(c)).lo),0,s-1)),u?o=Y(Math.max(at(r,a.axis,h,!0).hi+1,e?0:at(t,l,a.getPixelForValue(h),!0).hi+1),n,s)-n:o=s-n}return{start:n,count:o}}function Vi(i){let{xScale:t,yScale:e,_scaleRanges:s}=i,n={xmin:t.min,xmax:t.max,ymin:e.min,ymax:e.max};if(!s)return i._scaleRanges=n,!0;let o=s.xmin!==t.min||s.xmax!==t.max||s.ymin!==e.min||s.ymax!==e.max;return Object.assign(s,n),o}var Be=i=>i===0||i===1,As=(i,t,e)=>-(Math.pow(2,10*(i-=1))*Math.sin((i-t)*F/e)),Ts=(i,t,e)=>Math.pow(2,-10*i)*Math.sin((i-t)*F/e)+1,Ht={linear:i=>i,easeInQuad:i=>i*i,easeOutQuad:i=>-i*(i-2),easeInOutQuad:i=>(i/=.5)<1?.5*i*i:-.5*(--i*(i-2)-1),easeInCubic:i=>i*i*i,easeOutCubic:i=>(i-=1)*i*i+1,easeInOutCubic:i=>(i/=.5)<1?.5*i*i*i:.5*((i-=2)*i*i+2),easeInQuart:i=>i*i*i*i,easeOutQuart:i=>-((i-=1)*i*i*i-1),easeInOutQuart:i=>(i/=.5)<1?.5*i*i*i*i:-.5*((i-=2)*i*i*i-2),easeInQuint:i=>i*i*i*i*i,easeOutQuint:i=>(i-=1)*i*i*i*i+1,easeInOutQuint:i=>(i/=.5)<1?.5*i*i*i*i*i:.5*((i-=2)*i*i*i*i+2),easeInSine:i=>-Math.cos(i*V)+1,easeOutSine:i=>Math.sin(i*V),easeInOutSine:i=>-.5*(Math.cos(B*i)-1),easeInExpo:i=>i===0?0:Math.pow(2,10*(i-1)),easeOutExpo:i=>i===1?1:-Math.pow(2,-10*i)+1,easeInOutExpo:i=>Be(i)?i:i<.5?.5*Math.pow(2,10*(i*2-1)):.5*(-Math.pow(2,-10*(i*2-1))+2),easeInCirc:i=>i>=1?i:-(Math.sqrt(1-i*i)-1),easeOutCirc:i=>Math.sqrt(1-(i-=1)*i),easeInOutCirc:i=>(i/=.5)<1?-.5*(Math.sqrt(1-i*i)-1):.5*(Math.sqrt(1-(i-=2)*i)+1),easeInElastic:i=>Be(i)?i:As(i,.075,.3),easeOutElastic:i=>Be(i)?i:Ts(i,.075,.3),easeInOutElastic(i){return Be(i)?i:i<.5?.5*As(i*2,.1125,.45):.5+.5*Ts(i*2-1,.1125,.45)},easeInBack(i){return i*i*((1.70158+1)*i-1.70158)},easeOutBack(i){return(i-=1)*i*((1.70158+1)*i+1.70158)+1},easeInOutBack(i){let t=1.70158;return(i/=.5)<1?.5*(i*i*(((t*=1.525)+1)*i-t)):.5*((i-=2)*i*(((t*=1.525)+1)*i+t)+2)},easeInBounce:i=>1-Ht.easeOutBounce(1-i),easeOutBounce(i){return i<1/2.75?7.5625*i*i:i<2/2.75?7.5625*(i-=1.5/2.75)*i+.75:i<2.5/2.75?7.5625*(i-=2.25/2.75)*i+.9375:7.5625*(i-=2.625/2.75)*i+.984375},easeInOutBounce:i=>i<.5?Ht.easeInBounce(i*2)*.5:Ht.easeOutBounce(i*2-1)*.5+.5};function _e(i){return i+.5|0}var yt=(i,t,e)=>Math.max(Math.min(i,e),t);function ge(i){return yt(_e(i*2.55),0,255)}function vt(i){return yt(_e(i*255),0,255)}function ut(i){return yt(_e(i/2.55)/100,0,1)}function Ls(i){return yt(_e(i*100),0,100)}var st={0:0,1:1,2:2,3:3,4:4,5:5,6:6,7:7,8:8,9:9,A:10,B:11,C:12,D:13,E:14,F:15,a:10,b:11,c:12,d:13,e:14,f:15},Pi=[..."0123456789ABCDEF"],No=i=>Pi[i&15],Ho=i=>Pi[(i&240)>>4]+Pi[i&15],Ve=i=>(i&240)>>4===(i&15),jo=i=>Ve(i.r)&&Ve(i.g)&&Ve(i.b)&&Ve(i.a);function $o(i){var t=i.length,e;return i[0]==="#"&&(t===4||t===5?e={r:255&st[i[1]]*17,g:255&st[i[2]]*17,b:255&st[i[3]]*17,a:t===5?st[i[4]]*17:255}:(t===7||t===9)&&(e={r:st[i[1]]<<4|st[i[2]],g:st[i[3]]<<4|st[i[4]],b:st[i[5]]<<4|st[i[6]],a:t===9?st[i[7]]<<4|st[i[8]]:255})),e}var Yo=(i,t)=>i<255?t(i):"";function Xo(i){var t=jo(i)?No:Ho;return i?"#"+t(i.r)+t(i.g)+t(i.b)+Yo(i.a,t):void 0}var Uo=/^(hsla?|hwb|hsv)\(\s*([-+.e\d]+)(?:deg)?[\s,]+([-+.e\d]+)%[\s,]+([-+.e\d]+)%(?:[\s,]+([-+.e\d]+)(%)?)?\s*\)$/;function en(i,t,e){let s=t*Math.min(e,1-e),n=(o,a=(o+i/30)%12)=>e-s*Math.max(Math.min(a-3,9-a,1),-1);return[n(0),n(8),n(4)]}function Ko(i,t,e){let s=(n,o=(n+i/60)%6)=>e-e*t*Math.max(Math.min(o,4-o,1),0);return[s(5),s(3),s(1)]}function qo(i,t,e){let s=en(i,1,.5),n;for(t+e>1&&(n=1/(t+e),t*=n,e*=n),n=0;n<3;n++)s[n]*=1-t-e,s[n]+=t;return s}function Go(i,t,e,s,n){return i===n?(t-e)/s+(t.5?h/(2-o-a):h/(o+a),l=Go(e,s,n,h,o),l=l*60+.5),[l|0,c||0,r]}function Ni(i,t,e,s){return(Array.isArray(t)?i(t[0],t[1],t[2]):i(t,e,s)).map(vt)}function Hi(i,t,e){return Ni(en,i,t,e)}function Zo(i,t,e){return Ni(qo,i,t,e)}function Jo(i,t,e){return Ni(Ko,i,t,e)}function sn(i){return(i%360+360)%360}function Qo(i){let t=Uo.exec(i),e=255,s;if(!t)return;t[5]!==s&&(e=t[6]?ge(+t[5]):vt(+t[5]));let n=sn(+t[2]),o=+t[3]/100,a=+t[4]/100;return t[1]==="hwb"?s=Zo(n,o,a):t[1]==="hsv"?s=Jo(n,o,a):s=Hi(n,o,a),{r:s[0],g:s[1],b:s[2],a:e}}function ta(i,t){var e=Wi(i);e[0]=sn(e[0]+t),e=Hi(e),i.r=e[0],i.g=e[1],i.b=e[2]}function ea(i){if(!i)return;let t=Wi(i),e=t[0],s=Ls(t[1]),n=Ls(t[2]);return i.a<255?`hsla(${e}, ${s}%, ${n}%, ${ut(i.a)})`:`hsl(${e}, ${s}%, ${n}%)`}var Rs={x:"dark",Z:"light",Y:"re",X:"blu",W:"gr",V:"medium",U:"slate",A:"ee",T:"ol",S:"or",B:"ra",C:"lateg",D:"ights",R:"in",Q:"turquois",E:"hi",P:"ro",O:"al",N:"le",M:"de",L:"yello",F:"en",K:"ch",G:"arks",H:"ea",I:"ightg",J:"wh"},Es={OiceXe:"f0f8ff",antiquewEte:"faebd7",aqua:"ffff",aquamarRe:"7fffd4",azuY:"f0ffff",beige:"f5f5dc",bisque:"ffe4c4",black:"0",blanKedOmond:"ffebcd",Xe:"ff",XeviTet:"8a2be2",bPwn:"a52a2a",burlywood:"deb887",caMtXe:"5f9ea0",KartYuse:"7fff00",KocTate:"d2691e",cSO:"ff7f50",cSnflowerXe:"6495ed",cSnsilk:"fff8dc",crimson:"dc143c",cyan:"ffff",xXe:"8b",xcyan:"8b8b",xgTMnPd:"b8860b",xWay:"a9a9a9",xgYF:"6400",xgYy:"a9a9a9",xkhaki:"bdb76b",xmagFta:"8b008b",xTivegYF:"556b2f",xSange:"ff8c00",xScEd:"9932cc",xYd:"8b0000",xsOmon:"e9967a",xsHgYF:"8fbc8f",xUXe:"483d8b",xUWay:"2f4f4f",xUgYy:"2f4f4f",xQe:"ced1",xviTet:"9400d3",dAppRk:"ff1493",dApskyXe:"bfff",dimWay:"696969",dimgYy:"696969",dodgerXe:"1e90ff",fiYbrick:"b22222",flSOwEte:"fffaf0",foYstWAn:"228b22",fuKsia:"ff00ff",gaRsbSo:"dcdcdc",ghostwEte:"f8f8ff",gTd:"ffd700",gTMnPd:"daa520",Way:"808080",gYF:"8000",gYFLw:"adff2f",gYy:"808080",honeyMw:"f0fff0",hotpRk:"ff69b4",RdianYd:"cd5c5c",Rdigo:"4b0082",ivSy:"fffff0",khaki:"f0e68c",lavFMr:"e6e6fa",lavFMrXsh:"fff0f5",lawngYF:"7cfc00",NmoncEffon:"fffacd",ZXe:"add8e6",ZcSO:"f08080",Zcyan:"e0ffff",ZgTMnPdLw:"fafad2",ZWay:"d3d3d3",ZgYF:"90ee90",ZgYy:"d3d3d3",ZpRk:"ffb6c1",ZsOmon:"ffa07a",ZsHgYF:"20b2aa",ZskyXe:"87cefa",ZUWay:"778899",ZUgYy:"778899",ZstAlXe:"b0c4de",ZLw:"ffffe0",lime:"ff00",limegYF:"32cd32",lRF:"faf0e6",magFta:"ff00ff",maPon:"800000",VaquamarRe:"66cdaa",VXe:"cd",VScEd:"ba55d3",VpurpN:"9370db",VsHgYF:"3cb371",VUXe:"7b68ee",VsprRggYF:"fa9a",VQe:"48d1cc",VviTetYd:"c71585",midnightXe:"191970",mRtcYam:"f5fffa",mistyPse:"ffe4e1",moccasR:"ffe4b5",navajowEte:"ffdead",navy:"80",Tdlace:"fdf5e6",Tive:"808000",TivedBb:"6b8e23",Sange:"ffa500",SangeYd:"ff4500",ScEd:"da70d6",pOegTMnPd:"eee8aa",pOegYF:"98fb98",pOeQe:"afeeee",pOeviTetYd:"db7093",papayawEp:"ffefd5",pHKpuff:"ffdab9",peru:"cd853f",pRk:"ffc0cb",plum:"dda0dd",powMrXe:"b0e0e6",purpN:"800080",YbeccapurpN:"663399",Yd:"ff0000",Psybrown:"bc8f8f",PyOXe:"4169e1",saddNbPwn:"8b4513",sOmon:"fa8072",sandybPwn:"f4a460",sHgYF:"2e8b57",sHshell:"fff5ee",siFna:"a0522d",silver:"c0c0c0",skyXe:"87ceeb",UXe:"6a5acd",UWay:"708090",UgYy:"708090",snow:"fffafa",sprRggYF:"ff7f",stAlXe:"4682b4",tan:"d2b48c",teO:"8080",tEstN:"d8bfd8",tomato:"ff6347",Qe:"40e0d0",viTet:"ee82ee",JHt:"f5deb3",wEte:"ffffff",wEtesmoke:"f5f5f5",Lw:"ffff00",LwgYF:"9acd32"};function ia(){let i={},t=Object.keys(Es),e=Object.keys(Rs),s,n,o,a,r;for(s=0;s>16&255,o>>8&255,o&255]}return i}var We;function sa(i){We||(We=ia(),We.transparent=[0,0,0,0]);let t=We[i.toLowerCase()];return t&&{r:t[0],g:t[1],b:t[2],a:t.length===4?t[3]:255}}var na=/^rgba?\(\s*([-+.\d]+)(%)?[\s,]+([-+.e\d]+)(%)?[\s,]+([-+.e\d]+)(%)?(?:[\s,/]+([-+.e\d]+)(%)?)?\s*\)$/;function oa(i){let t=na.exec(i),e=255,s,n,o;if(t){if(t[7]!==s){let a=+t[7];e=t[8]?ge(a):yt(a*255,0,255)}return s=+t[1],n=+t[3],o=+t[5],s=255&(t[2]?ge(s):yt(s,0,255)),n=255&(t[4]?ge(n):yt(n,0,255)),o=255&(t[6]?ge(o):yt(o,0,255)),{r:s,g:n,b:o,a:e}}}function aa(i){return i&&(i.a<255?`rgba(${i.r}, ${i.g}, ${i.b}, ${ut(i.a)})`:`rgb(${i.r}, ${i.g}, ${i.b})`)}var Mi=i=>i<=.0031308?i*12.92:Math.pow(i,1/2.4)*1.055-.055,Nt=i=>i<=.04045?i/12.92:Math.pow((i+.055)/1.055,2.4);function ra(i,t,e){let s=Nt(ut(i.r)),n=Nt(ut(i.g)),o=Nt(ut(i.b));return{r:vt(Mi(s+e*(Nt(ut(t.r))-s))),g:vt(Mi(n+e*(Nt(ut(t.g))-n))),b:vt(Mi(o+e*(Nt(ut(t.b))-o))),a:i.a+e*(t.a-i.a)}}function Ne(i,t,e){if(i){let s=Wi(i);s[t]=Math.max(0,Math.min(s[t]+s[t]*e,t===0?360:1)),s=Hi(s),i.r=s[0],i.g=s[1],i.b=s[2]}}function nn(i,t){return i&&Object.assign(t||{},i)}function Fs(i){var t={r:0,g:0,b:0,a:255};return Array.isArray(i)?i.length>=3&&(t={r:i[0],g:i[1],b:i[2],a:255},i.length>3&&(t.a=vt(i[3]))):(t=nn(i,{r:0,g:0,b:0,a:1}),t.a=vt(t.a)),t}function la(i){return i.charAt(0)==="r"?oa(i):Qo(i)}var $t=class{constructor(t){if(t instanceof $t)return t;let e=typeof t,s;e==="object"?s=Fs(t):e==="string"&&(s=$o(t)||sa(t)||la(t)),this._rgb=s,this._valid=!!s}get valid(){return this._valid}get rgb(){var t=nn(this._rgb);return t&&(t.a=ut(t.a)),t}set rgb(t){this._rgb=Fs(t)}rgbString(){return this._valid?aa(this._rgb):void 0}hexString(){return this._valid?Xo(this._rgb):void 0}hslString(){return this._valid?ea(this._rgb):void 0}mix(t,e){if(t){let s=this.rgb,n=t.rgb,o,a=e===o?.5:e,r=2*a-1,l=s.a-n.a,c=((r*l===-1?r:(r+l)/(1+r*l))+1)/2;o=1-c,s.r=255&c*s.r+o*n.r+.5,s.g=255&c*s.g+o*n.g+.5,s.b=255&c*s.b+o*n.b+.5,s.a=a*s.a+(1-a)*n.a,this.rgb=s}return this}interpolate(t,e){return t&&(this._rgb=ra(this._rgb,t._rgb,e)),this}clone(){return new $t(this.rgb)}alpha(t){return this._rgb.a=vt(t),this}clearer(t){let e=this._rgb;return e.a*=1-t,this}greyscale(){let t=this._rgb,e=_e(t.r*.3+t.g*.59+t.b*.11);return t.r=t.g=t.b=e,this}opaquer(t){let e=this._rgb;return e.a*=1+t,this}negate(){let t=this._rgb;return t.r=255-t.r,t.g=255-t.g,t.b=255-t.b,this}lighten(t){return Ne(this._rgb,2,t),this}darken(t){return Ne(this._rgb,2,-t),this}saturate(t){return Ne(this._rgb,1,t),this}desaturate(t){return Ne(this._rgb,1,-t),this}rotate(t){return ta(this._rgb,t),this}};function on(i){return new $t(i)}function an(i){if(i&&typeof i=="object"){let t=i.toString();return t==="[object CanvasPattern]"||t==="[object CanvasGradient]"}return!1}function ji(i){return an(i)?i:on(i)}function wi(i){return an(i)?i:on(i).saturate(.5).darken(.1).hexString()}var Mt=Object.create(null),Ze=Object.create(null);function pe(i,t){if(!t)return i;let e=t.split(".");for(let s=0,n=e.length;se.chart.platform.getDevicePixelRatio(),this.elements={},this.events=["mousemove","mouseout","click","touchstart","touchmove"],this.font={family:"'Helvetica Neue', 'Helvetica', 'Arial', sans-serif",size:12,style:"normal",lineHeight:1.2,weight:null},this.hover={},this.hoverBackgroundColor=(e,s)=>wi(s.backgroundColor),this.hoverBorderColor=(e,s)=>wi(s.borderColor),this.hoverColor=(e,s)=>wi(s.color),this.indexAxis="x",this.interaction={mode:"nearest",intersect:!0,includeInvisible:!1},this.maintainAspectRatio=!0,this.onHover=null,this.onClick=null,this.parsing=!0,this.plugins={},this.responsive=!0,this.scale=void 0,this.scales={},this.showLine=!0,this.drawActiveElementsOnTop=!0,this.describe(t)}set(t,e){return ki(this,t,e)}get(t){return pe(this,t)}describe(t,e){return ki(Ze,t,e)}override(t,e){return ki(Mt,t,e)}route(t,e,s,n){let o=pe(this,t),a=pe(this,s),r="_"+e;Object.defineProperties(o,{[r]:{value:o[e],writable:!0},[e]:{enumerable:!0,get(){let l=this[r],c=a[n];return D(l)?Object.assign({},c,l):C(l,c)},set(l){this[r]=l}}})}},O=new Ci({_scriptable:i=>!i.startsWith("on"),_indexable:i=>i!=="events",hover:{_fallback:"interaction"},interaction:{_scriptable:!1,_indexable:!1}});function ca(i){return!i||T(i.size)||T(i.family)?null:(i.style?i.style+" ":"")+(i.weight?i.weight+" ":"")+i.size+"px "+i.family}function me(i,t,e,s,n){let o=t[n];return o||(o=t[n]=i.measureText(n).width,e.push(n)),o>s&&(s=o),s}function rn(i,t,e,s){s=s||{};let n=s.data=s.data||{},o=s.garbageCollect=s.garbageCollect||[];s.font!==t&&(n=s.data={},o=s.garbageCollect=[],s.font=t),i.save(),i.font=t;let a=0,r=e.length,l,c,h,d,u;for(l=0;le.length){for(l=0;l0&&i.stroke()}}function Yt(i,t,e){return e=e||.5,!t||i&&i.x>t.left-e&&i.xt.top-e&&i.y0&&o.strokeColor!=="",l,c;for(i.save(),i.font=n.string,ha(i,o),l=0;l+i||0;function Qe(i,t){let e={},s=D(t),n=s?Object.keys(t):t,o=D(i)?s?a=>C(i[a],i[t[a]]):a=>i[a]:()=>i;for(let a of n)e[a]=pa(o(a));return e}function Xi(i){return Qe(i,{top:"y",right:"x",bottom:"y",left:"x"})}function St(i){return Qe(i,["topLeft","topRight","bottomLeft","bottomRight"])}function U(i){let t=Xi(i);return t.width=t.left+t.right,t.height=t.top+t.bottom,t}function $(i,t){i=i||{},t=t||O.font;let e=C(i.size,t.size);typeof e=="string"&&(e=parseInt(e,10));let s=C(i.style,t.style);s&&!(""+s).match(fa)&&(console.warn('Invalid font style specified: "'+s+'"'),s="");let n={family:C(i.family,t.family),lineHeight:ga(C(i.lineHeight,t.lineHeight),e),size:e,style:s,weight:C(i.weight,t.weight),string:""};return n.string=ca(n),n}function Zt(i,t,e,s){let n=!0,o,a,r;for(o=0,a=i.length;oe&&r===0?0:r+l;return{min:a(s,-Math.abs(o)),max:a(n,o)}}function pt(i,t){return Object.assign(Object.create(i),t)}function ti(i,t=[""],e=i,s,n=()=>i[0]){J(s)||(s=fn("_fallback",i));let o={[Symbol.toStringTag]:"Object",_cacheable:!0,_scopes:i,_rootScopes:e,_fallback:s,_getTarget:n,override:a=>ti([a,...i],t,e,s)};return new Proxy(o,{deleteProperty(a,r){return delete a[r],delete a._keys,delete i[0][r],!0},get(a,r){return dn(a,r,()=>wa(r,t,i,a))},getOwnPropertyDescriptor(a,r){return Reflect.getOwnPropertyDescriptor(a._scopes[0],r)},getPrototypeOf(){return Reflect.getPrototypeOf(i[0])},has(a,r){return zs(a).includes(r)},ownKeys(a){return zs(a)},set(a,r,l){let c=a._storage||(a._storage=n());return a[r]=c[r]=l,delete a._keys,!0}})}function Lt(i,t,e,s){let n={_cacheable:!1,_proxy:i,_context:t,_subProxy:e,_stack:new Set,_descriptors:Ui(i,s),setContext:o=>Lt(i,o,e,s),override:o=>Lt(i.override(o),t,e,s)};return new Proxy(n,{deleteProperty(o,a){return delete o[a],delete i[a],!0},get(o,a,r){return dn(o,a,()=>ba(o,a,r))},getOwnPropertyDescriptor(o,a){return o._descriptors.allKeys?Reflect.has(i,a)?{enumerable:!0,configurable:!0}:void 0:Reflect.getOwnPropertyDescriptor(i,a)},getPrototypeOf(){return Reflect.getPrototypeOf(i)},has(o,a){return Reflect.has(i,a)},ownKeys(){return Reflect.ownKeys(i)},set(o,a,r){return i[a]=r,delete o[a],!0}})}function Ui(i,t={scriptable:!0,indexable:!0}){let{_scriptable:e=t.scriptable,_indexable:s=t.indexable,_allKeys:n=t.allKeys}=i;return{allKeys:n,scriptable:e,indexable:s,isScriptable:ft(e)?e:()=>e,isIndexable:ft(s)?s:()=>s}}var ma=(i,t)=>i?i+Ue(t):t,Ki=(i,t)=>D(t)&&i!=="adapters"&&(Object.getPrototypeOf(t)===null||t.constructor===Object);function dn(i,t,e){if(Object.prototype.hasOwnProperty.call(i,t))return i[t];let s=e();return i[t]=s,s}function ba(i,t,e){let{_proxy:s,_context:n,_subProxy:o,_descriptors:a}=i,r=s[t];return ft(r)&&a.isScriptable(t)&&(r=_a(t,r,i,e)),I(r)&&r.length&&(r=xa(t,r,i,a.isIndexable)),Ki(t,r)&&(r=Lt(r,n,o&&o[t],a)),r}function _a(i,t,e,s){let{_proxy:n,_context:o,_subProxy:a,_stack:r}=e;if(r.has(i))throw new Error("Recursion detected: "+Array.from(r).join("->")+"->"+i);return r.add(i),t=t(o,a||s),r.delete(i),Ki(i,t)&&(t=qi(n._scopes,n,i,t)),t}function xa(i,t,e,s){let{_proxy:n,_context:o,_subProxy:a,_descriptors:r}=e;if(J(o.index)&&s(i))t=t[o.index%t.length];else if(D(t[0])){let l=t,c=n._scopes.filter(h=>h!==l);t=[];for(let h of l){let d=qi(c,n,i,h);t.push(Lt(d,o,a&&a[i],r))}}return t}function un(i,t,e){return ft(i)?i(t,e):i}var ya=(i,t)=>i===!0?t:typeof i=="string"?gt(t,i):void 0;function va(i,t,e,s,n){for(let o of t){let a=ya(e,o);if(a){i.add(a);let r=un(a._fallback,e,n);if(J(r)&&r!==e&&r!==s)return r}else if(a===!1&&J(s)&&e!==s)return null}return!1}function qi(i,t,e,s){let n=t._rootScopes,o=un(t._fallback,e,s),a=[...i,...n],r=new Set;r.add(s);let l=Is(r,a,e,o||e,s);return l===null||J(o)&&o!==e&&(l=Is(r,a,o,l,s),l===null)?!1:ti(Array.from(r),[""],n,o,()=>Ma(t,e,s))}function Is(i,t,e,s,n){for(;e;)e=va(i,t,e,s,n);return e}function Ma(i,t,e){let s=i._getTarget();t in s||(s[t]={});let n=s[t];return I(n)&&D(e)?e:n}function wa(i,t,e,s){let n;for(let o of t)if(n=fn(ma(o,i),e),J(n))return Ki(i,n)?qi(e,s,i,n):n}function fn(i,t){for(let e of t){if(!e)continue;let s=e[i];if(J(s))return s}}function zs(i){let t=i._keys;return t||(t=i._keys=ka(i._scopes)),t}function ka(i){let t=new Set;for(let e of i)for(let s of Object.keys(e).filter(n=>!n.startsWith("_")))t.add(s);return Array.from(t)}function Gi(i,t,e,s){let{iScale:n}=i,{key:o="r"}=this._parsing,a=new Array(s),r,l,c,h;for(r=0,l=s;rti==="x"?"y":"x";function Pa(i,t,e,s){let n=i.skip?t:i,o=t,a=e.skip?t:e,r=Ye(o,n),l=Ye(a,o),c=r/(r+l),h=l/(r+l);c=isNaN(c)?0:c,h=isNaN(h)?0:h;let d=s*c,u=s*h;return{previous:{x:o.x-d*(a.x-n.x),y:o.y-d*(a.y-n.y)},next:{x:o.x+u*(a.x-n.x),y:o.y+u*(a.y-n.y)}}}function Ca(i,t,e){let s=i.length,n,o,a,r,l,c=Xt(i,0);for(let h=0;h!c.skip)),t.cubicInterpolationMode==="monotone")Oa(i,n);else{let c=s?i[i.length-1]:i[0];for(o=0,a=i.length;owindow.getComputedStyle(i,null);function Ta(i,t){return ii(i).getPropertyValue(t)}var La=["top","right","bottom","left"];function Tt(i,t,e){let s={};e=e?"-"+e:"";for(let n=0;n<4;n++){let o=La[n];s[o]=parseFloat(i[t+"-"+o+e])||0}return s.width=s.left+s.right,s.height=s.top+s.bottom,s}var Ra=(i,t,e)=>(i>0||t>0)&&(!e||!e.shadowRoot);function Ea(i,t){let e=i.touches,s=e&&e.length?e[0]:i,{offsetX:n,offsetY:o}=s,a=!1,r,l;if(Ra(n,o,i.target))r=n,l=o;else{let c=t.getBoundingClientRect();r=s.clientX-c.left,l=s.clientY-c.top,a=!0}return{x:r,y:l,box:a}}function Pt(i,t){if("native"in i)return i;let{canvas:e,currentDevicePixelRatio:s}=t,n=ii(e),o=n.boxSizing==="border-box",a=Tt(n,"padding"),r=Tt(n,"border","width"),{x:l,y:c,box:h}=Ea(i,e),d=a.left+(h&&r.left),u=a.top+(h&&r.top),{width:f,height:g}=t;return o&&(f-=a.width+r.width,g-=a.height+r.height),{x:Math.round((l-d)/f*e.width/s),y:Math.round((c-u)/g*e.height/s)}}function Fa(i,t,e){let s,n;if(t===void 0||e===void 0){let o=ei(i);if(!o)t=i.clientWidth,e=i.clientHeight;else{let a=o.getBoundingClientRect(),r=ii(o),l=Tt(r,"border","width"),c=Tt(r,"padding");t=a.width-c.width-l.width,e=a.height-c.height-l.height,s=Xe(r.maxWidth,o,"clientWidth"),n=Xe(r.maxHeight,o,"clientHeight")}}return{width:t,height:e,maxWidth:s||$e,maxHeight:n||$e}}var Si=i=>Math.round(i*10)/10;function mn(i,t,e,s){let n=ii(i),o=Tt(n,"margin"),a=Xe(n.maxWidth,i,"clientWidth")||$e,r=Xe(n.maxHeight,i,"clientHeight")||$e,l=Fa(i,t,e),{width:c,height:h}=l;if(n.boxSizing==="content-box"){let d=Tt(n,"border","width"),u=Tt(n,"padding");c-=u.width+d.width,h-=u.height+d.height}return c=Math.max(0,c-o.width),h=Math.max(0,s?Math.floor(c/s):h-o.height),c=Si(Math.min(c,a,l.maxWidth)),h=Si(Math.min(h,r,l.maxHeight)),c&&!h&&(h=Si(c/2)),{width:c,height:h}}function Ji(i,t,e){let s=t||1,n=Math.floor(i.height*s),o=Math.floor(i.width*s);i.height=n/s,i.width=o/s;let a=i.canvas;return a.style&&(e||!a.style.height&&!a.style.width)&&(a.style.height=`${i.height}px`,a.style.width=`${i.width}px`),i.currentDevicePixelRatio!==s||a.height!==n||a.width!==o?(i.currentDevicePixelRatio=s,a.height=n,a.width=o,i.ctx.setTransform(s,0,0,s,0,0),!0):!1}var bn=function(){let i=!1;try{let t={get passive(){return i=!0,!1}};window.addEventListener("test",null,t),window.removeEventListener("test",null,t)}catch{}return i}();function Qi(i,t){let e=Ta(i,t),s=e&&e.match(/^(\d+)(\.\d+)?px$/);return s?+s[1]:void 0}function xt(i,t,e,s){return{x:i.x+e*(t.x-i.x),y:i.y+e*(t.y-i.y)}}function _n(i,t,e,s){return{x:i.x+e*(t.x-i.x),y:s==="middle"?e<.5?i.y:t.y:s==="after"?e<1?i.y:t.y:e>0?t.y:i.y}}function xn(i,t,e,s){let n={x:i.cp2x,y:i.cp2y},o={x:t.cp1x,y:t.cp1y},a=xt(i,n,e),r=xt(n,o,e),l=xt(o,t,e),c=xt(a,r,e),h=xt(r,l,e);return xt(c,h,e)}var Bs=new Map;function Ia(i,t){t=t||{};let e=i+JSON.stringify(t),s=Bs.get(e);return s||(s=new Intl.NumberFormat(i,t),Bs.set(e,s)),s}function Jt(i,t,e){return Ia(t,e).format(i)}var za=function(i,t){return{x(e){return i+i+t-e},setWidth(e){t=e},textAlign(e){return e==="center"?e:e==="right"?"left":"right"},xPlus(e,s){return e-s},leftForLtr(e,s){return e-s}}},Ba=function(){return{x(i){return i},setWidth(i){},textAlign(i){return i},xPlus(i,t){return i+t},leftForLtr(i,t){return i}}};function Et(i,t,e){return i?za(t,e):Ba()}function ts(i,t){let e,s;(t==="ltr"||t==="rtl")&&(e=i.canvas.style,s=[e.getPropertyValue("direction"),e.getPropertyPriority("direction")],e.setProperty("direction",t,"important"),i.prevTextDirection=s)}function es(i,t){t!==void 0&&(delete i.prevTextDirection,i.canvas.style.setProperty("direction",t[0],t[1]))}function yn(i){return i==="angle"?{between:qt,compare:Wo,normalize:G}:{between:lt,compare:(t,e)=>t-e,normalize:t=>t}}function Vs({start:i,end:t,count:e,loop:s,style:n}){return{start:i%e,end:t%e,loop:s&&(t-i+1)%e===0,style:n}}function Va(i,t,e){let{property:s,start:n,end:o}=e,{between:a,normalize:r}=yn(s),l=t.length,{start:c,end:h,loop:d}=i,u,f;if(d){for(c+=l,h+=l,u=0,f=l;ul(n,v,b)&&r(n,v)!==0,x=()=>r(o,b)===0||l(o,v,b),M=()=>p||y(),w=()=>!p||x();for(let S=h,k=h;S<=d;++S)_=t[S%a],!_.skip&&(b=c(_[s]),b!==v&&(p=l(b,n,o),m===null&&M()&&(m=r(b,n)===0?S:k),m!==null&&w()&&(g.push(Vs({start:m,end:S,loop:u,count:a,style:f})),m=null),k=S,v=b));return m!==null&&g.push(Vs({start:m,end:d,loop:u,count:a,style:f})),g}function ss(i,t){let e=[],s=i.segments;for(let n=0;nn&&i[o%t].skip;)o--;return o%=t,{start:n,end:o}}function Na(i,t,e,s){let n=i.length,o=[],a=t,r=i[t],l;for(l=t+1;l<=e;++l){let c=i[l%n];c.skip||c.stop?r.skip||(s=!1,o.push({start:t%n,end:(l-1)%n,loop:s}),t=a=c.stop?l:null):(a=l,r.skip&&(t=l)),r=c}return a!==null&&o.push({start:t%n,end:a%n,loop:s}),o}function vn(i,t){let e=i.points,s=i.options.spanGaps,n=e.length;if(!n)return[];let o=!!i._loop,{start:a,end:r}=Wa(e,n,o,s);if(s===!0)return Ws(i,[{start:a,end:r,loop:o}],e,t);let l=rr({chart:t,initial:e.initial,numSteps:a,currentStep:Math.min(s-e.start,a)}))}_refresh(){this._request||(this._running=!0,this._request=Ii.call(window,()=>{this._update(),this._request=null,this._running&&this._refresh()}))}_update(t=Date.now()){let e=0;this._charts.forEach((s,n)=>{if(!s.running||!s.items.length)return;let o=s.items,a=o.length-1,r=!1,l;for(;a>=0;--a)l=o[a],l._active?(l._total>s.duration&&(s.duration=l._total),l.tick(t),r=!0):(o[a]=o[o.length-1],o.pop());r&&(n.draw(),this._notify(n,s,t,"progress")),o.length||(s.running=!1,this._notify(n,s,t,"complete"),s.initial=!1),e+=o.length}),this._lastDate=t,e===0&&(this._running=!1)}_getAnims(t){let e=this._charts,s=e.get(t);return s||(s={running:!1,initial:!0,items:[],listeners:{complete:[],progress:[]}},e.set(t,s)),s}listen(t,e,s){this._getAnims(t).listeners[e].push(s)}add(t,e){!e||!e.length||this._getAnims(t).items.push(...e)}has(t){return this._getAnims(t).items.length>0}start(t){let e=this._charts.get(t);e&&(e.running=!0,e.start=Date.now(),e.duration=e.items.reduce((s,n)=>Math.max(s,n._duration),0),this._refresh())}running(t){if(!this._running)return!1;let e=this._charts.get(t);return!(!e||!e.running||!e.items.length)}stop(t){let e=this._charts.get(t);if(!e||!e.items.length)return;let s=e.items,n=s.length-1;for(;n>=0;--n)s[n].cancel();e.items=[],this._notify(t,e,Date.now(),"complete")}remove(t){return this._charts.delete(t)}},mt=new fs,Mn="transparent",$a={boolean(i,t,e){return e>.5?t:i},color(i,t,e){let s=ji(i||Mn),n=s.valid&&ji(t||Mn);return n&&n.valid?n.mix(s,e).hexString():t},number(i,t,e){return i+(t-i)*e}},gs=class{constructor(t,e,s,n){let o=e[s];n=Zt([t.to,n,o,t.from]);let a=Zt([t.from,o,n]);this._active=!0,this._fn=t.fn||$a[t.type||typeof a],this._easing=Ht[t.easing]||Ht.linear,this._start=Math.floor(Date.now()+(t.delay||0)),this._duration=this._total=Math.floor(t.duration),this._loop=!!t.loop,this._target=e,this._prop=s,this._from=a,this._to=n,this._promises=void 0}active(){return this._active}update(t,e,s){if(this._active){this._notify(!1);let n=this._target[this._prop],o=s-this._start,a=this._duration-o;this._start=s,this._duration=Math.floor(Math.max(a,t.duration)),this._total+=o,this._loop=!!t.loop,this._to=Zt([t.to,e,n,t.from]),this._from=Zt([t.from,n,e])}}cancel(){this._active&&(this.tick(Date.now()),this._active=!1,this._notify(!1))}tick(t){let e=t-this._start,s=this._duration,n=this._prop,o=this._from,a=this._loop,r=this._to,l;if(this._active=o!==r&&(a||e1?2-l:l,l=this._easing(Math.min(1,Math.max(0,l))),this._target[n]=this._fn(o,r,l)}wait(){let t=this._promises||(this._promises=[]);return new Promise((e,s)=>{t.push({res:e,rej:s})})}_notify(t){let e=t?"res":"rej",s=this._promises||[];for(let n=0;ni!=="onProgress"&&i!=="onComplete"&&i!=="fn"});O.set("animations",{colors:{type:"color",properties:Xa},numbers:{type:"number",properties:Ya}});O.describe("animations",{_fallback:"animation"});O.set("transitions",{active:{animation:{duration:400}},resize:{animation:{duration:0}},show:{animations:{colors:{from:"transparent"},visible:{type:"boolean",duration:0}}},hide:{animations:{colors:{to:"transparent"},visible:{type:"boolean",easing:"linear",fn:i=>i|0}}}});var hi=class{constructor(t,e){this._chart=t,this._properties=new Map,this.configure(e)}configure(t){if(!D(t))return;let e=this._properties;Object.getOwnPropertyNames(t).forEach(s=>{let n=t[s];if(!D(n))return;let o={};for(let a of Ua)o[a]=n[a];(I(n.properties)&&n.properties||[s]).forEach(a=>{(a===s||!e.has(a))&&e.set(a,o)})})}_animateOptions(t,e){let s=e.options,n=qa(t,s);if(!n)return[];let o=this._createAnimations(n,s);return s.$shared&&Ka(t.options.$animations,s).then(()=>{t.options=s},()=>{}),o}_createAnimations(t,e){let s=this._properties,n=[],o=t.$animations||(t.$animations={}),a=Object.keys(e),r=Date.now(),l;for(l=a.length-1;l>=0;--l){let c=a[l];if(c.charAt(0)==="$")continue;if(c==="options"){n.push(...this._animateOptions(t,e));continue}let h=e[c],d=o[c],u=s.get(c);if(d)if(u&&d.active()){d.update(u,h,r);continue}else d.cancel();if(!u||!u.duration){t[c]=h;continue}o[c]=d=new gs(u,t,c,h),n.push(d)}return n}update(t,e){if(this._properties.size===0){Object.assign(t,e);return}let s=this._createAnimations(t,e);if(s.length)return mt.add(this._chart,s),!0}};function Ka(i,t){let e=[],s=Object.keys(t);for(let n=0;n0||!e&&o<0)return n.index}return null}function Cn(i,t){let{chart:e,_cachedMeta:s}=i,n=e._stacks||(e._stacks={}),{iScale:o,vScale:a,index:r}=s,l=o.axis,c=a.axis,h=Qa(o,a,s),d=t.length,u;for(let f=0;fe[s].axis===t).shift()}function ir(i,t){return pt(i,{active:!1,dataset:void 0,datasetIndex:t,index:t,mode:"default",type:"dataset"})}function sr(i,t,e){return pt(i,{active:!1,dataIndex:t,parsed:void 0,raw:void 0,element:e,index:t,mode:"default",type:"data"})}function ve(i,t){let e=i.controller.index,s=i.vScale&&i.vScale.axis;if(s){t=t||i._parsed;for(let n of t){let o=n._stacks;if(!o||o[s]===void 0||o[s][e]===void 0)return;delete o[s][e]}}}var os=i=>i==="reset"||i==="none",Dn=(i,t)=>t?i:Object.assign({},i),nr=(i,t,e)=>i&&!t.hidden&&t._stacked&&{keys:go(e,!0),values:null},et=class{constructor(t,e){this.chart=t,this._ctx=t.ctx,this.index=e,this._cachedDataOpts={},this._cachedMeta=this.getMeta(),this._type=this._cachedMeta.type,this.options=void 0,this._parsing=!1,this._data=void 0,this._objectData=void 0,this._sharedOptions=void 0,this._drawStart=void 0,this._drawCount=void 0,this.enableOptionSharing=!1,this.supportsDecimation=!1,this.$context=void 0,this._syncList=[],this.initialize()}initialize(){let t=this._cachedMeta;this.configure(),this.linkScales(),t._stacked=Sn(t.vScale,t),this.addElements()}updateIndex(t){this.index!==t&&ve(this._cachedMeta),this.index=t}linkScales(){let t=this.chart,e=this._cachedMeta,s=this.getDataset(),n=(d,u,f,g)=>d==="x"?u:d==="r"?g:f,o=e.xAxisID=C(s.xAxisID,ns(t,"x")),a=e.yAxisID=C(s.yAxisID,ns(t,"y")),r=e.rAxisID=C(s.rAxisID,ns(t,"r")),l=e.indexAxis,c=e.iAxisID=n(l,o,a,r),h=e.vAxisID=n(l,a,o,r);e.xScale=this.getScaleForId(o),e.yScale=this.getScaleForId(a),e.rScale=this.getScaleForId(r),e.iScale=this.getScaleForId(c),e.vScale=this.getScaleForId(h)}getDataset(){return this.chart.data.datasets[this.index]}getMeta(){return this.chart.getDatasetMeta(this.index)}getScaleForId(t){return this.chart.scales[t]}_getOtherScale(t){let e=this._cachedMeta;return t===e.iScale?e.vScale:e.iScale}reset(){this._update("reset")}_destroy(){let t=this._cachedMeta;this._data&&Ei(this._data,this),t._stacked&&ve(t)}_dataCheck(){let t=this.getDataset(),e=t.data||(t.data=[]),s=this._data;if(D(e))this._data=Ja(e);else if(s!==e){if(s){Ei(s,this);let n=this._cachedMeta;ve(n),n._parsed=[]}e&&Object.isExtensible(e)&&Js(e,this),this._syncList=[],this._data=e}}addElements(){let t=this._cachedMeta;this._dataCheck(),this.datasetElementType&&(t.dataset=new this.datasetElementType)}buildOrUpdateElements(t){let e=this._cachedMeta,s=this.getDataset(),n=!1;this._dataCheck();let o=e._stacked;e._stacked=Sn(e.vScale,e),e.stack!==s.stack&&(n=!0,ve(e),e.stack=s.stack),this._resyncElements(t),(n||o!==e._stacked)&&Cn(this,e._parsed)}configure(){let t=this.chart.config,e=t.datasetScopeKeys(this._type),s=t.getOptionScopes(this.getDataset(),e,!0);this.options=t.createResolver(s,this.getContext()),this._parsing=this.options.parsing,this._cachedDataOpts={}}parse(t,e){let{_cachedMeta:s,_data:n}=this,{iScale:o,_stacked:a}=s,r=o.axis,l=t===0&&e===n.length?!0:s._sorted,c=t>0&&s._parsed[t-1],h,d,u;if(this._parsing===!1)s._parsed=n,s._sorted=!0,u=n;else{I(n[t])?u=this.parseArrayData(s,n,t,e):D(n[t])?u=this.parseObjectData(s,n,t,e):u=this.parsePrimitiveData(s,n,t,e);let f=()=>d[r]===null||c&&d[r]p||d=0;--u)if(!g()){this.updateRangeFromParsed(c,t,f,l);break}}return c}getAllParsedValues(t){let e=this._cachedMeta._parsed,s=[],n,o,a;for(n=0,o=e.length;n=0&&tthis.getContext(s,n),p=c.resolveNamedOptions(u,f,g,d);return p.$shared&&(p.$shared=l,o[a]=Object.freeze(Dn(p,l))),p}_resolveAnimations(t,e,s){let n=this.chart,o=this._cachedDataOpts,a=`animation-${e}`,r=o[a];if(r)return r;let l;if(n.options.animation!==!1){let h=this.chart.config,d=h.datasetAnimationScopeKeys(this._type,e),u=h.getOptionScopes(this.getDataset(),d);l=h.createResolver(u,this.getContext(t,s,e))}let c=new hi(n,l&&l.animations);return l&&l._cacheable&&(o[a]=Object.freeze(c)),c}getSharedOptions(t){if(t.$shared)return this._sharedOptions||(this._sharedOptions=Object.assign({},t))}includeOptions(t,e){return!e||os(t)||this.chart._animationsDisabled}_getSharedOptions(t,e){let s=this.resolveDataElementOptions(t,e),n=this._sharedOptions,o=this.getSharedOptions(s),a=this.includeOptions(e,o)||o!==n;return this.updateSharedOptions(o,e,s),{sharedOptions:o,includeOptions:a}}updateElement(t,e,s,n){os(n)?Object.assign(t,s):this._resolveAnimations(e,n).update(t,s)}updateSharedOptions(t,e,s){t&&!os(e)&&this._resolveAnimations(void 0,e).update(t,s)}_setStyle(t,e,s,n){t.active=n;let o=this.getStyle(e,n);this._resolveAnimations(e,s,n).update(t,{options:!n&&this.getSharedOptions(o)||o})}removeHoverStyle(t,e,s){this._setStyle(t,s,"active",!1)}setHoverStyle(t,e,s){this._setStyle(t,s,"active",!0)}_removeDatasetHoverStyle(){let t=this._cachedMeta.dataset;t&&this._setStyle(t,void 0,"active",!1)}_setDatasetHoverStyle(){let t=this._cachedMeta.dataset;t&&this._setStyle(t,void 0,"active",!0)}_resyncElements(t){let e=this._data,s=this._cachedMeta.data;for(let[r,l,c]of this._syncList)this[r](l,c);this._syncList=[];let n=s.length,o=e.length,a=Math.min(o,n);a&&this.parse(0,a),o>n?this._insertElements(n,o-n,t):o{for(c.length+=e,r=c.length-1;r>=a;r--)c[r]=c[r-e]};for(l(o),r=t;rn-o))}return i._cache.$bar}function ar(i){let t=i.iScale,e=or(t,i.type),s=t._length,n,o,a,r,l=()=>{a===32767||a===-32768||(J(r)&&(s=Math.min(s,Math.abs(a-r)||s)),r=a)};for(n=0,o=e.length;n0?n[i-1]:null,r=iMath.abs(r)&&(l=r,c=a),t[e.axis]=c,t._custom={barStart:l,barEnd:c,start:n,end:o,min:a,max:r}}function po(i,t,e,s){return I(i)?cr(i,t,e,s):t[e.axis]=e.parse(i,s),t}function On(i,t,e,s){let n=i.iScale,o=i.vScale,a=n.getLabels(),r=n===o,l=[],c,h,d,u;for(c=e,h=e+s;c=e?1:-1)}function dr(i){let t,e,s,n,o;return i.horizontal?(t=i.base>i.x,e="left",s="right"):(t=i.basel.controller.options.grouped),o=s.options.stacked,a=[],r=l=>{let c=l.controller.getParsed(e),h=c&&c[l.vScale.axis];if(T(h)||isNaN(h))return!0};for(let l of n)if(!(e!==void 0&&r(l))&&((o===!1||a.indexOf(l.stack)===-1||o===void 0&&l.stack===void 0)&&a.push(l.stack),l.index===t))break;return a.length||a.push(void 0),a}_getStackCount(t){return this._getStacks(void 0,t).length}_getStackIndex(t,e,s){let n=this._getStacks(t,s),o=e!==void 0?n.indexOf(e):-1;return o===-1?n.length-1:o}_getRuler(){let t=this.options,e=this._cachedMeta,s=e.iScale,n=[],o,a;for(o=0,a=e.data.length;o=0;--s)e=Math.max(e,t[s].size(this.resolveDataElementOptions(s))/2);return e>0&&e}getLabelAndValue(t){let e=this._cachedMeta,{xScale:s,yScale:n}=e,o=this.getParsed(t),a=s.getLabelForValue(o.x),r=n.getLabelForValue(o.y),l=o._custom;return{label:e.label,value:"("+a+", "+r+(l?", "+l:"")+")"}}update(t){let e=this._cachedMeta.data;this.updateElements(e,0,e.length,t)}updateElements(t,e,s,n){let o=n==="reset",{iScale:a,vScale:r}=this._cachedMeta,{sharedOptions:l,includeOptions:c}=this._getSharedOptions(e,n),h=a.axis,d=r.axis;for(let u=e;uqt(v,r,l,!0)?1:Math.max(y,y*e,x,x*e),g=(v,y,x)=>qt(v,r,l,!0)?-1:Math.min(y,y*e,x,x*e),p=f(0,c,d),m=f(V,h,u),b=g(B,c,d),_=g(B+V,h,u);s=(p-b)/2,n=(m-_)/2,o=-(p+b)/2,a=-(m+_)/2}return{ratioX:s,ratioY:n,offsetX:o,offsetY:a}}var Ot=class extends et{constructor(t,e){super(t,e),this.enableOptionSharing=!0,this.innerRadius=void 0,this.outerRadius=void 0,this.offsetX=void 0,this.offsetY=void 0}linkScales(){}parse(t,e){let s=this.getDataset().data,n=this._cachedMeta;if(this._parsing===!1)n._parsed=s;else{let o=l=>+s[l];if(D(s[t])){let{key:l="value"}=this._parsing;o=c=>+gt(s[c],l)}let a,r;for(a=t,r=t+e;a0&&!isNaN(t)?F*(Math.abs(t)/e):0}getLabelAndValue(t){let e=this._cachedMeta,s=this.chart,n=s.data.labels||[],o=Jt(e._parsed[t],s.options.locale);return{label:n[t]||"",value:o}}getMaxBorderWidth(t){let e=0,s=this.chart,n,o,a,r,l;if(!t){for(n=0,o=s.data.datasets.length;ni!=="spacing",_indexable:i=>i!=="spacing"};Ot.overrides={aspectRatio:1,plugins:{legend:{labels:{generateLabels(i){let t=i.data;if(t.labels.length&&t.datasets.length){let{labels:{pointStyle:e}}=i.legend.options;return t.labels.map((s,n)=>{let a=i.getDatasetMeta(0).controller.getStyle(n);return{text:s,fillStyle:a.backgroundColor,strokeStyle:a.borderColor,lineWidth:a.borderWidth,pointStyle:e,hidden:!i.getDataVisibility(n),index:n}})}return[]}},onClick(i,t,e){e.chart.toggleDataVisibility(t.index),e.chart.update()}},tooltip:{callbacks:{title(){return""},label(i){let t=i.label,e=": "+i.formattedValue;return I(t)?(t=t.slice(),t[0]+=e):t+=e,t}}}}};var se=class extends et{initialize(){this.enableOptionSharing=!0,this.supportsDecimation=!0,super.initialize()}update(t){let e=this._cachedMeta,{dataset:s,data:n=[],_dataset:o}=e,a=this.chart._animationsDisabled,{start:r,count:l}=Bi(e,n,a);this._drawStart=r,this._drawCount=l,Vi(e)&&(r=0,l=n.length),s._chart=this.chart,s._datasetIndex=this.index,s._decimated=!!o._decimated,s.points=n;let c=this.resolveDatasetElementOptions(t);this.options.showLine||(c.borderWidth=0),c.segment=this.options.segment,this.updateElement(s,void 0,{animated:!a,options:c},t),this.updateElements(n,r,l,t)}updateElements(t,e,s,n){let o=n==="reset",{iScale:a,vScale:r,_stacked:l,_dataset:c}=this._cachedMeta,{sharedOptions:h,includeOptions:d}=this._getSharedOptions(e,n),u=a.axis,f=r.axis,{spanGaps:g,segment:p}=this.options,m=Rt(g)?g:Number.POSITIVE_INFINITY,b=this.chart._animationsDisabled||o||n==="none",_=e>0&&this.getParsed(e-1);for(let v=e;v0&&Math.abs(x[u]-_[u])>m,p&&(M.parsed=x,M.raw=c.data[v]),d&&(M.options=h||this.resolveDataElementOptions(v,y.active?"active":n)),b||this.updateElement(y,v,M,n),_=x}}getMaxOverflow(){let t=this._cachedMeta,e=t.dataset,s=e.options&&e.options.borderWidth||0,n=t.data||[];if(!n.length)return s;let o=n[0].size(this.resolveDataElementOptions(0)),a=n[n.length-1].size(this.resolveDataElementOptions(n.length-1));return Math.max(s,o,a)/2}draw(){let t=this._cachedMeta;t.dataset.updateControlPoints(this.chart.chartArea,t.iScale.axis),super.draw()}};se.id="line";se.defaults={datasetElementType:"line",dataElementType:"point",showLine:!0,spanGaps:!1};se.overrides={scales:{_index_:{type:"category"},_value_:{type:"linear"}}};var ne=class extends et{constructor(t,e){super(t,e),this.innerRadius=void 0,this.outerRadius=void 0}getLabelAndValue(t){let e=this._cachedMeta,s=this.chart,n=s.data.labels||[],o=Jt(e._parsed[t].r,s.options.locale);return{label:n[t]||"",value:o}}parseObjectData(t,e,s,n){return Gi.bind(this)(t,e,s,n)}update(t){let e=this._cachedMeta.data;this._updateRadius(),this.updateElements(e,0,e.length,t)}getMinMax(){let t=this._cachedMeta,e={min:Number.POSITIVE_INFINITY,max:Number.NEGATIVE_INFINITY};return t.data.forEach((s,n)=>{let o=this.getParsed(n).r;!isNaN(o)&&this.chart.getDataVisibility(n)&&(oe.max&&(e.max=o))}),e}_updateRadius(){let t=this.chart,e=t.chartArea,s=t.options,n=Math.min(e.right-e.left,e.bottom-e.top),o=Math.max(n/2,0),a=Math.max(s.cutoutPercentage?o/100*s.cutoutPercentage:1,0),r=(o-a)/t.getVisibleDatasetCount();this.outerRadius=o-r*this.index,this.innerRadius=this.outerRadius-r}updateElements(t,e,s,n){let o=n==="reset",a=this.chart,l=a.options.animation,c=this._cachedMeta.rScale,h=c.xCenter,d=c.yCenter,u=c.getIndexAngle(0)-.5*B,f=u,g,p=360/this.countVisibleElements();for(g=0;g{!isNaN(this.getParsed(n).r)&&this.chart.getDataVisibility(n)&&e++}),e}_computeAngle(t,e,s){return this.chart.getDataVisibility(t)?nt(this.resolveDataElementOptions(t,e).angle||s):0}};ne.id="polarArea";ne.defaults={dataElementType:"arc",animation:{animateRotate:!0,animateScale:!0},animations:{numbers:{type:"number",properties:["x","y","startAngle","endAngle","innerRadius","outerRadius"]}},indexAxis:"r",startAngle:0};ne.overrides={aspectRatio:1,plugins:{legend:{labels:{generateLabels(i){let t=i.data;if(t.labels.length&&t.datasets.length){let{labels:{pointStyle:e}}=i.legend.options;return t.labels.map((s,n)=>{let a=i.getDatasetMeta(0).controller.getStyle(n);return{text:s,fillStyle:a.backgroundColor,strokeStyle:a.borderColor,lineWidth:a.borderWidth,pointStyle:e,hidden:!i.getDataVisibility(n),index:n}})}return[]}},onClick(i,t,e){e.chart.toggleDataVisibility(t.index),e.chart.update()}},tooltip:{callbacks:{title(){return""},label(i){return i.chart.data.labels[i.dataIndex]+": "+i.formattedValue}}}},scales:{r:{type:"radialLinear",angleLines:{display:!1},beginAtZero:!0,grid:{circular:!0},pointLabels:{display:!1},startAngle:0}}};var De=class extends Ot{};De.id="pie";De.defaults={cutout:0,rotation:0,circumference:360,radius:"100%"};var oe=class extends et{getLabelAndValue(t){let e=this._cachedMeta.vScale,s=this.getParsed(t);return{label:e.getLabels()[t],value:""+e.getLabelForValue(s[e.axis])}}parseObjectData(t,e,s,n){return Gi.bind(this)(t,e,s,n)}update(t){let e=this._cachedMeta,s=e.dataset,n=e.data||[],o=e.iScale.getLabels();if(s.points=n,t!=="resize"){let a=this.resolveDatasetElementOptions(t);this.options.showLine||(a.borderWidth=0);let r={_loop:!0,_fullLoop:o.length===n.length,options:a};this.updateElement(s,void 0,r,t)}this.updateElements(n,0,n.length,t)}updateElements(t,e,s,n){let o=this._cachedMeta.rScale,a=n==="reset";for(let r=e;r{n[o]=s[o]&&s[o].active()?s[o]._to:this[o]}),n}};it.defaults={};it.defaultRoutes=void 0;var mo={values(i){return I(i)?i:""+i},numeric(i,t,e){if(i===0)return"0";let s=this.chart.options.locale,n,o=i;if(e.length>1){let c=Math.max(Math.abs(e[0].value),Math.abs(e[e.length-1].value));(c<1e-4||c>1e15)&&(n="scientific"),o=mr(i,e)}let a=tt(Math.abs(o)),r=Math.max(Math.min(-1*Math.floor(a),20),0),l={notation:n,minimumFractionDigits:r,maximumFractionDigits:r};return Object.assign(l,this.options.ticks.format),Jt(i,s,l)},logarithmic(i,t,e){if(i===0)return"0";let s=i/Math.pow(10,Math.floor(tt(i)));return s===1||s===2||s===5?mo.numeric.call(this,i,t,e):""}};function mr(i,t){let e=t.length>3?t[2].value-t[1].value:t[1].value-t[0].value;return Math.abs(e)>=1&&i!==Math.floor(i)&&(e=i-Math.floor(i)),e}var mi={formatters:mo};O.set("scale",{display:!0,offset:!1,reverse:!1,beginAtZero:!1,bounds:"ticks",grace:0,grid:{display:!0,lineWidth:1,drawBorder:!0,drawOnChartArea:!0,drawTicks:!0,tickLength:8,tickWidth:(i,t)=>t.lineWidth,tickColor:(i,t)=>t.color,offset:!1,borderDash:[],borderDashOffset:0,borderWidth:1},title:{display:!1,text:"",padding:{top:4,bottom:4}},ticks:{minRotation:0,maxRotation:50,mirror:!1,textStrokeWidth:0,textStrokeColor:"",padding:3,display:!0,autoSkip:!0,autoSkipPadding:3,labelOffset:0,callback:mi.formatters.values,minor:{},major:{},align:"center",crossAlign:"near",showLabelBackdrop:!1,backdropColor:"rgba(255, 255, 255, 0.75)",backdropPadding:2}});O.route("scale.ticks","color","","color");O.route("scale.grid","color","","borderColor");O.route("scale.grid","borderColor","","borderColor");O.route("scale.title","color","","color");O.describe("scale",{_fallback:!1,_scriptable:i=>!i.startsWith("before")&&!i.startsWith("after")&&i!=="callback"&&i!=="parser",_indexable:i=>i!=="borderDash"&&i!=="tickBorderDash"});O.describe("scales",{_fallback:"scale"});O.describe("scale.ticks",{_scriptable:i=>i!=="backdropPadding"&&i!=="callback",_indexable:i=>i!=="backdropPadding"});function br(i,t){let e=i.options.ticks,s=e.maxTicksLimit||_r(i),n=e.major.enabled?yr(t):[],o=n.length,a=n[0],r=n[o-1],l=[];if(o>s)return vr(t,l,n,o/s),l;let c=xr(n,t,s);if(o>0){let h,d,u=o>1?Math.round((r-a)/(o-1)):null;for(si(t,l,c,T(u)?0:a-u,a),h=0,d=o-1;hn)return l}return Math.max(n,1)}function yr(i){let t=[],e,s;for(e=0,s=i.length;ei==="left"?"right":i==="right"?"left":i,Ln=(i,t,e)=>t==="top"||t==="left"?i[t]+e:i[t]-e;function Rn(i,t){let e=[],s=i.length/t,n=i.length,o=0;for(;oa+r)))return l}function Sr(i,t){E(i,e=>{let s=e.gc,n=s.length/2,o;if(n>t){for(o=0;os?s:e,s=n&&e>s?e:s,{min:Q(e,Q(s,e)),max:Q(s,Q(e,s))}}getPadding(){return{left:this.paddingLeft||0,top:this.paddingTop||0,right:this.paddingRight||0,bottom:this.paddingBottom||0}}getTicks(){return this.ticks}getLabels(){let t=this.chart.data;return this.options.labels||(this.isHorizontal()?t.xLabels:t.yLabels)||t.labels||[]}beforeLayout(){this._cache={},this._dataLimitsCached=!1}beforeUpdate(){z(this.options.beforeUpdate,[this])}update(t,e,s){let{beginAtZero:n,grace:o,ticks:a}=this.options,r=a.sampleSize;this.beforeUpdate(),this.maxWidth=t,this.maxHeight=e,this._margins=s=Object.assign({left:0,right:0,top:0,bottom:0},s),this.ticks=null,this._labelSizes=null,this._gridLineItems=null,this._labelItems=null,this.beforeSetDimensions(),this.setDimensions(),this.afterSetDimensions(),this._maxLength=this.isHorizontal()?this.width+s.left+s.right:this.height+s.top+s.bottom,this._dataLimitsCached||(this.beforeDataLimits(),this.determineDataLimits(),this.afterDataLimits(),this._range=hn(this,o,n),this._dataLimitsCached=!0),this.beforeBuildTicks(),this.ticks=this.buildTicks()||[],this.afterBuildTicks();let l=r=o||s<=1||!this.isHorizontal()){this.labelRotation=n;return}let h=this._getLabelSizes(),d=h.widest.width,u=h.highest.height,f=Y(this.chart.width-d,0,this.maxWidth);r=t.offset?this.maxWidth/s:f/(s-1),d+6>r&&(r=f/(s-(t.offset?.5:1)),l=this.maxHeight-Me(t.grid)-e.padding-En(t.title,this.chart.options.font),c=Math.sqrt(d*d+u*u),a=Ke(Math.min(Math.asin(Y((h.highest.height+6)/r,-1,1)),Math.asin(Y(l/c,-1,1))-Math.asin(Y(u/c,-1,1)))),a=Math.max(n,Math.min(o,a))),this.labelRotation=a}afterCalculateLabelRotation(){z(this.options.afterCalculateLabelRotation,[this])}afterAutoSkip(){}beforeFit(){z(this.options.beforeFit,[this])}fit(){let t={width:0,height:0},{chart:e,options:{ticks:s,title:n,grid:o}}=this,a=this._isVisible(),r=this.isHorizontal();if(a){let l=En(n,e.options.font);if(r?(t.width=this.maxWidth,t.height=Me(o)+l):(t.height=this.maxHeight,t.width=Me(o)+l),s.display&&this.ticks.length){let{first:c,last:h,widest:d,highest:u}=this._getLabelSizes(),f=s.padding*2,g=nt(this.labelRotation),p=Math.cos(g),m=Math.sin(g);if(r){let b=s.mirror?0:m*d.width+p*u.height;t.height=Math.min(this.maxHeight,t.height+b+f)}else{let b=s.mirror?0:p*d.width+m*u.height;t.width=Math.min(this.maxWidth,t.width+b+f)}this._calculatePadding(c,h,m,p)}}this._handleMargins(),r?(this.width=this._length=e.width-this._margins.left-this._margins.right,this.height=t.height):(this.width=t.width,this.height=this._length=e.height-this._margins.top-this._margins.bottom)}_calculatePadding(t,e,s,n){let{ticks:{align:o,padding:a},position:r}=this.options,l=this.labelRotation!==0,c=r!=="top"&&this.axis==="x";if(this.isHorizontal()){let h=this.getPixelForTick(0)-this.left,d=this.right-this.getPixelForTick(this.ticks.length-1),u=0,f=0;l?c?(u=n*t.width,f=s*e.height):(u=s*t.height,f=n*e.width):o==="start"?f=e.width:o==="end"?u=t.width:o!=="inner"&&(u=t.width/2,f=e.width/2),this.paddingLeft=Math.max((u-h+a)*this.width/(this.width-h),0),this.paddingRight=Math.max((f-d+a)*this.width/(this.width-d),0)}else{let h=e.height/2,d=t.height/2;o==="start"?(h=0,d=t.height):o==="end"&&(h=e.height,d=0),this.paddingTop=h+a,this.paddingBottom=d+a}}_handleMargins(){this._margins&&(this._margins.left=Math.max(this.paddingLeft,this._margins.left),this._margins.top=Math.max(this.paddingTop,this._margins.top),this._margins.right=Math.max(this.paddingRight,this._margins.right),this._margins.bottom=Math.max(this.paddingBottom,this._margins.bottom))}afterFit(){z(this.options.afterFit,[this])}isHorizontal(){let{axis:t,position:e}=this.options;return e==="top"||e==="bottom"||t==="x"}isFullSize(){return this.options.fullSize}_convertTicksToLabels(t){this.beforeTickToLabelConversion(),this.generateTickLabels(t);let e,s;for(e=0,s=t.length;e({width:o[w]||0,height:a[w]||0});return{first:M(0),last:M(e-1),widest:M(y),highest:M(x),widths:o,heights:a}}getLabelForValue(t){return t}getPixelForValue(t,e){return NaN}getValueForPixel(t){}getPixelForTick(t){let e=this.ticks;return t<0||t>e.length-1?null:this.getPixelForValue(e[t].value)}getPixelForDecimal(t){this._reversePixels&&(t=1-t);let e=this._startPixel+t*this._length;return Ks(this._alignToPixels?wt(this.chart,e,0):e)}getDecimalForPixel(t){let e=(t-this._startPixel)/this._length;return this._reversePixels?1-e:e}getBasePixel(){return this.getPixelForValue(this.getBaseValue())}getBaseValue(){let{min:t,max:e}=this;return t<0&&e<0?e:t>0&&e>0?t:0}getContext(t){let e=this.ticks||[];if(t>=0&&tr*n?r/s:l/n:l*n0}_computeGridLineItems(t){let e=this.axis,s=this.chart,n=this.options,{grid:o,position:a}=n,r=o.offset,l=this.isHorizontal(),h=this.ticks.length+(r?1:0),d=Me(o),u=[],f=o.setContext(this.getContext()),g=f.drawBorder?f.borderWidth:0,p=g/2,m=function(P){return wt(s,P,g)},b,_,v,y,x,M,w,S,k,L,R,A;if(a==="top")b=m(this.bottom),M=this.bottom-d,S=b-p,L=m(t.top)+p,A=t.bottom;else if(a==="bottom")b=m(this.top),L=t.top,A=m(t.bottom)-p,M=b+p,S=this.top+d;else if(a==="left")b=m(this.right),x=this.right-d,w=b-p,k=m(t.left)+p,R=t.right;else if(a==="right")b=m(this.left),k=t.left,R=m(t.right)-p,x=b+p,w=this.left+d;else if(e==="x"){if(a==="center")b=m((t.top+t.bottom)/2+.5);else if(D(a)){let P=Object.keys(a)[0],j=a[P];b=m(this.chart.scales[P].getPixelForValue(j))}L=t.top,A=t.bottom,M=b+p,S=M+d}else if(e==="y"){if(a==="center")b=m((t.left+t.right)/2);else if(D(a)){let P=Object.keys(a)[0],j=a[P];b=m(this.chart.scales[P].getPixelForValue(j))}x=b-p,w=x-d,k=t.left,R=t.right}let H=C(n.ticks.maxTicksLimit,h),q=Math.max(1,Math.ceil(h/H));for(_=0;_o.value===t);return n>=0?e.setContext(this.getContext(n)).lineWidth:0}drawGrid(t){let e=this.options.grid,s=this.ctx,n=this._gridLineItems||(this._gridLineItems=this._computeGridLineItems(t)),o,a,r=(l,c,h)=>{!h.width||!h.color||(s.save(),s.lineWidth=h.width,s.strokeStyle=h.color,s.setLineDash(h.borderDash||[]),s.lineDashOffset=h.borderDashOffset,s.beginPath(),s.moveTo(l.x,l.y),s.lineTo(c.x,c.y),s.stroke(),s.restore())};if(e.display)for(o=0,a=n.length;o{this.draw(n)}}]:[{z:s,draw:n=>{this.drawBackground(),this.drawGrid(n),this.drawTitle()}},{z:s+1,draw:()=>{this.drawBorder()}},{z:e,draw:n=>{this.drawLabels(n)}}]}getMatchingVisibleMetas(t){let e=this.chart.getSortedVisibleDatasetMetas(),s=this.axis+"AxisID",n=[],o,a;for(o=0,a=e.length;o{let s=e.split("."),n=s.pop(),o=[i].concat(s).join("."),a=t[e].split("."),r=a.pop(),l=a.join(".");O.route(o,n,l,r)})}function Lr(i){return"id"in i&&"defaults"in i}var ps=class{constructor(){this.controllers=new te(et,"datasets",!0),this.elements=new te(it,"elements"),this.plugins=new te(Object,"plugins"),this.scales=new te(_t,"scales"),this._typedRegistries=[this.controllers,this.scales,this.elements]}add(...t){this._each("register",t)}remove(...t){this._each("unregister",t)}addControllers(...t){this._each("register",t,this.controllers)}addElements(...t){this._each("register",t,this.elements)}addPlugins(...t){this._each("register",t,this.plugins)}addScales(...t){this._each("register",t,this.scales)}getController(t){return this._get(t,this.controllers,"controller")}getElement(t){return this._get(t,this.elements,"element")}getPlugin(t){return this._get(t,this.plugins,"plugin")}getScale(t){return this._get(t,this.scales,"scale")}removeControllers(...t){this._each("unregister",t,this.controllers)}removeElements(...t){this._each("unregister",t,this.elements)}removePlugins(...t){this._each("unregister",t,this.plugins)}removeScales(...t){this._each("unregister",t,this.scales)}_each(t,e,s){[...e].forEach(n=>{let o=s||this._getRegistryForType(n);s||o.isForType(n)||o===this.plugins&&n.id?this._exec(t,o,n):E(n,a=>{let r=s||this._getRegistryForType(a);this._exec(t,r,a)})})}_exec(t,e,s){let n=Ue(t);z(s["before"+n],[],s),e[t](s),z(s["after"+n],[],s)}_getRegistryForType(t){for(let e=0;e0&&this.getParsed(e-1);for(let y=e;y0&&Math.abs(M[f]-v[f])>b,m&&(w.parsed=M,w.raw=c.data[y]),u&&(w.options=d||this.resolveDataElementOptions(y,x.active?"active":n)),_||this.updateElement(x,y,w,n),v=M}this.updateSharedOptions(d,n,h)}getMaxOverflow(){let t=this._cachedMeta,e=t.data||[];if(!this.options.showLine){let r=0;for(let l=e.length-1;l>=0;--l)r=Math.max(r,e[l].size(this.resolveDataElementOptions(l))/2);return r>0&&r}let s=t.dataset,n=s.options&&s.options.borderWidth||0;if(!e.length)return n;let o=e[0].size(this.resolveDataElementOptions(0)),a=e[e.length-1].size(this.resolveDataElementOptions(e.length-1));return Math.max(n,o,a)/2}};ae.id="scatter";ae.defaults={datasetElementType:!1,dataElementType:"point",showLine:!1,fill:!1};ae.overrides={interaction:{mode:"point"},plugins:{tooltip:{callbacks:{title(){return""},label(i){return"("+i.label+", "+i.formattedValue+")"}}}},scales:{x:{type:"linear"},y:{type:"linear"}}};var Rr=Object.freeze({__proto__:null,BarController:ee,BubbleController:ie,DoughnutController:Ot,LineController:se,PolarAreaController:ne,PieController:De,RadarController:oe,ScatterController:ae});function Ft(){throw new Error("This method is not implemented: Check that a complete date adapter is provided.")}var Oe=class{constructor(t){this.options=t||{}}init(t){}formats(){return Ft()}parse(t,e){return Ft()}format(t,e){return Ft()}add(t,e,s){return Ft()}diff(t,e,s){return Ft()}startOf(t,e,s){return Ft()}endOf(t,e){return Ft()}};Oe.override=function(i){Object.assign(Oe.prototype,i)};var Er={_date:Oe};function Fr(i,t,e,s){let{controller:n,data:o,_sorted:a}=i,r=n._cachedMeta.iScale;if(r&&t===r.axis&&t!=="r"&&a&&o.length){let l=r._reversePixels?qs:at;if(s){if(n._sharedOptions){let c=o[0],h=typeof c.getRange=="function"&&c.getRange(t);if(h){let d=l(o,t,e-h),u=l(o,t,e+h);return{lo:d.lo,hi:u.hi}}}}else return l(o,t,e)}return{lo:0,hi:o.length-1}}function Ie(i,t,e,s,n){let o=i.getSortedVisibleDatasetMetas(),a=e[t];for(let r=0,l=o.length;r{l[a](t[e],n)&&(o.push({element:l,datasetIndex:c,index:h}),r=r||l.inRange(t.x,t.y,n))}),s&&!r?[]:o}var Vr={evaluateInteractionItems:Ie,modes:{index(i,t,e,s){let n=Pt(t,i),o=e.axis||"x",a=e.includeInvisible||!1,r=e.intersect?rs(i,n,o,s,a):ls(i,n,o,!1,s,a),l=[];return r.length?(i.getSortedVisibleDatasetMetas().forEach(c=>{let h=r[0].index,d=c.data[h];d&&!d.skip&&l.push({element:d,datasetIndex:c.index,index:h})}),l):[]},dataset(i,t,e,s){let n=Pt(t,i),o=e.axis||"xy",a=e.includeInvisible||!1,r=e.intersect?rs(i,n,o,s,a):ls(i,n,o,!1,s,a);if(r.length>0){let l=r[0].datasetIndex,c=i.getDatasetMeta(l).data;r=[];for(let h=0;he.pos===t)}function In(i,t){return i.filter(e=>bo.indexOf(e.pos)===-1&&e.box.axis===t)}function ke(i,t){return i.sort((e,s)=>{let n=t?s:e,o=t?e:s;return n.weight===o.weight?n.index-o.index:n.weight-o.weight})}function Wr(i){let t=[],e,s,n,o,a,r;for(e=0,s=(i||[]).length;ec.box.fullSize),!0),s=ke(we(t,"left"),!0),n=ke(we(t,"right")),o=ke(we(t,"top"),!0),a=ke(we(t,"bottom")),r=In(t,"x"),l=In(t,"y");return{fullSize:e,leftAndTop:s.concat(o),rightAndBottom:n.concat(l).concat(a).concat(r),chartArea:we(t,"chartArea"),vertical:s.concat(n).concat(l),horizontal:o.concat(a).concat(r)}}function zn(i,t,e,s){return Math.max(i[e],t[e])+Math.max(i[s],t[s])}function _o(i,t){i.top=Math.max(i.top,t.top),i.left=Math.max(i.left,t.left),i.bottom=Math.max(i.bottom,t.bottom),i.right=Math.max(i.right,t.right)}function $r(i,t,e,s){let{pos:n,box:o}=e,a=i.maxPadding;if(!D(n)){e.size&&(i[n]-=e.size);let d=s[e.stack]||{size:0,count:1};d.size=Math.max(d.size,e.horizontal?o.height:o.width),e.size=d.size/d.count,i[n]+=e.size}o.getPadding&&_o(a,o.getPadding());let r=Math.max(0,t.outerWidth-zn(a,i,"left","right")),l=Math.max(0,t.outerHeight-zn(a,i,"top","bottom")),c=r!==i.w,h=l!==i.h;return i.w=r,i.h=l,e.horizontal?{same:c,other:h}:{same:h,other:c}}function Yr(i){let t=i.maxPadding;function e(s){let n=Math.max(t[s]-i[s],0);return i[s]+=n,n}i.y+=e("top"),i.x+=e("left"),e("right"),e("bottom")}function Xr(i,t){let e=t.maxPadding;function s(n){let o={left:0,top:0,right:0,bottom:0};return n.forEach(a=>{o[a]=Math.max(t[a],e[a])}),o}return s(i?["left","right"]:["top","bottom"])}function Pe(i,t,e,s){let n=[],o,a,r,l,c,h;for(o=0,a=i.length,c=0;o{typeof p.beforeLayout=="function"&&p.beforeLayout()});let h=l.reduce((p,m)=>m.box.options&&m.box.options.display===!1?p:p+1,0)||1,d=Object.freeze({outerWidth:t,outerHeight:e,padding:n,availableWidth:o,availableHeight:a,vBoxMaxWidth:o/2/h,hBoxMaxHeight:a/2}),u=Object.assign({},n);_o(u,U(s));let f=Object.assign({maxPadding:u,w:o,h:a,x:n.left,y:n.top},n),g=Hr(l.concat(c),d);Pe(r.fullSize,f,d,g),Pe(l,f,d,g),Pe(c,f,d,g)&&Pe(l,f,d,g),Yr(f),Bn(r.leftAndTop,f,d,g),f.x+=f.w,f.y+=f.h,Bn(r.rightAndBottom,f,d,g),i.chartArea={left:f.left,top:f.top,right:f.left+f.w,bottom:f.top+f.h,height:f.h,width:f.w},E(r.chartArea,p=>{let m=p.box;Object.assign(m,i.chartArea),m.update(f.w,f.h,{left:0,top:0,right:0,bottom:0})})}},di=class{acquireContext(t,e){}releaseContext(t){return!1}addEventListener(t,e,s){}removeEventListener(t,e,s){}getDevicePixelRatio(){return 1}getMaximumSize(t,e,s,n){return e=Math.max(0,e||t.width),s=s||t.height,{width:e,height:Math.max(0,n?Math.floor(e/n):s)}}isAttached(t){return!0}updateConfig(t){}},ms=class extends di{acquireContext(t){return t&&t.getContext&&t.getContext("2d")||null}updateConfig(t){t.options.animation=!1}},ci="$chartjs",Ur={touchstart:"mousedown",touchmove:"mousemove",touchend:"mouseup",pointerenter:"mouseenter",pointerdown:"mousedown",pointermove:"mousemove",pointerup:"mouseup",pointerleave:"mouseout",pointerout:"mouseout"},Vn=i=>i===null||i==="";function Kr(i,t){let e=i.style,s=i.getAttribute("height"),n=i.getAttribute("width");if(i[ci]={initial:{height:s,width:n,style:{display:e.display,height:e.height,width:e.width}}},e.display=e.display||"block",e.boxSizing=e.boxSizing||"border-box",Vn(n)){let o=Qi(i,"width");o!==void 0&&(i.width=o)}if(Vn(s))if(i.style.height==="")i.height=i.width/(t||2);else{let o=Qi(i,"height");o!==void 0&&(i.height=o)}return i}var xo=bn?{passive:!0}:!1;function qr(i,t,e){i.addEventListener(t,e,xo)}function Gr(i,t,e){i.canvas.removeEventListener(t,e,xo)}function Zr(i,t){let e=Ur[i.type]||i.type,{x:s,y:n}=Pt(i,t);return{type:e,chart:t,native:i,x:s!==void 0?s:null,y:n!==void 0?n:null}}function ui(i,t){for(let e of i)if(e===t||e.contains(t))return!0}function Jr(i,t,e){let s=i.canvas,n=new MutationObserver(o=>{let a=!1;for(let r of o)a=a||ui(r.addedNodes,s),a=a&&!ui(r.removedNodes,s);a&&e()});return n.observe(document,{childList:!0,subtree:!0}),n}function Qr(i,t,e){let s=i.canvas,n=new MutationObserver(o=>{let a=!1;for(let r of o)a=a||ui(r.removedNodes,s),a=a&&!ui(r.addedNodes,s);a&&e()});return n.observe(document,{childList:!0,subtree:!0}),n}var Ae=new Map,Wn=0;function yo(){let i=window.devicePixelRatio;i!==Wn&&(Wn=i,Ae.forEach((t,e)=>{e.currentDevicePixelRatio!==i&&t()}))}function tl(i,t){Ae.size||window.addEventListener("resize",yo),Ae.set(i,t)}function el(i){Ae.delete(i),Ae.size||window.removeEventListener("resize",yo)}function il(i,t,e){let s=i.canvas,n=s&&ei(s);if(!n)return;let o=zi((r,l)=>{let c=n.clientWidth;e(r,l),c{let l=r[0],c=l.contentRect.width,h=l.contentRect.height;c===0&&h===0||o(c,h)});return a.observe(n),tl(i,o),a}function cs(i,t,e){e&&e.disconnect(),t==="resize"&&el(i)}function sl(i,t,e){let s=i.canvas,n=zi(o=>{i.ctx!==null&&e(Zr(o,i))},i,o=>{let a=o[0];return[a,a.offsetX,a.offsetY]});return qr(s,t,n),n}var bs=class extends di{acquireContext(t,e){let s=t&&t.getContext&&t.getContext("2d");return s&&s.canvas===t?(Kr(t,e),s):null}releaseContext(t){let e=t.canvas;if(!e[ci])return!1;let s=e[ci].initial;["height","width"].forEach(o=>{let a=s[o];T(a)?e.removeAttribute(o):e.setAttribute(o,a)});let n=s.style||{};return Object.keys(n).forEach(o=>{e.style[o]=n[o]}),e.width=e.width,delete e[ci],!0}addEventListener(t,e,s){this.removeEventListener(t,e);let n=t.$proxies||(t.$proxies={}),a={attach:Jr,detach:Qr,resize:il}[e]||sl;n[e]=a(t,e,s)}removeEventListener(t,e){let s=t.$proxies||(t.$proxies={}),n=s[e];if(!n)return;({attach:cs,detach:cs,resize:cs}[e]||Gr)(t,e,n),s[e]=void 0}getDevicePixelRatio(){return window.devicePixelRatio}getMaximumSize(t,e,s,n){return mn(t,e,s,n)}isAttached(t){let e=ei(t);return!!(e&&e.isConnected)}};function nl(i){return!Zi()||typeof OffscreenCanvas<"u"&&i instanceof OffscreenCanvas?ms:bs}var _s=class{constructor(){this._init=[]}notify(t,e,s,n){e==="beforeInit"&&(this._init=this._createDescriptors(t,!0),this._notify(this._init,t,"install"));let o=n?this._descriptors(t).filter(n):this._descriptors(t),a=this._notify(o,t,e,s);return e==="afterDestroy"&&(this._notify(o,t,"stop"),this._notify(this._init,t,"uninstall")),a}_notify(t,e,s,n){n=n||{};for(let o of t){let a=o.plugin,r=a[s],l=[e,n,o.options];if(z(r,l,a)===!1&&n.cancelable)return!1}return!0}invalidate(){T(this._cache)||(this._oldCache=this._cache,this._cache=void 0)}_descriptors(t){if(this._cache)return this._cache;let e=this._cache=this._createDescriptors(t);return this._notifyStateChanges(t),e}_createDescriptors(t,e){let s=t&&t.config,n=C(s.options&&s.options.plugins,{}),o=ol(s);return n===!1&&!e?[]:rl(t,o,n,e)}_notifyStateChanges(t){let e=this._oldCache||[],s=this._cache,n=(o,a)=>o.filter(r=>!a.some(l=>r.plugin.id===l.plugin.id));this._notify(n(e,s),t,"stop"),this._notify(n(s,e),t,"start")}};function ol(i){let t={},e=[],s=Object.keys(ht.plugins.items);for(let o=0;o{let l=s[r];if(!D(l))return console.error(`Invalid scale configuration for scale: ${r}`);if(l._proxy)return console.warn(`Ignoring resolver passed as options for scale: ${r}`);let c=ys(r,l),h=hl(c,n),d=e.scales||{};o[c]=o[c]||r,a[r]=Ut(Object.create(null),[{axis:c},l,d[c],d[h]])}),i.data.datasets.forEach(r=>{let l=r.type||i.type,c=r.indexAxis||xs(l,t),d=(Mt[l]||{}).scales||{};Object.keys(d).forEach(u=>{let f=cl(u,c),g=r[f+"AxisID"]||o[f]||f;a[g]=a[g]||Object.create(null),Ut(a[g],[{axis:f},s[g],d[u]])})}),Object.keys(a).forEach(r=>{let l=a[r];Ut(l,[O.scales[l.type],O.scale])}),a}function vo(i){let t=i.options||(i.options={});t.plugins=C(t.plugins,{}),t.scales=ul(i,t)}function Mo(i){return i=i||{},i.datasets=i.datasets||[],i.labels=i.labels||[],i}function fl(i){return i=i||{},i.data=Mo(i.data),vo(i),i}var Nn=new Map,wo=new Set;function oi(i,t){let e=Nn.get(i);return e||(e=t(),Nn.set(i,e),wo.add(e)),e}var Se=(i,t,e)=>{let s=gt(t,e);s!==void 0&&i.add(s)},vs=class{constructor(t){this._config=fl(t),this._scopeCache=new Map,this._resolverCache=new Map}get platform(){return this._config.platform}get type(){return this._config.type}set type(t){this._config.type=t}get data(){return this._config.data}set data(t){this._config.data=Mo(t)}get options(){return this._config.options}set options(t){this._config.options=t}get plugins(){return this._config.plugins}update(){let t=this._config;this.clearCache(),vo(t)}clearCache(){this._scopeCache.clear(),this._resolverCache.clear()}datasetScopeKeys(t){return oi(t,()=>[[`datasets.${t}`,""]])}datasetAnimationScopeKeys(t,e){return oi(`${t}.transition.${e}`,()=>[[`datasets.${t}.transitions.${e}`,`transitions.${e}`],[`datasets.${t}`,""]])}datasetElementScopeKeys(t,e){return oi(`${t}-${e}`,()=>[[`datasets.${t}.elements.${e}`,`datasets.${t}`,`elements.${e}`,""]])}pluginScopeKeys(t){let e=t.id,s=this.type;return oi(`${s}-plugin-${e}`,()=>[[`plugins.${e}`,...t.additionalOptionScopes||[]]])}_cachedScopes(t,e){let s=this._scopeCache,n=s.get(t);return(!n||e)&&(n=new Map,s.set(t,n)),n}getOptionScopes(t,e,s){let{options:n,type:o}=this,a=this._cachedScopes(t,s),r=a.get(e);if(r)return r;let l=new Set;e.forEach(h=>{t&&(l.add(t),h.forEach(d=>Se(l,t,d))),h.forEach(d=>Se(l,n,d)),h.forEach(d=>Se(l,Mt[o]||{},d)),h.forEach(d=>Se(l,O,d)),h.forEach(d=>Se(l,Ze,d))});let c=Array.from(l);return c.length===0&&c.push(Object.create(null)),wo.has(e)&&a.set(e,c),c}chartOptionScopes(){let{options:t,type:e}=this;return[t,Mt[e]||{},O.datasets[e]||{},{type:e},O,Ze]}resolveNamedOptions(t,e,s,n=[""]){let o={$shared:!0},{resolver:a,subPrefixes:r}=Hn(this._resolverCache,t,n),l=a;if(pl(a,e)){o.$shared=!1,s=ft(s)?s():s;let c=this.createResolver(t,s,r);l=Lt(a,s,c)}for(let c of e)o[c]=l[c];return o}createResolver(t,e,s=[""],n){let{resolver:o}=Hn(this._resolverCache,t,s);return D(e)?Lt(o,e,void 0,n):o}};function Hn(i,t,e){let s=i.get(t);s||(s=new Map,i.set(t,s));let n=e.join(),o=s.get(n);return o||(o={resolver:ti(t,e),subPrefixes:e.filter(r=>!r.toLowerCase().includes("hover"))},s.set(n,o)),o}var gl=i=>D(i)&&Object.getOwnPropertyNames(i).reduce((t,e)=>t||ft(i[e]),!1);function pl(i,t){let{isScriptable:e,isIndexable:s}=Ui(i);for(let n of t){let o=e(n),a=s(n),r=(a||o)&&i[n];if(o&&(ft(r)||gl(r))||a&&I(r))return!0}return!1}var ml="3.9.1",bl=["top","bottom","left","right","chartArea"];function jn(i,t){return i==="top"||i==="bottom"||bl.indexOf(i)===-1&&t==="x"}function $n(i,t){return function(e,s){return e[i]===s[i]?e[t]-s[t]:e[i]-s[i]}}function Yn(i){let t=i.chart,e=t.options.animation;t.notifyPlugins("afterRender"),z(e&&e.onComplete,[i],t)}function _l(i){let t=i.chart,e=t.options.animation;z(e&&e.onProgress,[i],t)}function ko(i){return Zi()&&typeof i=="string"?i=document.getElementById(i):i&&i.length&&(i=i[0]),i&&i.canvas&&(i=i.canvas),i}var fi={},So=i=>{let t=ko(i);return Object.values(fi).filter(e=>e.canvas===t).pop()};function xl(i,t,e){let s=Object.keys(i);for(let n of s){let o=+n;if(o>=t){let a=i[n];delete i[n],(e>0||o>t)&&(i[o+e]=a)}}}function yl(i,t,e,s){return!e||i.type==="mouseout"?null:s?t:i}var It=class{constructor(t,e){let s=this.config=new vs(e),n=ko(t),o=So(n);if(o)throw new Error("Canvas is already in use. Chart with ID '"+o.id+"' must be destroyed before the canvas with ID '"+o.canvas.id+"' can be reused.");let a=s.createResolver(s.chartOptionScopes(),this.getContext());this.platform=new(s.platform||nl(n)),this.platform.updateConfig(s);let r=this.platform.acquireContext(n,a.aspectRatio),l=r&&r.canvas,c=l&&l.height,h=l&&l.width;if(this.id=Hs(),this.ctx=r,this.canvas=l,this.width=h,this.height=c,this._options=a,this._aspectRatio=this.aspectRatio,this._layers=[],this._metasets=[],this._stacks=void 0,this.boxes=[],this.currentDevicePixelRatio=void 0,this.chartArea=void 0,this._active=[],this._lastEvent=void 0,this._listeners={},this._responsiveListeners=void 0,this._sortedMetasets=[],this.scales={},this._plugins=new _s,this.$proxies={},this._hiddenIndices={},this.attached=!1,this._animationsDisabled=void 0,this.$context=void 0,this._doResize=Qs(d=>this.update(d),a.resizeDelay||0),this._dataChanges=[],fi[this.id]=this,!r||!l){console.error("Failed to create chart: can't acquire context from the given item");return}mt.listen(this,"complete",Yn),mt.listen(this,"progress",_l),this._initialize(),this.attached&&this.update()}get aspectRatio(){let{options:{aspectRatio:t,maintainAspectRatio:e},width:s,height:n,_aspectRatio:o}=this;return T(t)?e&&o?o:n?s/n:null:t}get data(){return this.config.data}set data(t){this.config.data=t}get options(){return this._options}set options(t){this.config.options=t}_initialize(){return this.notifyPlugins("beforeInit"),this.options.responsive?this.resize():Ji(this,this.options.devicePixelRatio),this.bindEvents(),this.notifyPlugins("afterInit"),this}clear(){return $i(this.canvas,this.ctx),this}stop(){return mt.stop(this),this}resize(t,e){mt.running(this)?this._resizeBeforeDraw={width:t,height:e}:this._resize(t,e)}_resize(t,e){let s=this.options,n=this.canvas,o=s.maintainAspectRatio&&this.aspectRatio,a=this.platform.getMaximumSize(n,t,e,o),r=s.devicePixelRatio||this.platform.getDevicePixelRatio(),l=this.width?"resize":"attach";this.width=a.width,this.height=a.height,this._aspectRatio=this.aspectRatio,Ji(this,r,!0)&&(this.notifyPlugins("resize",{size:a}),z(s.onResize,[this,a],this),this.attached&&this._doResize(l)&&this.render())}ensureScalesHaveIDs(){let e=this.options.scales||{};E(e,(s,n)=>{s.id=n})}buildOrUpdateScales(){let t=this.options,e=t.scales,s=this.scales,n=Object.keys(s).reduce((a,r)=>(a[r]=!1,a),{}),o=[];e&&(o=o.concat(Object.keys(e).map(a=>{let r=e[a],l=ys(a,r),c=l==="r",h=l==="x";return{options:r,dposition:c?"chartArea":h?"bottom":"left",dtype:c?"radialLinear":h?"category":"linear"}}))),E(o,a=>{let r=a.options,l=r.id,c=ys(l,r),h=C(r.type,a.dtype);(r.position===void 0||jn(r.position,c)!==jn(a.dposition))&&(r.position=a.dposition),n[l]=!0;let d=null;if(l in s&&s[l].type===h)d=s[l];else{let u=ht.getScale(h);d=new u({id:l,type:h,ctx:this.ctx,chart:this}),s[d.id]=d}d.init(r,t)}),E(n,(a,r)=>{a||delete s[r]}),E(s,a=>{K.configure(this,a,a.options),K.addBox(this,a)})}_updateMetasets(){let t=this._metasets,e=this.data.datasets.length,s=t.length;if(t.sort((n,o)=>n.index-o.index),s>e){for(let n=e;ne.length&&delete this._stacks,t.forEach((s,n)=>{e.filter(o=>o===s._dataset).length===0&&this._destroyDatasetMeta(n)})}buildOrUpdateControllers(){let t=[],e=this.data.datasets,s,n;for(this._removeUnreferencedMetasets(),s=0,n=e.length;s{this.getDatasetMeta(e).controller.reset()},this)}reset(){this._resetElements(),this.notifyPlugins("reset")}update(t){let e=this.config;e.update();let s=this._options=e.createResolver(e.chartOptionScopes(),this.getContext()),n=this._animationsDisabled=!s.animation;if(this._updateScales(),this._checkEventBindings(),this._updateHiddenIndices(),this._plugins.invalidate(),this.notifyPlugins("beforeUpdate",{mode:t,cancelable:!0})===!1)return;let o=this.buildOrUpdateControllers();this.notifyPlugins("beforeElementsUpdate");let a=0;for(let c=0,h=this.data.datasets.length;c{c.reset()}),this._updateDatasets(t),this.notifyPlugins("afterUpdate",{mode:t}),this._layers.sort($n("z","_idx"));let{_active:r,_lastEvent:l}=this;l?this._eventHandler(l,!0):r.length&&this._updateHoverStyles(r,r,!0),this.render()}_updateScales(){E(this.scales,t=>{K.removeBox(this,t)}),this.ensureScalesHaveIDs(),this.buildOrUpdateScales()}_checkEventBindings(){let t=this.options,e=new Set(Object.keys(this._listeners)),s=new Set(t.events);(!Oi(e,s)||!!this._responsiveListeners!==t.responsive)&&(this.unbindEvents(),this.bindEvents())}_updateHiddenIndices(){let{_hiddenIndices:t}=this,e=this._getUniformDataChanges()||[];for(let{method:s,start:n,count:o}of e){let a=s==="_removeElements"?-o:o;xl(t,n,a)}}_getUniformDataChanges(){let t=this._dataChanges;if(!t||!t.length)return;this._dataChanges=[];let e=this.data.datasets.length,s=o=>new Set(t.filter(a=>a[0]===o).map((a,r)=>r+","+a.splice(1).join(","))),n=s(0);for(let o=1;oo.split(",")).map(o=>({method:o[1],start:+o[2],count:+o[3]}))}_updateLayout(t){if(this.notifyPlugins("beforeLayout",{cancelable:!0})===!1)return;K.update(this,this.width,this.height,t);let e=this.chartArea,s=e.width<=0||e.height<=0;this._layers=[],E(this.boxes,n=>{s&&n.position==="chartArea"||(n.configure&&n.configure(),this._layers.push(...n._layers()))},this),this._layers.forEach((n,o)=>{n._idx=o}),this.notifyPlugins("afterLayout")}_updateDatasets(t){if(this.notifyPlugins("beforeDatasetsUpdate",{mode:t,cancelable:!0})!==!1){for(let e=0,s=this.data.datasets.length;e=0;--e)this._drawDataset(t[e]);this.notifyPlugins("afterDatasetsDraw")}_drawDataset(t){let e=this.ctx,s=t._clip,n=!s.disabled,o=this.chartArea,a={meta:t,index:t.index,cancelable:!0};this.notifyPlugins("beforeDatasetDraw",a)!==!1&&(n&&xe(e,{left:s.left===!1?0:o.left-s.left,right:s.right===!1?this.width:o.right+s.right,top:s.top===!1?0:o.top-s.top,bottom:s.bottom===!1?this.height:o.bottom+s.bottom}),t.controller.draw(),n&&ye(e),a.cancelable=!1,this.notifyPlugins("afterDatasetDraw",a))}isPointInArea(t){return Yt(t,this.chartArea,this._minPadding)}getElementsAtEventForMode(t,e,s,n){let o=Vr.modes[e];return typeof o=="function"?o(this,t,s,n):[]}getDatasetMeta(t){let e=this.data.datasets[t],s=this._metasets,n=s.filter(o=>o&&o._dataset===e).pop();return n||(n={type:null,data:[],dataset:null,controller:null,hidden:null,xAxisID:null,yAxisID:null,order:e&&e.order||0,index:t,_dataset:e,_parsed:[],_sorted:!1},s.push(n)),n}getContext(){return this.$context||(this.$context=pt(null,{chart:this,type:"chart"}))}getVisibleDatasetCount(){return this.getSortedVisibleDatasetMetas().length}isDatasetVisible(t){let e=this.data.datasets[t];if(!e)return!1;let s=this.getDatasetMeta(t);return typeof s.hidden=="boolean"?!s.hidden:!e.hidden}setDatasetVisibility(t,e){let s=this.getDatasetMeta(t);s.hidden=!e}toggleDataVisibility(t){this._hiddenIndices[t]=!this._hiddenIndices[t]}getDataVisibility(t){return!this._hiddenIndices[t]}_updateVisibility(t,e,s){let n=s?"show":"hide",o=this.getDatasetMeta(t),a=o.controller._resolveAnimations(void 0,n);J(e)?(o.data[e].hidden=!s,this.update()):(this.setDatasetVisibility(t,s),a.update(o,{visible:s}),this.update(r=>r.datasetIndex===t?n:void 0))}hide(t,e){this._updateVisibility(t,e,!1)}show(t,e){this._updateVisibility(t,e,!0)}_destroyDatasetMeta(t){let e=this._metasets[t];e&&e.controller&&e.controller._destroy(),delete this._metasets[t]}_stop(){let t,e;for(this.stop(),mt.remove(this),t=0,e=this.data.datasets.length;t{e.addEventListener(this,o,a),t[o]=a},n=(o,a,r)=>{o.offsetX=a,o.offsetY=r,this._eventHandler(o)};E(this.options.events,o=>s(o,n))}bindResponsiveEvents(){this._responsiveListeners||(this._responsiveListeners={});let t=this._responsiveListeners,e=this.platform,s=(l,c)=>{e.addEventListener(this,l,c),t[l]=c},n=(l,c)=>{t[l]&&(e.removeEventListener(this,l,c),delete t[l])},o=(l,c)=>{this.canvas&&this.resize(l,c)},a,r=()=>{n("attach",r),this.attached=!0,this.resize(),s("resize",o),s("detach",a)};a=()=>{this.attached=!1,n("resize",o),this._stop(),this._resize(0,0),s("attach",r)},e.isAttached(this.canvas)?r():a()}unbindEvents(){E(this._listeners,(t,e)=>{this.platform.removeEventListener(this,e,t)}),this._listeners={},E(this._responsiveListeners,(t,e)=>{this.platform.removeEventListener(this,e,t)}),this._responsiveListeners=void 0}updateHoverStyle(t,e,s){let n=s?"set":"remove",o,a,r,l;for(e==="dataset"&&(o=this.getDatasetMeta(t[0].datasetIndex),o.controller["_"+n+"DatasetHoverStyle"]()),r=0,l=t.length;r{let r=this.getDatasetMeta(o);if(!r)throw new Error("No dataset found at index "+o);return{datasetIndex:o,element:r.data[a],index:a}});!be(s,e)&&(this._active=s,this._lastEvent=null,this._updateHoverStyles(s,e))}notifyPlugins(t,e,s){return this._plugins.notify(this,t,e,s)}_updateHoverStyles(t,e,s){let n=this.options.hover,o=(l,c)=>l.filter(h=>!c.some(d=>h.datasetIndex===d.datasetIndex&&h.index===d.index)),a=o(e,t),r=s?t:o(t,e);a.length&&this.updateHoverStyle(a,n.mode,!1),r.length&&n.mode&&this.updateHoverStyle(r,n.mode,!0)}_eventHandler(t,e){let s={event:t,replay:e,cancelable:!0,inChartArea:this.isPointInArea(t)},n=a=>(a.options.events||this.options.events).includes(t.native.type);if(this.notifyPlugins("beforeEvent",s,n)===!1)return;let o=this._handleEvent(t,e,s.inChartArea);return s.cancelable=!1,this.notifyPlugins("afterEvent",s,n),(o||s.changed)&&this.render(),this}_handleEvent(t,e,s){let{_active:n=[],options:o}=this,a=e,r=this._getActiveElements(t,n,s,a),l=Ys(t),c=yl(t,this._lastEvent,s,l);s&&(this._lastEvent=null,z(o.onHover,[t,r,this],this),l&&z(o.onClick,[t,r,this],this));let h=!be(r,n);return(h||e)&&(this._active=r,this._updateHoverStyles(r,n,e)),this._lastEvent=c,h}_getActiveElements(t,e,s,n){if(t.type==="mouseout")return[];if(!s)return e;let o=this.options.hover;return this.getElementsAtEventForMode(t,o.mode,o,n)}},Xn=()=>E(It.instances,i=>i._plugins.invalidate()),Ct=!0;Object.defineProperties(It,{defaults:{enumerable:Ct,value:O},instances:{enumerable:Ct,value:fi},overrides:{enumerable:Ct,value:Mt},registry:{enumerable:Ct,value:ht},version:{enumerable:Ct,value:ml},getChart:{enumerable:Ct,value:So},register:{enumerable:Ct,value:(...i)=>{ht.add(...i),Xn()}},unregister:{enumerable:Ct,value:(...i)=>{ht.remove(...i),Xn()}}});function Po(i,t,e){let{startAngle:s,pixelMargin:n,x:o,y:a,outerRadius:r,innerRadius:l}=t,c=n/r;i.beginPath(),i.arc(o,a,r,s-c,e+c),l>n?(c=n/l,i.arc(o,a,l,e+c,s-c,!0)):i.arc(o,a,n,e+V,s-V),i.closePath(),i.clip()}function vl(i){return Qe(i,["outerStart","outerEnd","innerStart","innerEnd"])}function Ml(i,t,e,s){let n=vl(i.options.borderRadius),o=(e-t)/2,a=Math.min(o,s*t/2),r=l=>{let c=(e-Math.min(o,l))*s/2;return Y(l,0,Math.min(o,c))};return{outerStart:r(n.outerStart),outerEnd:r(n.outerEnd),innerStart:Y(n.innerStart,0,a),innerEnd:Y(n.innerEnd,0,a)}}function Qt(i,t,e,s){return{x:e+i*Math.cos(t),y:s+i*Math.sin(t)}}function Ms(i,t,e,s,n,o){let{x:a,y:r,startAngle:l,pixelMargin:c,innerRadius:h}=t,d=Math.max(t.outerRadius+s+e-c,0),u=h>0?h+s+e+c:0,f=0,g=n-l;if(s){let P=h>0?h-s:0,j=d>0?d-s:0,N=(P+j)/2,At=N!==0?g*N/(N+s):g;f=(g-At)/2}let p=Math.max(.001,g*d-e/B)/d,m=(g-p)/2,b=l+m+f,_=n-m-f,{outerStart:v,outerEnd:y,innerStart:x,innerEnd:M}=Ml(t,u,d,_-b),w=d-v,S=d-y,k=b+v/w,L=_-y/S,R=u+x,A=u+M,H=b+x/R,q=_-M/A;if(i.beginPath(),o){if(i.arc(a,r,d,k,L),y>0){let N=Qt(S,L,a,r);i.arc(N.x,N.y,y,L,_+V)}let P=Qt(A,_,a,r);if(i.lineTo(P.x,P.y),M>0){let N=Qt(A,q,a,r);i.arc(N.x,N.y,M,_+V,q+Math.PI)}if(i.arc(a,r,u,_-M/u,b+x/u,!0),x>0){let N=Qt(R,H,a,r);i.arc(N.x,N.y,x,H+Math.PI,b-V)}let j=Qt(w,b,a,r);if(i.lineTo(j.x,j.y),v>0){let N=Qt(w,k,a,r);i.arc(N.x,N.y,v,b-V,k)}}else{i.moveTo(a,r);let P=Math.cos(k)*d+a,j=Math.sin(k)*d+r;i.lineTo(P,j);let N=Math.cos(L)*d+a,At=Math.sin(L)*d+r;i.lineTo(N,At)}i.closePath()}function wl(i,t,e,s,n){let{fullCircles:o,startAngle:a,circumference:r}=t,l=t.endAngle;if(o){Ms(i,t,e,s,a+F,n);for(let c=0;c=F||qt(o,r,l),p=lt(a,c+u,h+u);return g&&p}getCenterPoint(t){let{x:e,y:s,startAngle:n,endAngle:o,innerRadius:a,outerRadius:r}=this.getProps(["x","y","startAngle","endAngle","innerRadius","outerRadius","circumference"],t),{offset:l,spacing:c}=this.options,h=(n+o)/2,d=(a+r+c+l)/2;return{x:e+Math.cos(h)*d,y:s+Math.sin(h)*d}}tooltipPosition(t){return this.getCenterPoint(t)}draw(t){let{options:e,circumference:s}=this,n=(e.offset||0)/2,o=(e.spacing||0)/2,a=e.circular;if(this.pixelMargin=e.borderAlign==="inner"?.33:0,this.fullCircles=s>F?Math.floor(s/F):0,s===0||this.innerRadius<0||this.outerRadius<0)return;t.save();let r=0;if(n){r=n/2;let c=(this.startAngle+this.endAngle)/2;t.translate(Math.cos(c)*r,Math.sin(c)*r),this.circumference>=B&&(r=n)}t.fillStyle=e.backgroundColor,t.strokeStyle=e.borderColor;let l=wl(t,this,r,o,a);Sl(t,this,r,o,l,a),t.restore()}};re.id="arc";re.defaults={borderAlign:"center",borderColor:"#fff",borderJoinStyle:void 0,borderRadius:0,borderWidth:2,offset:0,spacing:0,angle:void 0,circular:!0};re.defaultRoutes={backgroundColor:"backgroundColor"};function Co(i,t,e=t){i.lineCap=C(e.borderCapStyle,t.borderCapStyle),i.setLineDash(C(e.borderDash,t.borderDash)),i.lineDashOffset=C(e.borderDashOffset,t.borderDashOffset),i.lineJoin=C(e.borderJoinStyle,t.borderJoinStyle),i.lineWidth=C(e.borderWidth,t.borderWidth),i.strokeStyle=C(e.borderColor,t.borderColor)}function Pl(i,t,e){i.lineTo(e.x,e.y)}function Cl(i){return i.stepped?ln:i.tension||i.cubicInterpolationMode==="monotone"?cn:Pl}function Do(i,t,e={}){let s=i.length,{start:n=0,end:o=s-1}=e,{start:a,end:r}=t,l=Math.max(n,a),c=Math.min(o,r),h=nr&&o>r;return{count:s,start:l,loop:t.loop,ilen:c(a+(c?r-y:y))%o,v=()=>{p!==m&&(i.lineTo(h,m),i.lineTo(h,p),i.lineTo(h,b))};for(l&&(f=n[_(0)],i.moveTo(f.x,f.y)),u=0;u<=r;++u){if(f=n[_(u)],f.skip)continue;let y=f.x,x=f.y,M=y|0;M===g?(xm&&(m=x),h=(d*h+y)/++d):(v(),i.lineTo(y,x),g=M,d=0,p=m=x),b=x}v()}function ws(i){let t=i.options,e=t.borderDash&&t.borderDash.length;return!i._decimated&&!i._loop&&!t.tension&&t.cubicInterpolationMode!=="monotone"&&!t.stepped&&!e?Ol:Dl}function Al(i){return i.stepped?_n:i.tension||i.cubicInterpolationMode==="monotone"?xn:xt}function Tl(i,t,e,s){let n=t._path;n||(n=t._path=new Path2D,t.path(n,e,s)&&n.closePath()),Co(i,t.options),i.stroke(n)}function Ll(i,t,e,s){let{segments:n,options:o}=t,a=ws(t);for(let r of n)Co(i,o,r.style),i.beginPath(),a(i,t,r,{start:e,end:e+s-1})&&i.closePath(),i.stroke()}var Rl=typeof Path2D=="function";function El(i,t,e,s){Rl&&!t.options.segment?Tl(i,t,e,s):Ll(i,t,e,s)}var dt=class extends it{constructor(t){super(),this.animated=!0,this.options=void 0,this._chart=void 0,this._loop=void 0,this._fullLoop=void 0,this._path=void 0,this._points=void 0,this._segments=void 0,this._decimated=!1,this._pointsUpdated=!1,this._datasetIndex=void 0,t&&Object.assign(this,t)}updateControlPoints(t,e){let s=this.options;if((s.tension||s.cubicInterpolationMode==="monotone")&&!s.stepped&&!this._pointsUpdated){let n=s.spanGaps?this._loop:this._fullLoop;pn(this._points,s,t,n,e),this._pointsUpdated=!0}}set points(t){this._points=t,delete this._segments,delete this._path,this._pointsUpdated=!1}get points(){return this._points}get segments(){return this._segments||(this._segments=vn(this,this.options.segment))}first(){let t=this.segments,e=this.points;return t.length&&e[t[0].start]}last(){let t=this.segments,e=this.points,s=t.length;return s&&e[t[s-1].end]}interpolate(t,e){let s=this.options,n=t[e],o=this.points,a=ss(this,{property:e,start:n,end:n});if(!a.length)return;let r=[],l=Al(s),c,h;for(c=0,h=a.length;ci!=="borderDash"&&i!=="fill"};function Un(i,t,e,s){let n=i.options,{[e]:o}=i.getProps([e],s);return Math.abs(t-o)=e)return i.slice(t,t+e);let a=[],r=(e-2)/(o-2),l=0,c=t+e-1,h=t,d,u,f,g,p;for(a[l++]=i[h],d=0;df&&(f=g,u=i[_],p=_);a[l++]=u,h=p}return a[l++]=i[c],a}function Hl(i,t,e,s){let n=0,o=0,a,r,l,c,h,d,u,f,g,p,m=[],b=t+e-1,_=i[t].x,y=i[b].x-_;for(a=t;ap&&(p=c,u=a),n=(o*n+r.x)/++o;else{let M=a-1;if(!T(d)&&!T(u)){let w=Math.min(d,u),S=Math.max(d,u);w!==f&&w!==M&&m.push({...i[w],x:n}),S!==f&&S!==M&&m.push({...i[S],x:n})}a>0&&M!==f&&m.push(i[M]),m.push(r),h=x,o=0,g=p=c,d=u=f=a}}return m}function Ao(i){if(i._decimated){let t=i._data;delete i._decimated,delete i._data,Object.defineProperty(i,"data",{value:t})}}function Kn(i){i.data.datasets.forEach(t=>{Ao(t)})}function jl(i,t){let e=t.length,s=0,n,{iScale:o}=i,{min:a,max:r,minDefined:l,maxDefined:c}=o.getUserBounds();return l&&(s=Y(at(t,o.axis,a).lo,0,e-1)),c?n=Y(at(t,o.axis,r).hi+1,s,e)-s:n=e-s,{start:s,count:n}}var $l={id:"decimation",defaults:{algorithm:"min-max",enabled:!1},beforeElementsUpdate:(i,t,e)=>{if(!e.enabled){Kn(i);return}let s=i.width;i.data.datasets.forEach((n,o)=>{let{_data:a,indexAxis:r}=n,l=i.getDatasetMeta(o),c=a||n.data;if(Zt([r,i.options.indexAxis])==="y"||!l.controller.supportsDecimation)return;let h=i.scales[l.xAxisID];if(h.type!=="linear"&&h.type!=="time"||i.options.parsing)return;let{start:d,count:u}=jl(l,c),f=e.threshold||4*s;if(u<=f){Ao(n);return}T(a)&&(n._data=c,delete n.data,Object.defineProperty(n,"data",{configurable:!0,enumerable:!0,get:function(){return this._decimated},set:function(p){this._data=p}}));let g;switch(e.algorithm){case"lttb":g=Nl(c,d,u,s,e);break;case"min-max":g=Hl(c,d,u,s);break;default:throw new Error(`Unsupported decimation algorithm '${e.algorithm}'`)}n._decimated=g})},destroy(i){Kn(i)}};function Yl(i,t,e){let s=i.segments,n=i.points,o=t.points,a=[];for(let r of s){let{start:l,end:c}=r;c=Ps(l,c,n);let h=ks(e,n[l],n[c],r.loop);if(!t.segments){a.push({source:r,target:h,start:n[l],end:n[c]});continue}let d=ss(t,h);for(let u of d){let f=ks(e,o[u.start],o[u.end],u.loop),g=is(r,n,f);for(let p of g)a.push({source:p,target:u,start:{[e]:qn(h,f,"start",Math.max)},end:{[e]:qn(h,f,"end",Math.min)}})}}return a}function ks(i,t,e,s){if(s)return;let n=t[i],o=e[i];return i==="angle"&&(n=G(n),o=G(o)),{property:i,start:n,end:o}}function Xl(i,t){let{x:e=null,y:s=null}=i||{},n=t.points,o=[];return t.segments.forEach(({start:a,end:r})=>{r=Ps(a,r,n);let l=n[a],c=n[r];s!==null?(o.push({x:l.x,y:s}),o.push({x:c.x,y:s})):e!==null&&(o.push({x:e,y:l.y}),o.push({x:e,y:c.y}))}),o}function Ps(i,t,e){for(;t>i;t--){let s=e[t];if(!isNaN(s.x)&&!isNaN(s.y))break}return t}function qn(i,t,e,s){return i&&t?s(i[e],t[e]):i?i[e]:t?t[e]:0}function To(i,t){let e=[],s=!1;return I(i)?(s=!0,e=i):e=Xl(i,t),e.length?new dt({points:e,options:{tension:0},_loop:s,_fullLoop:s}):null}function Gn(i){return i&&i.fill!==!1}function Ul(i,t,e){let n=i[t].fill,o=[t],a;if(!e)return n;for(;n!==!1&&o.indexOf(n)===-1;){if(!W(n))return n;if(a=i[n],!a)return!1;if(a.visible)return n;o.push(n),n=a.fill}return!1}function Kl(i,t,e){let s=Jl(i);if(D(s))return isNaN(s.value)?!1:s;let n=parseFloat(s);return W(n)&&Math.floor(n)===n?ql(s[0],t,n,e):["origin","start","end","stack","shape"].indexOf(s)>=0&&s}function ql(i,t,e,s){return(i==="-"||i==="+")&&(e=t+e),e===t||e<0||e>=s?!1:e}function Gl(i,t){let e=null;return i==="start"?e=t.bottom:i==="end"?e=t.top:D(i)?e=t.getPixelForValue(i.value):t.getBasePixel&&(e=t.getBasePixel()),e}function Zl(i,t,e){let s;return i==="start"?s=e:i==="end"?s=t.options.reverse?t.min:t.max:D(i)?s=i.value:s=t.getBaseValue(),s}function Jl(i){let t=i.options,e=t.fill,s=C(e&&e.target,e);return s===void 0&&(s=!!t.backgroundColor),s===!1||s===null?!1:s===!0?"origin":s}function Ql(i){let{scale:t,index:e,line:s}=i,n=[],o=s.segments,a=s.points,r=tc(t,e);r.push(To({x:null,y:t.bottom},s));for(let l=0;l=0;--a){let r=n[a].$filler;r&&(r.line.updateControlPoints(o,r.axis),s&&r.fill&&us(i.ctx,r,o))}},beforeDatasetsDraw(i,t,e){if(e.drawTime!=="beforeDatasetsDraw")return;let s=i.getSortedVisibleDatasetMetas();for(let n=s.length-1;n>=0;--n){let o=s[n].$filler;Gn(o)&&us(i.ctx,o,i.chartArea)}},beforeDatasetDraw(i,t,e){let s=t.meta.$filler;!Gn(s)||e.drawTime!=="beforeDatasetDraw"||us(i.ctx,s,i.chartArea)},defaults:{propagate:!0,drawTime:"beforeDatasetDraw"}},to=(i,t)=>{let{boxHeight:e=t,boxWidth:s=t}=i;return i.usePointStyle&&(e=Math.min(e,t),s=i.pointStyleWidth||Math.min(s,t)),{boxWidth:s,boxHeight:e,itemHeight:Math.max(t,e)}},dc=(i,t)=>i!==null&&t!==null&&i.datasetIndex===t.datasetIndex&&i.index===t.index,pi=class extends it{constructor(t){super(),this._added=!1,this.legendHitBoxes=[],this._hoveredItem=null,this.doughnutMode=!1,this.chart=t.chart,this.options=t.options,this.ctx=t.ctx,this.legendItems=void 0,this.columnSizes=void 0,this.lineWidths=void 0,this.maxHeight=void 0,this.maxWidth=void 0,this.top=void 0,this.bottom=void 0,this.left=void 0,this.right=void 0,this.height=void 0,this.width=void 0,this._margins=void 0,this.position=void 0,this.weight=void 0,this.fullSize=void 0}update(t,e,s){this.maxWidth=t,this.maxHeight=e,this._margins=s,this.setDimensions(),this.buildLabels(),this.fit()}setDimensions(){this.isHorizontal()?(this.width=this.maxWidth,this.left=this._margins.left,this.right=this.width):(this.height=this.maxHeight,this.top=this._margins.top,this.bottom=this.height)}buildLabels(){let t=this.options.labels||{},e=z(t.generateLabels,[this.chart],this)||[];t.filter&&(e=e.filter(s=>t.filter(s,this.chart.data))),t.sort&&(e=e.sort((s,n)=>t.sort(s,n,this.chart.data))),this.options.reverse&&e.reverse(),this.legendItems=e}fit(){let{options:t,ctx:e}=this;if(!t.display){this.width=this.height=0;return}let s=t.labels,n=$(s.font),o=n.size,a=this._computeTitleHeight(),{boxWidth:r,itemHeight:l}=to(s,o),c,h;e.font=n.string,this.isHorizontal()?(c=this.maxWidth,h=this._fitRows(a,o,r,l)+10):(h=this.maxHeight,c=this._fitCols(a,o,r,l)+10),this.width=Math.min(c,t.maxWidth||this.maxWidth),this.height=Math.min(h,t.maxHeight||this.maxHeight)}_fitRows(t,e,s,n){let{ctx:o,maxWidth:a,options:{labels:{padding:r}}}=this,l=this.legendHitBoxes=[],c=this.lineWidths=[0],h=n+r,d=t;o.textAlign="left",o.textBaseline="middle";let u=-1,f=-h;return this.legendItems.forEach((g,p)=>{let m=s+e/2+o.measureText(g.text).width;(p===0||c[c.length-1]+m+2*r>a)&&(d+=h,c[c.length-(p>0?0:1)]=0,f+=h,u++),l[p]={left:0,top:f,row:u,width:m,height:n},c[c.length-1]+=m+r}),d}_fitCols(t,e,s,n){let{ctx:o,maxHeight:a,options:{labels:{padding:r}}}=this,l=this.legendHitBoxes=[],c=this.columnSizes=[],h=a-t,d=r,u=0,f=0,g=0,p=0;return this.legendItems.forEach((m,b)=>{let _=s+e/2+o.measureText(m.text).width;b>0&&f+n+2*r>h&&(d+=u+r,c.push({width:u,height:f}),g+=u+r,p++,u=f=0),l[b]={left:g,top:f,col:p,width:_,height:n},u=Math.max(u,_),f+=n+r}),d+=u,c.push({width:u,height:f}),d}adjustHitBoxes(){if(!this.options.display)return;let t=this._computeTitleHeight(),{legendHitBoxes:e,options:{align:s,labels:{padding:n},rtl:o}}=this,a=Et(o,this.left,this.width);if(this.isHorizontal()){let r=0,l=X(s,this.left+n,this.right-this.lineWidths[r]);for(let c of e)r!==c.row&&(r=c.row,l=X(s,this.left+n,this.right-this.lineWidths[r])),c.top+=this.top+t+n,c.left=a.leftForLtr(a.x(l),c.width),l+=c.width+n}else{let r=0,l=X(s,this.top+t+n,this.bottom-this.columnSizes[r].height);for(let c of e)c.col!==r&&(r=c.col,l=X(s,this.top+t+n,this.bottom-this.columnSizes[r].height)),c.top=l,c.left+=this.left+n,c.left=a.leftForLtr(a.x(c.left),c.width),l+=c.height+n}}isHorizontal(){return this.options.position==="top"||this.options.position==="bottom"}draw(){if(this.options.display){let t=this.ctx;xe(t,this),this._draw(),ye(t)}}_draw(){let{options:t,columnSizes:e,lineWidths:s,ctx:n}=this,{align:o,labels:a}=t,r=O.color,l=Et(t.rtl,this.left,this.width),c=$(a.font),{color:h,padding:d}=a,u=c.size,f=u/2,g;this.drawTitle(),n.textAlign=l.textAlign("left"),n.textBaseline="middle",n.lineWidth=.5,n.font=c.string;let{boxWidth:p,boxHeight:m,itemHeight:b}=to(a,u),_=function(w,S,k){if(isNaN(p)||p<=0||isNaN(m)||m<0)return;n.save();let L=C(k.lineWidth,1);if(n.fillStyle=C(k.fillStyle,r),n.lineCap=C(k.lineCap,"butt"),n.lineDashOffset=C(k.lineDashOffset,0),n.lineJoin=C(k.lineJoin,"miter"),n.lineWidth=L,n.strokeStyle=C(k.strokeStyle,r),n.setLineDash(C(k.lineDash,[])),a.usePointStyle){let R={radius:m*Math.SQRT2/2,pointStyle:k.pointStyle,rotation:k.rotation,borderWidth:L},A=l.xPlus(w,p/2),H=S+f;Yi(n,R,A,H,a.pointStyleWidth&&p)}else{let R=S+Math.max((u-m)/2,0),A=l.leftForLtr(w,p),H=St(k.borderRadius);n.beginPath(),Object.values(H).some(q=>q!==0)?Gt(n,{x:A,y:R,w:p,h:m,radius:H}):n.rect(A,R,p,m),n.fill(),L!==0&&n.stroke()}n.restore()},v=function(w,S,k){kt(n,k.text,w,S+b/2,c,{strikethrough:k.hidden,textAlign:l.textAlign(k.textAlign)})},y=this.isHorizontal(),x=this._computeTitleHeight();y?g={x:X(o,this.left+d,this.right-s[0]),y:this.top+d+x,line:0}:g={x:this.left+d,y:X(o,this.top+x+d,this.bottom-e[0].height),line:0},ts(this.ctx,t.textDirection);let M=b+d;this.legendItems.forEach((w,S)=>{n.strokeStyle=w.fontColor||h,n.fillStyle=w.fontColor||h;let k=n.measureText(w.text).width,L=l.textAlign(w.textAlign||(w.textAlign=a.textAlign)),R=p+f+k,A=g.x,H=g.y;l.setWidth(this.width),y?S>0&&A+R+d>this.right&&(H=g.y+=M,g.line++,A=g.x=X(o,this.left+d,this.right-s[g.line])):S>0&&H+M>this.bottom&&(A=g.x=A+e[g.line].width+d,g.line++,H=g.y=X(o,this.top+x+d,this.bottom-e[g.line].height));let q=l.x(A);_(q,H,w),A=tn(L,A+p+f,y?A+R:this.right,t.rtl),v(l.x(A),H,w),y?g.x+=R+d:g.y+=M}),es(this.ctx,t.textDirection)}drawTitle(){let t=this.options,e=t.title,s=$(e.font),n=U(e.padding);if(!e.display)return;let o=Et(t.rtl,this.left,this.width),a=this.ctx,r=e.position,l=s.size/2,c=n.top+l,h,d=this.left,u=this.width;if(this.isHorizontal())u=Math.max(...this.lineWidths),h=this.top+c,d=X(t.align,d,this.right-u);else{let g=this.columnSizes.reduce((p,m)=>Math.max(p,m.height),0);h=c+X(t.align,this.top,this.bottom-g-t.labels.padding-this._computeTitleHeight())}let f=X(r,d,d+u);a.textAlign=o.textAlign(Ge(r)),a.textBaseline="middle",a.strokeStyle=e.color,a.fillStyle=e.color,a.font=s.string,kt(a,e.text,f,h,s)}_computeTitleHeight(){let t=this.options.title,e=$(t.font),s=U(t.padding);return t.display?e.lineHeight+s.height:0}_getLegendItemAt(t,e){let s,n,o;if(lt(t,this.left,this.right)&<(e,this.top,this.bottom)){for(o=this.legendHitBoxes,s=0;si.chart.options.color,boxWidth:40,padding:10,generateLabels(i){let t=i.data.datasets,{labels:{usePointStyle:e,pointStyle:s,textAlign:n,color:o}}=i.legend.options;return i._getSortedDatasetMetas().map(a=>{let r=a.controller.getStyle(e?0:void 0),l=U(r.borderWidth);return{text:t[a.index].label,fillStyle:r.backgroundColor,fontColor:o,hidden:!a.visible,lineCap:r.borderCapStyle,lineDash:r.borderDash,lineDashOffset:r.borderDashOffset,lineJoin:r.borderJoinStyle,lineWidth:(l.width+l.height)/4,strokeStyle:r.borderColor,pointStyle:s||r.pointStyle,rotation:r.rotation,textAlign:n||r.textAlign,borderRadius:0,datasetIndex:a.index}},this)}},title:{color:i=>i.chart.options.color,display:!1,position:"center",text:""}},descriptors:{_scriptable:i=>!i.startsWith("on"),labels:{_scriptable:i=>!["generateLabels","filter","sort"].includes(i)}}},Te=class extends it{constructor(t){super(),this.chart=t.chart,this.options=t.options,this.ctx=t.ctx,this._padding=void 0,this.top=void 0,this.bottom=void 0,this.left=void 0,this.right=void 0,this.width=void 0,this.height=void 0,this.position=void 0,this.weight=void 0,this.fullSize=void 0}update(t,e){let s=this.options;if(this.left=0,this.top=0,!s.display){this.width=this.height=this.right=this.bottom=0;return}this.width=this.right=t,this.height=this.bottom=e;let n=I(s.text)?s.text.length:1;this._padding=U(s.padding);let o=n*$(s.font).lineHeight+this._padding.height;this.isHorizontal()?this.height=o:this.width=o}isHorizontal(){let t=this.options.position;return t==="top"||t==="bottom"}_drawArgs(t){let{top:e,left:s,bottom:n,right:o,options:a}=this,r=a.align,l=0,c,h,d;return this.isHorizontal()?(h=X(r,s,o),d=e+t,c=o-s):(a.position==="left"?(h=s+t,d=X(r,n,e),l=B*-.5):(h=o-t,d=X(r,e,n),l=B*.5),c=n-e),{titleX:h,titleY:d,maxWidth:c,rotation:l}}draw(){let t=this.ctx,e=this.options;if(!e.display)return;let s=$(e.font),o=s.lineHeight/2+this._padding.top,{titleX:a,titleY:r,maxWidth:l,rotation:c}=this._drawArgs(o);kt(t,e.text,0,0,s,{color:e.color,maxWidth:l,rotation:c,textAlign:Ge(e.align),textBaseline:"middle",translation:[a,r]})}};function gc(i,t){let e=new Te({ctx:i.ctx,options:t,chart:i});K.configure(i,e,t),K.addBox(i,e),i.titleBlock=e}var pc={id:"title",_element:Te,start(i,t,e){gc(i,e)},stop(i){let t=i.titleBlock;K.removeBox(i,t),delete i.titleBlock},beforeUpdate(i,t,e){let s=i.titleBlock;K.configure(i,s,e),s.options=e},defaults:{align:"center",display:!1,font:{weight:"bold"},fullSize:!0,padding:10,position:"top",text:"",weight:2e3},defaultRoutes:{color:"color"},descriptors:{_scriptable:!0,_indexable:!1}},ai=new WeakMap,mc={id:"subtitle",start(i,t,e){let s=new Te({ctx:i.ctx,options:e,chart:i});K.configure(i,s,e),K.addBox(i,s),ai.set(i,s)},stop(i){K.removeBox(i,ai.get(i)),ai.delete(i)},beforeUpdate(i,t,e){let s=ai.get(i);K.configure(i,s,e),s.options=e},defaults:{align:"center",display:!1,font:{weight:"normal"},fullSize:!0,padding:0,position:"top",text:"",weight:1500},defaultRoutes:{color:"color"},descriptors:{_scriptable:!0,_indexable:!1}},Ce={average(i){if(!i.length)return!1;let t,e,s=0,n=0,o=0;for(t=0,e=i.length;t-1?i.split(` +`):i}function bc(i,t){let{element:e,datasetIndex:s,index:n}=t,o=i.getDatasetMeta(s).controller,{label:a,value:r}=o.getLabelAndValue(n);return{chart:i,label:a,parsed:o.getParsed(n),raw:i.data.datasets[s].data[n],formattedValue:r,dataset:o.getDataset(),dataIndex:n,datasetIndex:s,element:e}}function eo(i,t){let e=i.chart.ctx,{body:s,footer:n,title:o}=i,{boxWidth:a,boxHeight:r}=t,l=$(t.bodyFont),c=$(t.titleFont),h=$(t.footerFont),d=o.length,u=n.length,f=s.length,g=U(t.padding),p=g.height,m=0,b=s.reduce((y,x)=>y+x.before.length+x.lines.length+x.after.length,0);if(b+=i.beforeBody.length+i.afterBody.length,d&&(p+=d*c.lineHeight+(d-1)*t.titleSpacing+t.titleMarginBottom),b){let y=t.displayColors?Math.max(r,l.lineHeight):l.lineHeight;p+=f*y+(b-f)*l.lineHeight+(b-1)*t.bodySpacing}u&&(p+=t.footerMarginTop+u*h.lineHeight+(u-1)*t.footerSpacing);let _=0,v=function(y){m=Math.max(m,e.measureText(y).width+_)};return e.save(),e.font=c.string,E(i.title,v),e.font=l.string,E(i.beforeBody.concat(i.afterBody),v),_=t.displayColors?a+2+t.boxPadding:0,E(s,y=>{E(y.before,v),E(y.lines,v),E(y.after,v)}),_=0,e.font=h.string,E(i.footer,v),e.restore(),m+=g.width,{width:m,height:p}}function _c(i,t){let{y:e,height:s}=t;return ei.height-s/2?"bottom":"center"}function xc(i,t,e,s){let{x:n,width:o}=s,a=e.caretSize+e.caretPadding;if(i==="left"&&n+o+a>t.width||i==="right"&&n-o-a<0)return!0}function yc(i,t,e,s){let{x:n,width:o}=e,{width:a,chartArea:{left:r,right:l}}=i,c="center";return s==="center"?c=n<=(r+l)/2?"left":"right":n<=o/2?c="left":n>=a-o/2&&(c="right"),xc(c,i,t,e)&&(c="center"),c}function io(i,t,e){let s=e.yAlign||t.yAlign||_c(i,e);return{xAlign:e.xAlign||t.xAlign||yc(i,t,e,s),yAlign:s}}function vc(i,t){let{x:e,width:s}=i;return t==="right"?e-=s:t==="center"&&(e-=s/2),e}function Mc(i,t,e){let{y:s,height:n}=i;return t==="top"?s+=e:t==="bottom"?s-=n+e:s-=n/2,s}function so(i,t,e,s){let{caretSize:n,caretPadding:o,cornerRadius:a}=i,{xAlign:r,yAlign:l}=e,c=n+o,{topLeft:h,topRight:d,bottomLeft:u,bottomRight:f}=St(a),g=vc(t,r),p=Mc(t,l,c);return l==="center"?r==="left"?g+=c:r==="right"&&(g-=c):r==="left"?g-=Math.max(h,u)+n:r==="right"&&(g+=Math.max(d,f)+n),{x:Y(g,0,s.width-t.width),y:Y(p,0,s.height-t.height)}}function ri(i,t,e){let s=U(e.padding);return t==="center"?i.x+i.width/2:t==="right"?i.x+i.width-s.right:i.x+s.left}function no(i){return ct([],bt(i))}function wc(i,t,e){return pt(i,{tooltip:t,tooltipItems:e,type:"tooltip"})}function oo(i,t){let e=t&&t.dataset&&t.dataset.tooltip&&t.dataset.tooltip.callbacks;return e?i.override(e):i}var Le=class extends it{constructor(t){super(),this.opacity=0,this._active=[],this._eventPosition=void 0,this._size=void 0,this._cachedAnimations=void 0,this._tooltipItems=[],this.$animations=void 0,this.$context=void 0,this.chart=t.chart||t._chart,this._chart=this.chart,this.options=t.options,this.dataPoints=void 0,this.title=void 0,this.beforeBody=void 0,this.body=void 0,this.afterBody=void 0,this.footer=void 0,this.xAlign=void 0,this.yAlign=void 0,this.x=void 0,this.y=void 0,this.height=void 0,this.width=void 0,this.caretX=void 0,this.caretY=void 0,this.labelColors=void 0,this.labelPointStyles=void 0,this.labelTextColors=void 0}initialize(t){this.options=t,this._cachedAnimations=void 0,this.$context=void 0}_resolveAnimations(){let t=this._cachedAnimations;if(t)return t;let e=this.chart,s=this.options.setContext(this.getContext()),n=s.enabled&&e.options.animation&&s.animations,o=new hi(this.chart,n);return n._cacheable&&(this._cachedAnimations=Object.freeze(o)),o}getContext(){return this.$context||(this.$context=wc(this.chart.getContext(),this,this._tooltipItems))}getTitle(t,e){let{callbacks:s}=e,n=s.beforeTitle.apply(this,[t]),o=s.title.apply(this,[t]),a=s.afterTitle.apply(this,[t]),r=[];return r=ct(r,bt(n)),r=ct(r,bt(o)),r=ct(r,bt(a)),r}getBeforeBody(t,e){return no(e.callbacks.beforeBody.apply(this,[t]))}getBody(t,e){let{callbacks:s}=e,n=[];return E(t,o=>{let a={before:[],lines:[],after:[]},r=oo(s,o);ct(a.before,bt(r.beforeLabel.call(this,o))),ct(a.lines,r.label.call(this,o)),ct(a.after,bt(r.afterLabel.call(this,o))),n.push(a)}),n}getAfterBody(t,e){return no(e.callbacks.afterBody.apply(this,[t]))}getFooter(t,e){let{callbacks:s}=e,n=s.beforeFooter.apply(this,[t]),o=s.footer.apply(this,[t]),a=s.afterFooter.apply(this,[t]),r=[];return r=ct(r,bt(n)),r=ct(r,bt(o)),r=ct(r,bt(a)),r}_createItems(t){let e=this._active,s=this.chart.data,n=[],o=[],a=[],r=[],l,c;for(l=0,c=e.length;lt.filter(h,d,u,s))),t.itemSort&&(r=r.sort((h,d)=>t.itemSort(h,d,s))),E(r,h=>{let d=oo(t.callbacks,h);n.push(d.labelColor.call(this,h)),o.push(d.labelPointStyle.call(this,h)),a.push(d.labelTextColor.call(this,h))}),this.labelColors=n,this.labelPointStyles=o,this.labelTextColors=a,this.dataPoints=r,r}update(t,e){let s=this.options.setContext(this.getContext()),n=this._active,o,a=[];if(!n.length)this.opacity!==0&&(o={opacity:0});else{let r=Ce[s.position].call(this,n,this._eventPosition);a=this._createItems(s),this.title=this.getTitle(a,s),this.beforeBody=this.getBeforeBody(a,s),this.body=this.getBody(a,s),this.afterBody=this.getAfterBody(a,s),this.footer=this.getFooter(a,s);let l=this._size=eo(this,s),c=Object.assign({},r,l),h=io(this.chart,s,c),d=so(s,c,h,this.chart);this.xAlign=h.xAlign,this.yAlign=h.yAlign,o={opacity:1,x:d.x,y:d.y,width:l.width,height:l.height,caretX:r.x,caretY:r.y}}this._tooltipItems=a,this.$context=void 0,o&&this._resolveAnimations().update(this,o),t&&s.external&&s.external.call(this,{chart:this.chart,tooltip:this,replay:e})}drawCaret(t,e,s,n){let o=this.getCaretPosition(t,s,n);e.lineTo(o.x1,o.y1),e.lineTo(o.x2,o.y2),e.lineTo(o.x3,o.y3)}getCaretPosition(t,e,s){let{xAlign:n,yAlign:o}=this,{caretSize:a,cornerRadius:r}=s,{topLeft:l,topRight:c,bottomLeft:h,bottomRight:d}=St(r),{x:u,y:f}=t,{width:g,height:p}=e,m,b,_,v,y,x;return o==="center"?(y=f+p/2,n==="left"?(m=u,b=m-a,v=y+a,x=y-a):(m=u+g,b=m+a,v=y-a,x=y+a),_=m):(n==="left"?b=u+Math.max(l,h)+a:n==="right"?b=u+g-Math.max(c,d)-a:b=this.caretX,o==="top"?(v=f,y=v-a,m=b-a,_=b+a):(v=f+p,y=v+a,m=b+a,_=b-a),x=v),{x1:m,x2:b,x3:_,y1:v,y2:y,y3:x}}drawTitle(t,e,s){let n=this.title,o=n.length,a,r,l;if(o){let c=Et(s.rtl,this.x,this.width);for(t.x=ri(this,s.titleAlign,s),e.textAlign=c.textAlign(s.titleAlign),e.textBaseline="middle",a=$(s.titleFont),r=s.titleSpacing,e.fillStyle=s.titleColor,e.font=a.string,l=0;lv!==0)?(t.beginPath(),t.fillStyle=o.multiKeyBackground,Gt(t,{x:m,y:p,w:c,h:l,radius:_}),t.fill(),t.stroke(),t.fillStyle=a.backgroundColor,t.beginPath(),Gt(t,{x:b,y:p+1,w:c-2,h:l-2,radius:_}),t.fill()):(t.fillStyle=o.multiKeyBackground,t.fillRect(m,p,c,l),t.strokeRect(m,p,c,l),t.fillStyle=a.backgroundColor,t.fillRect(b,p+1,c-2,l-2))}t.fillStyle=this.labelTextColors[s]}drawBody(t,e,s){let{body:n}=this,{bodySpacing:o,bodyAlign:a,displayColors:r,boxHeight:l,boxWidth:c,boxPadding:h}=s,d=$(s.bodyFont),u=d.lineHeight,f=0,g=Et(s.rtl,this.x,this.width),p=function(S){e.fillText(S,g.x(t.x+f),t.y+u/2),t.y+=u+o},m=g.textAlign(a),b,_,v,y,x,M,w;for(e.textAlign=a,e.textBaseline="middle",e.font=d.string,t.x=ri(this,m,s),e.fillStyle=s.bodyColor,E(this.beforeBody,p),f=r&&m!=="right"?a==="center"?c/2+h:c+2+h:0,y=0,M=n.length;y0&&e.stroke()}_updateAnimationTarget(t){let e=this.chart,s=this.$animations,n=s&&s.x,o=s&&s.y;if(n||o){let a=Ce[t.position].call(this,this._active,this._eventPosition);if(!a)return;let r=this._size=eo(this,t),l=Object.assign({},a,this._size),c=io(e,t,l),h=so(t,l,c,e);(n._to!==h.x||o._to!==h.y)&&(this.xAlign=c.xAlign,this.yAlign=c.yAlign,this.width=r.width,this.height=r.height,this.caretX=a.x,this.caretY=a.y,this._resolveAnimations().update(this,h))}}_willRender(){return!!this.opacity}draw(t){let e=this.options.setContext(this.getContext()),s=this.opacity;if(!s)return;this._updateAnimationTarget(e);let n={width:this.width,height:this.height},o={x:this.x,y:this.y};s=Math.abs(s)<.001?0:s;let a=U(e.padding),r=this.title.length||this.beforeBody.length||this.body.length||this.afterBody.length||this.footer.length;e.enabled&&r&&(t.save(),t.globalAlpha=s,this.drawBackground(o,t,n,e),ts(t,e.textDirection),o.y+=a.top,this.drawTitle(o,t,e),this.drawBody(o,t,e),this.drawFooter(o,t,e),es(t,e.textDirection),t.restore())}getActiveElements(){return this._active||[]}setActiveElements(t,e){let s=this._active,n=t.map(({datasetIndex:r,index:l})=>{let c=this.chart.getDatasetMeta(r);if(!c)throw new Error("Cannot find a dataset at index "+r);return{datasetIndex:r,element:c.data[l],index:l}}),o=!be(s,n),a=this._positionChanged(n,e);(o||a)&&(this._active=n,this._eventPosition=e,this._ignoreReplayEvents=!0,this.update(!0))}handleEvent(t,e,s=!0){if(e&&this._ignoreReplayEvents)return!1;this._ignoreReplayEvents=!1;let n=this.options,o=this._active||[],a=this._getActiveElements(t,o,e,s),r=this._positionChanged(a,t),l=e||!be(a,o)||r;return l&&(this._active=a,(n.enabled||n.external)&&(this._eventPosition={x:t.x,y:t.y},this.update(!0,e))),l}_getActiveElements(t,e,s,n){let o=this.options;if(t.type==="mouseout")return[];if(!n)return e;let a=this.chart.getElementsAtEventForMode(t,o.mode,o,s);return o.reverse&&a.reverse(),a}_positionChanged(t,e){let{caretX:s,caretY:n,options:o}=this,a=Ce[o.position].call(this,t,e);return a!==!1&&(s!==a.x||n!==a.y)}};Le.positioners=Ce;var kc={id:"tooltip",_element:Le,positioners:Ce,afterInit(i,t,e){e&&(i.tooltip=new Le({chart:i,options:e}))},beforeUpdate(i,t,e){i.tooltip&&i.tooltip.initialize(e)},reset(i,t,e){i.tooltip&&i.tooltip.initialize(e)},afterDraw(i){let t=i.tooltip;if(t&&t._willRender()){let e={tooltip:t};if(i.notifyPlugins("beforeTooltipDraw",e)===!1)return;t.draw(i.ctx),i.notifyPlugins("afterTooltipDraw",e)}},afterEvent(i,t){if(i.tooltip){let e=t.replay;i.tooltip.handleEvent(t.event,e,t.inChartArea)&&(t.changed=!0)}},defaults:{enabled:!0,external:null,position:"average",backgroundColor:"rgba(0,0,0,0.8)",titleColor:"#fff",titleFont:{weight:"bold"},titleSpacing:2,titleMarginBottom:6,titleAlign:"left",bodyColor:"#fff",bodySpacing:2,bodyFont:{},bodyAlign:"left",footerColor:"#fff",footerSpacing:2,footerMarginTop:6,footerFont:{weight:"bold"},footerAlign:"left",padding:6,caretPadding:2,caretSize:5,cornerRadius:6,boxHeight:(i,t)=>t.bodyFont.size,boxWidth:(i,t)=>t.bodyFont.size,multiKeyBackground:"#fff",displayColors:!0,boxPadding:0,borderColor:"rgba(0,0,0,0)",borderWidth:0,animation:{duration:400,easing:"easeOutQuart"},animations:{numbers:{type:"number",properties:["x","y","width","height","caretX","caretY"]},opacity:{easing:"linear",duration:200}},callbacks:{beforeTitle:rt,title(i){if(i.length>0){let t=i[0],e=t.chart.data.labels,s=e?e.length:0;if(this&&this.options&&this.options.mode==="dataset")return t.dataset.label||"";if(t.label)return t.label;if(s>0&&t.dataIndexi!=="filter"&&i!=="itemSort"&&i!=="external",_indexable:!1,callbacks:{_scriptable:!1,_indexable:!1},animation:{_fallback:!1},animations:{_fallback:"animation"}},additionalOptionScopes:["interaction"]},Sc=Object.freeze({__proto__:null,Decimation:$l,Filler:hc,Legend:fc,SubTitle:mc,Title:pc,Tooltip:kc}),Pc=(i,t,e,s)=>(typeof t=="string"?(e=i.push(t)-1,s.unshift({index:e,label:t})):isNaN(t)&&(e=null),e);function Cc(i,t,e,s){let n=i.indexOf(t);if(n===-1)return Pc(i,t,e,s);let o=i.lastIndexOf(t);return n!==o?e:n}var Dc=(i,t)=>i===null?null:Y(Math.round(i),0,t),he=class extends _t{constructor(t){super(t),this._startValue=void 0,this._valueRange=0,this._addedLabels=[]}init(t){let e=this._addedLabels;if(e.length){let s=this.getLabels();for(let{index:n,label:o}of e)s[n]===o&&s.splice(n,1);this._addedLabels=[]}super.init(t)}parse(t,e){if(T(t))return null;let s=this.getLabels();return e=isFinite(e)&&s[e]===t?e:Cc(s,t,C(e,t),this._addedLabels),Dc(e,s.length-1)}determineDataLimits(){let{minDefined:t,maxDefined:e}=this.getUserBounds(),{min:s,max:n}=this.getMinMax(!0);this.options.bounds==="ticks"&&(t||(s=0),e||(n=this.getLabels().length-1)),this.min=s,this.max=n}buildTicks(){let t=this.min,e=this.max,s=this.options.offset,n=[],o=this.getLabels();o=t===0&&e===o.length-1?o:o.slice(t,e+1),this._valueRange=Math.max(o.length-(s?0:1),1),this._startValue=this.min-(s?.5:0);for(let a=t;a<=e;a++)n.push({value:a});return n}getLabelForValue(t){let e=this.getLabels();return t>=0&&te.length-1?null:this.getPixelForValue(e[t].value)}getValueForPixel(t){return Math.round(this._startValue+this.getDecimalForPixel(t)*this._valueRange)}getBasePixel(){return this.bottom}};he.id="category";he.defaults={ticks:{callback:he.prototype.getLabelForValue}};function Oc(i,t){let e=[],{bounds:n,step:o,min:a,max:r,precision:l,count:c,maxTicks:h,maxDigits:d,includeBounds:u}=i,f=o||1,g=h-1,{min:p,max:m}=t,b=!T(a),_=!T(r),v=!T(c),y=(m-p)/(d+1),x=Ai((m-p)/g/f)*f,M,w,S,k;if(x<1e-14&&!b&&!_)return[{value:p},{value:m}];k=Math.ceil(m/x)-Math.floor(p/x),k>g&&(x=Ai(k*x/g/f)*f),T(l)||(M=Math.pow(10,l),x=Math.ceil(x*M)/M),n==="ticks"?(w=Math.floor(p/x)*x,S=Math.ceil(m/x)*x):(w=p,S=m),b&&_&&o&&Us((r-a)/o,x/1e3)?(k=Math.round(Math.min((r-a)/x,h)),x=(r-a)/k,w=a,S=r):v?(w=b?a:w,S=_?r:S,k=c-1,x=(S-w)/k):(k=(S-w)/x,Kt(k,Math.round(k),x/1e3)?k=Math.round(k):k=Math.ceil(k));let L=Math.max(Li(x),Li(w));M=Math.pow(10,T(l)?L:l),w=Math.round(w*M)/M,S=Math.round(S*M)/M;let R=0;for(b&&(u&&w!==a?(e.push({value:a}),wn=e?n:l,r=l=>o=s?o:l;if(t){let l=ot(n),c=ot(o);l<0&&c<0?r(0):l>0&&c>0&&a(0)}if(n===o){let l=1;(o>=Number.MAX_SAFE_INTEGER||n<=Number.MIN_SAFE_INTEGER)&&(l=Math.abs(o*.05)),r(o+l),t||a(n-l)}this.min=n,this.max=o}getTickLimit(){let t=this.options.ticks,{maxTicksLimit:e,stepSize:s}=t,n;return s?(n=Math.ceil(this.max/s)-Math.floor(this.min/s)+1,n>1e3&&(console.warn(`scales.${this.id}.ticks.stepSize: ${s} would result generating up to ${n} ticks. Limiting to 1000.`),n=1e3)):(n=this.computeTickLimit(),e=e||11),e&&(n=Math.min(e,n)),n}computeTickLimit(){return Number.POSITIVE_INFINITY}buildTicks(){let t=this.options,e=t.ticks,s=this.getTickLimit();s=Math.max(2,s);let n={maxTicks:s,bounds:t.bounds,min:t.min,max:t.max,precision:e.precision,step:e.stepSize,count:e.count,maxDigits:this._maxDigits(),horizontal:this.isHorizontal(),minRotation:e.minRotation||0,includeBounds:e.includeBounds!==!1},o=this._range||this,a=Oc(n,o);return t.bounds==="ticks"&&Ti(a,this,"value"),t.reverse?(a.reverse(),this.start=this.max,this.end=this.min):(this.start=this.min,this.end=this.max),a}configure(){let t=this.ticks,e=this.min,s=this.max;if(super.configure(),this.options.offset&&t.length){let n=(s-e)/Math.max(t.length-1,1)/2;e-=n,s+=n}this._startValue=e,this._endValue=s,this._valueRange=s-e}getLabelForValue(t){return Jt(t,this.chart.options.locale,this.options.ticks.format)}},Re=class extends de{determineDataLimits(){let{min:t,max:e}=this.getMinMax(!0);this.min=W(t)?t:0,this.max=W(e)?e:1,this.handleTickRangeOptions()}computeTickLimit(){let t=this.isHorizontal(),e=t?this.width:this.height,s=nt(this.options.ticks.minRotation),n=(t?Math.sin(s):Math.cos(s))||.001,o=this._resolveTickFontOptions(0);return Math.ceil(e/Math.min(40,o.lineHeight/n))}getPixelForValue(t){return t===null?NaN:this.getPixelForDecimal((t-this._startValue)/this._valueRange)}getValueForPixel(t){return this._startValue+this.getDecimalForPixel(t)*this._valueRange}};Re.id="linear";Re.defaults={ticks:{callback:mi.formatters.numeric}};function ro(i){return i/Math.pow(10,Math.floor(tt(i)))===1}function Ac(i,t){let e=Math.floor(tt(t.max)),s=Math.ceil(t.max/Math.pow(10,e)),n=[],o=Q(i.min,Math.pow(10,Math.floor(tt(t.min)))),a=Math.floor(tt(o)),r=Math.floor(o/Math.pow(10,a)),l=a<0?Math.pow(10,Math.abs(a)):1;do n.push({value:o,major:ro(o)}),++r,r===10&&(r=1,++a,l=a>=0?1:l),o=Math.round(r*Math.pow(10,a)*l)/l;while(a0?s:null}determineDataLimits(){let{min:t,max:e}=this.getMinMax(!0);this.min=W(t)?Math.max(0,t):null,this.max=W(e)?Math.max(0,e):null,this.options.beginAtZero&&(this._zero=!0),this.handleTickRangeOptions()}handleTickRangeOptions(){let{minDefined:t,maxDefined:e}=this.getUserBounds(),s=this.min,n=this.max,o=l=>s=t?s:l,a=l=>n=e?n:l,r=(l,c)=>Math.pow(10,Math.floor(tt(l))+c);s===n&&(s<=0?(o(1),a(10)):(o(r(s,-1)),a(r(n,1)))),s<=0&&o(r(n,-1)),n<=0&&a(r(s,1)),this._zero&&this.min!==this._suggestedMin&&s===r(this.min,0)&&o(r(s,-1)),this.min=s,this.max=n}buildTicks(){let t=this.options,e={min:this._userMin,max:this._userMax},s=Ac(e,this);return t.bounds==="ticks"&&Ti(s,this,"value"),t.reverse?(s.reverse(),this.start=this.max,this.end=this.min):(this.start=this.min,this.end=this.max),s}getLabelForValue(t){return t===void 0?"0":Jt(t,this.chart.options.locale,this.options.ticks.format)}configure(){let t=this.min;super.configure(),this._startValue=tt(t),this._valueRange=tt(this.max)-tt(t)}getPixelForValue(t){return(t===void 0||t===0)&&(t=this.min),t===null||isNaN(t)?NaN:this.getPixelForDecimal(t===this.min?0:(tt(t)-this._startValue)/this._valueRange)}getValueForPixel(t){let e=this.getDecimalForPixel(t);return Math.pow(10,this._startValue+e*this._valueRange)}};Ee.id="logarithmic";Ee.defaults={ticks:{callback:mi.formatters.logarithmic,major:{enabled:!0}}};function Ss(i){let t=i.ticks;if(t.display&&i.display){let e=U(t.backdropPadding);return C(t.font&&t.font.size,O.font.size)+e.height}return 0}function Tc(i,t,e){return e=I(e)?e:[e],{w:rn(i,t.string,e),h:e.length*t.lineHeight}}function lo(i,t,e,s,n){return i===s||i===n?{start:t-e/2,end:t+e/2}:in?{start:t-e,end:t}:{start:t,end:t+e}}function Lc(i){let t={l:i.left+i._padding.left,r:i.right-i._padding.right,t:i.top+i._padding.top,b:i.bottom-i._padding.bottom},e=Object.assign({},t),s=[],n=[],o=i._pointLabels.length,a=i.options.pointLabels,r=a.centerPointLabels?B/o:0;for(let l=0;lt.r&&(r=(s.end-t.r)/o,i.r=Math.max(i.r,t.r+r)),n.startt.b&&(l=(n.end-t.b)/a,i.b=Math.max(i.b,t.b+l))}function Ec(i,t,e){let s=[],n=i._pointLabels.length,o=i.options,a=Ss(o)/2,r=i.drawingArea,l=o.pointLabels.centerPointLabels?B/n:0;for(let c=0;c270||e<90)&&(i-=t),i}function Bc(i,t){let{ctx:e,options:{pointLabels:s}}=i;for(let n=t-1;n>=0;n--){let o=s.setContext(i.getPointLabelContext(n)),a=$(o.font),{x:r,y:l,textAlign:c,left:h,top:d,right:u,bottom:f}=i._pointLabelItems[n],{backdropColor:g}=o;if(!T(g)){let p=St(o.borderRadius),m=U(o.backdropPadding);e.fillStyle=g;let b=h-m.left,_=d-m.top,v=u-h+m.width,y=f-d+m.height;Object.values(p).some(x=>x!==0)?(e.beginPath(),Gt(e,{x:b,y:_,w:v,h:y,radius:p}),e.fill()):e.fillRect(b,_,v,y)}kt(e,i._pointLabels[n],r,l+a.lineHeight/2,a,{color:o.color,textAlign:c,textBaseline:"middle"})}}function Lo(i,t,e,s){let{ctx:n}=i;if(e)n.arc(i.xCenter,i.yCenter,t,0,F);else{let o=i.getPointPosition(0,t);n.moveTo(o.x,o.y);for(let a=1;a{let n=z(this.options.pointLabels.callback,[e,s],this);return n||n===0?n:""}).filter((e,s)=>this.chart.getDataVisibility(s))}fit(){let t=this.options;t.display&&t.pointLabels.display?Lc(this):this.setCenterPoint(0,0,0,0)}setCenterPoint(t,e,s,n){this.xCenter+=Math.floor((t-e)/2),this.yCenter+=Math.floor((s-n)/2),this.drawingArea-=Math.min(this.drawingArea/2,Math.max(t,e,s,n))}getIndexAngle(t){let e=F/(this._pointLabels.length||1),s=this.options.startAngle||0;return G(t*e+nt(s))}getDistanceFromCenterForValue(t){if(T(t))return NaN;let e=this.drawingArea/(this.max-this.min);return this.options.reverse?(this.max-t)*e:(t-this.min)*e}getValueForDistanceFromCenter(t){if(T(t))return NaN;let e=t/(this.drawingArea/(this.max-this.min));return this.options.reverse?this.max-e:this.min+e}getPointLabelContext(t){let e=this._pointLabels||[];if(t>=0&&t{if(h!==0){r=this.getDistanceFromCenterForValue(c.value);let d=n.setContext(this.getContext(h-1));Vc(this,d,r,o)}}),s.display){for(t.save(),a=o-1;a>=0;a--){let c=s.setContext(this.getPointLabelContext(a)),{color:h,lineWidth:d}=c;!d||!h||(t.lineWidth=d,t.strokeStyle=h,t.setLineDash(c.borderDash),t.lineDashOffset=c.borderDashOffset,r=this.getDistanceFromCenterForValue(e.ticks.reverse?this.min:this.max),l=this.getPointPosition(a,r),t.beginPath(),t.moveTo(this.xCenter,this.yCenter),t.lineTo(l.x,l.y),t.stroke())}t.restore()}}drawBorder(){}drawLabels(){let t=this.ctx,e=this.options,s=e.ticks;if(!s.display)return;let n=this.getIndexAngle(0),o,a;t.save(),t.translate(this.xCenter,this.yCenter),t.rotate(n),t.textAlign="center",t.textBaseline="middle",this.ticks.forEach((r,l)=>{if(l===0&&!e.reverse)return;let c=s.setContext(this.getContext(l)),h=$(c.font);if(o=this.getDistanceFromCenterForValue(this.ticks[l].value),c.showLabelBackdrop){t.font=h.string,a=t.measureText(r.label).width,t.fillStyle=c.backdropColor;let d=U(c.backdropPadding);t.fillRect(-a/2-d.left,-o-h.size/2-d.top,a+d.width,h.size+d.height)}kt(t,r.label,0,-o,h,{color:c.color})}),t.restore()}drawTitle(){}};zt.id="radialLinear";zt.defaults={display:!0,animate:!0,position:"chartArea",angleLines:{display:!0,lineWidth:1,borderDash:[],borderDashOffset:0},grid:{circular:!1},startAngle:0,ticks:{showLabelBackdrop:!0,callback:mi.formatters.numeric},pointLabels:{backdropColor:void 0,backdropPadding:2,display:!0,font:{size:10},callback(i){return i},padding:5,centerPointLabels:!1}};zt.defaultRoutes={"angleLines.color":"borderColor","pointLabels.color":"color","ticks.color":"color"};zt.descriptors={angleLines:{_fallback:"grid"}};var bi={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}},Z=Object.keys(bi);function Nc(i,t){return i-t}function co(i,t){if(T(t))return null;let e=i._adapter,{parser:s,round:n,isoWeekday:o}=i._parseOpts,a=t;return typeof s=="function"&&(a=s(a)),W(a)||(a=typeof s=="string"?e.parse(a,s):e.parse(a)),a===null?null:(n&&(a=n==="week"&&(Rt(o)||o===!0)?e.startOf(a,"isoWeek",o):e.startOf(a,n)),+a)}function ho(i,t,e,s){let n=Z.length;for(let o=Z.indexOf(i);o=Z.indexOf(e);o--){let a=Z[o];if(bi[a].common&&i._adapter.diff(n,s,a)>=t-1)return a}return Z[e?Z.indexOf(e):0]}function jc(i){for(let t=Z.indexOf(i)+1,e=Z.length;t=t?e[s]:e[n];i[o]=!0}}function $c(i,t,e,s){let n=i._adapter,o=+n.startOf(t[0].value,s),a=t[t.length-1].value,r,l;for(r=o;r<=a;r=+n.add(r,1,s))l=e[r],l>=0&&(t[l].major=!0);return t}function fo(i,t,e){let s=[],n={},o=t.length,a,r;for(a=0;a+t.value))}initOffsets(t){let e=0,s=0,n,o;this.options.offset&&t.length&&(n=this.getDecimalForValue(t[0]),t.length===1?e=1-n:e=(this.getDecimalForValue(t[1])-n)/2,o=this.getDecimalForValue(t[t.length-1]),t.length===1?s=o:s=(o-this.getDecimalForValue(t[t.length-2]))/2);let a=t.length<3?.5:.25;e=Y(e,0,a),s=Y(s,0,a),this._offsets={start:e,end:s,factor:1/(e+1+s)}}_generate(){let t=this._adapter,e=this.min,s=this.max,n=this.options,o=n.time,a=o.unit||ho(o.minUnit,e,s,this._getLabelCapacity(e)),r=C(o.stepSize,1),l=a==="week"?o.isoWeekday:!1,c=Rt(l)||l===!0,h={},d=e,u,f;if(c&&(d=+t.startOf(d,"isoWeek",l)),d=+t.startOf(d,c?"day":a),t.diff(s,e,a)>1e5*r)throw new Error(e+" and "+s+" are too far apart with stepSize of "+r+" "+a);let g=n.ticks.source==="data"&&this.getDataTimestamps();for(u=d,f=0;up-m).map(p=>+p)}getLabelForValue(t){let e=this._adapter,s=this.options.time;return s.tooltipFormat?e.format(t,s.tooltipFormat):e.format(t,s.displayFormats.datetime)}_tickFormatFunction(t,e,s,n){let o=this.options,a=o.time.displayFormats,r=this._unit,l=this._majorUnit,c=r&&a[r],h=l&&a[l],d=s[e],u=l&&h&&d&&d.major,f=this._adapter.format(t,n||(u?h:c)),g=o.ticks.callback;return g?z(g,[f,e,s],this):f}generateTickLabels(t){let e,s,n;for(e=0,s=t.length;e0?r:1}getDataTimestamps(){let t=this._cache.data||[],e,s;if(t.length)return t;let n=this.getMatchingVisibleMetas();if(this._normalized&&n.length)return this._cache.data=n[0].controller.getAllParsedValues(this);for(e=0,s=n.length;e=i[s].pos&&t<=i[n].pos&&({lo:s,hi:n}=at(i,"pos",t)),{pos:o,time:r}=i[s],{pos:a,time:l}=i[n]):(t>=i[s].time&&t<=i[n].time&&({lo:s,hi:n}=at(i,"time",t)),{time:o,pos:r}=i[s],{time:a,pos:l}=i[n]);let c=a-o;return c?r+(l-r)*(t-o)/c:r}var Fe=class extends Bt{constructor(t){super(t),this._table=[],this._minPos=void 0,this._tableRange=void 0}initOffsets(){let t=this._getTimestampsForTable(),e=this._table=this.buildLookupTable(t);this._minPos=li(e,this.min),this._tableRange=li(e,this.max)-this._minPos,super.initOffsets(t)}buildLookupTable(t){let{min:e,max:s}=this,n=[],o=[],a,r,l,c,h;for(a=0,r=t.length;a=e&&c<=s&&n.push(c);if(n.length<2)return[{time:e,pos:0},{time:s,pos:1}];for(a=0,r=n.length;a{Alpine.store("theme");let s=this.getChart();s&&s.destroy(),this.initChart()}),window.matchMedia("(prefers-color-scheme: dark)").addEventListener("change",()=>{Alpine.store("theme")==="system"&&this.$nextTick(()=>{let s=this.getChart();s&&s.destroy(),this.initChart()})})},initChart:function(){return new Cs(this.$refs.canvas,{type:"line",data:{labels:t,datasets:[{data:e,borderWidth:2,fill:"start",tension:.5,backgroundColor:getComputedStyle(this.$refs.backgroundColorElement).color,borderColor:getComputedStyle(this.$refs.borderColorElement).color}]},options:{animation:{duration:0},elements:{point:{radius:0}},maintainAspectRatio:!1,plugins:{legend:{display:!1}},scales:{x:{display:!1},y:{display:!1}},tooltips:{enabled:!1}}})},getChart:function(){return Cs.getChart(this.$refs.canvas)}}}export{Xc as default}; +/*! Bundled license information: + +chart.js/dist/chunks/helpers.segment.mjs: + (*! + * Chart.js v3.9.1 + * https://www.chartjs.org + * (c) 2022 Chart.js Contributors + * Released under the MIT License + *) + +chart.js/dist/chunks/helpers.segment.mjs: + (*! + * @kurkle/color v0.2.1 + * https://github.com/kurkle/color#readme + * (c) 2022 Jukka Kurkela + * Released under the MIT License + *) + +chart.js/dist/chart.mjs: + (*! + * Chart.js v3.9.1 + * https://www.chartjs.org + * (c) 2022 Chart.js Contributors + * Released under the MIT License + *) +*/ diff --git a/public/vendor/nova/app.css b/public/vendor/nova/app.css index d02dcf9..069a3f9 100644 --- a/public/vendor/nova/app.css +++ b/public/vendor/nova/app.css @@ -1,3 +1,3 @@ -/*! tailwindcss v3.4.1 | MIT License | https://tailwindcss.com*/*,:after,:before{border-color:rgba(var(--colors-gray-200));border-style:solid;border-width:0;box-sizing:border-box}:after,:before{--tw-content:""}:host,html{-webkit-text-size-adjust:100%;font-feature-settings:normal;-webkit-tap-highlight-color:transparent;font-family:Nunito Sans,ui-sans-serif,system-ui,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-variation-settings:normal;line-height:1.5;-moz-tab-size:4;-o-tab-size:4;tab-size:4}body{line-height:inherit;margin:0}hr{border-top-width:1px;color:inherit;height:0}abbr:where([title]){-webkit-text-decoration:underline dotted;text-decoration:underline dotted}h1,h2,h3,h4,h5,h6{font-size:inherit;font-weight:inherit}a{color:inherit;text-decoration:inherit}b,strong{font-weight:bolder}code,kbd,pre,samp{font-feature-settings:normal;font-family:ui-monospace,SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace;font-size:1em;font-variation-settings:normal}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}table{border-collapse:collapse;border-color:inherit;text-indent:0}button,input,optgroup,select,textarea{font-feature-settings:inherit;color:inherit;font-family:inherit;font-size:100%;font-variation-settings:inherit;font-weight:inherit;line-height:inherit;margin:0;padding:0}button,select{text-transform:none}[type=button],[type=reset],[type=submit],button{-webkit-appearance:button;background-color:transparent;background-image:none}:-moz-focusring{outline:auto}:-moz-ui-invalid{box-shadow:none}progress{vertical-align:baseline}::-webkit-inner-spin-button,::-webkit-outer-spin-button{height:auto}[type=search]{-webkit-appearance:textfield;outline-offset:-2px}::-webkit-search-decoration{-webkit-appearance:none}::-webkit-file-upload-button{-webkit-appearance:button;font:inherit}summary{display:list-item}blockquote,dd,dl,figure,h1,h2,h3,h4,h5,h6,hr,p,pre{margin:0}fieldset{margin:0}fieldset,legend{padding:0}menu,ol,ul{list-style:none;margin:0;padding:0}dialog{padding:0}textarea{resize:vertical}input::-moz-placeholder,textarea::-moz-placeholder{color:rgba(var(--colors-gray-400));opacity:1}input::placeholder,textarea::placeholder{color:rgba(var(--colors-gray-400));opacity:1}[role=button],button{cursor:pointer}:disabled{cursor:default}audio,canvas,embed,iframe,img,object,svg,video{display:block;vertical-align:middle}img,video{height:auto;max-width:100%}[hidden]{display:none}:root{--colors-primary-50:240,249,255;--colors-primary-100:224,242,254;--colors-primary-200:186,230,253;--colors-primary-300:125,211,252;--colors-primary-400:56,189,248;--colors-primary-500:14,165,233;--colors-primary-600:2,132,199;--colors-primary-700:3,105,161;--colors-primary-800:7,89,133;--colors-primary-900:12,74,110;--colors-primary-950:8,47,73;--colors-inherit:inherit;--colors-current:currentColor;--colors-transparent:transparent;--colors-black:0,0,0;--colors-white:255,255,255;--colors-slate-50:248,250,252;--colors-slate-100:241,245,249;--colors-slate-200:226,232,240;--colors-slate-300:203,213,225;--colors-slate-400:148,163,184;--colors-slate-500:100,116,139;--colors-slate-600:71,85,105;--colors-slate-700:51,65,85;--colors-slate-800:30,41,59;--colors-slate-900:15,23,42;--colors-slate-950:2,6,23;--colors-gray-50:248,250,252;--colors-gray-100:241,245,249;--colors-gray-200:226,232,240;--colors-gray-300:203,213,225;--colors-gray-400:148,163,184;--colors-gray-500:100,116,139;--colors-gray-600:71,85,105;--colors-gray-700:51,65,85;--colors-gray-800:30,41,59;--colors-gray-900:15,23,42;--colors-gray-950:2,6,23;--colors-zinc-50:250,250,250;--colors-zinc-100:244,244,245;--colors-zinc-200:228,228,231;--colors-zinc-300:212,212,216;--colors-zinc-400:161,161,170;--colors-zinc-500:113,113,122;--colors-zinc-600:82,82,91;--colors-zinc-700:63,63,70;--colors-zinc-800:39,39,42;--colors-zinc-900:24,24,27;--colors-zinc-950:9,9,11;--colors-neutral-50:250,250,250;--colors-neutral-100:245,245,245;--colors-neutral-200:229,229,229;--colors-neutral-300:212,212,212;--colors-neutral-400:163,163,163;--colors-neutral-500:115,115,115;--colors-neutral-600:82,82,82;--colors-neutral-700:64,64,64;--colors-neutral-800:38,38,38;--colors-neutral-900:23,23,23;--colors-neutral-950:10,10,10;--colors-stone-50:250,250,249;--colors-stone-100:245,245,244;--colors-stone-200:231,229,228;--colors-stone-300:214,211,209;--colors-stone-400:168,162,158;--colors-stone-500:120,113,108;--colors-stone-600:87,83,78;--colors-stone-700:68,64,60;--colors-stone-800:41,37,36;--colors-stone-900:28,25,23;--colors-stone-950:12,10,9;--colors-red-50:254,242,242;--colors-red-100:254,226,226;--colors-red-200:254,202,202;--colors-red-300:252,165,165;--colors-red-400:248,113,113;--colors-red-500:239,68,68;--colors-red-600:220,38,38;--colors-red-700:185,28,28;--colors-red-800:153,27,27;--colors-red-900:127,29,29;--colors-red-950:69,10,10;--colors-orange-50:255,247,237;--colors-orange-100:255,237,213;--colors-orange-200:254,215,170;--colors-orange-300:253,186,116;--colors-orange-400:251,146,60;--colors-orange-500:249,115,22;--colors-orange-600:234,88,12;--colors-orange-700:194,65,12;--colors-orange-800:154,52,18;--colors-orange-900:124,45,18;--colors-orange-950:67,20,7;--colors-amber-50:255,251,235;--colors-amber-100:254,243,199;--colors-amber-200:253,230,138;--colors-amber-300:252,211,77;--colors-amber-400:251,191,36;--colors-amber-500:245,158,11;--colors-amber-600:217,119,6;--colors-amber-700:180,83,9;--colors-amber-800:146,64,14;--colors-amber-900:120,53,15;--colors-amber-950:69,26,3;--colors-yellow-50:254,252,232;--colors-yellow-100:254,249,195;--colors-yellow-200:254,240,138;--colors-yellow-300:253,224,71;--colors-yellow-400:250,204,21;--colors-yellow-500:234,179,8;--colors-yellow-600:202,138,4;--colors-yellow-700:161,98,7;--colors-yellow-800:133,77,14;--colors-yellow-900:113,63,18;--colors-yellow-950:66,32,6;--colors-lime-50:247,254,231;--colors-lime-100:236,252,203;--colors-lime-200:217,249,157;--colors-lime-300:190,242,100;--colors-lime-400:163,230,53;--colors-lime-500:132,204,22;--colors-lime-600:101,163,13;--colors-lime-700:77,124,15;--colors-lime-800:63,98,18;--colors-lime-900:54,83,20;--colors-lime-950:26,46,5;--colors-green-50:240,253,244;--colors-green-100:220,252,231;--colors-green-200:187,247,208;--colors-green-300:134,239,172;--colors-green-400:74,222,128;--colors-green-500:34,197,94;--colors-green-600:22,163,74;--colors-green-700:21,128,61;--colors-green-800:22,101,52;--colors-green-900:20,83,45;--colors-green-950:5,46,22;--colors-emerald-50:236,253,245;--colors-emerald-100:209,250,229;--colors-emerald-200:167,243,208;--colors-emerald-300:110,231,183;--colors-emerald-400:52,211,153;--colors-emerald-500:16,185,129;--colors-emerald-600:5,150,105;--colors-emerald-700:4,120,87;--colors-emerald-800:6,95,70;--colors-emerald-900:6,78,59;--colors-emerald-950:2,44,34;--colors-teal-50:240,253,250;--colors-teal-100:204,251,241;--colors-teal-200:153,246,228;--colors-teal-300:94,234,212;--colors-teal-400:45,212,191;--colors-teal-500:20,184,166;--colors-teal-600:13,148,136;--colors-teal-700:15,118,110;--colors-teal-800:17,94,89;--colors-teal-900:19,78,74;--colors-teal-950:4,47,46;--colors-cyan-50:236,254,255;--colors-cyan-100:207,250,254;--colors-cyan-200:165,243,252;--colors-cyan-300:103,232,249;--colors-cyan-400:34,211,238;--colors-cyan-500:6,182,212;--colors-cyan-600:8,145,178;--colors-cyan-700:14,116,144;--colors-cyan-800:21,94,117;--colors-cyan-900:22,78,99;--colors-cyan-950:8,51,68;--colors-sky-50:240,249,255;--colors-sky-100:224,242,254;--colors-sky-200:186,230,253;--colors-sky-300:125,211,252;--colors-sky-400:56,189,248;--colors-sky-500:14,165,233;--colors-sky-600:2,132,199;--colors-sky-700:3,105,161;--colors-sky-800:7,89,133;--colors-sky-900:12,74,110;--colors-sky-950:8,47,73;--colors-blue-50:239,246,255;--colors-blue-100:219,234,254;--colors-blue-200:191,219,254;--colors-blue-300:147,197,253;--colors-blue-400:96,165,250;--colors-blue-500:59,130,246;--colors-blue-600:37,99,235;--colors-blue-700:29,78,216;--colors-blue-800:30,64,175;--colors-blue-900:30,58,138;--colors-blue-950:23,37,84;--colors-indigo-50:238,242,255;--colors-indigo-100:224,231,255;--colors-indigo-200:199,210,254;--colors-indigo-300:165,180,252;--colors-indigo-400:129,140,248;--colors-indigo-500:99,102,241;--colors-indigo-600:79,70,229;--colors-indigo-700:67,56,202;--colors-indigo-800:55,48,163;--colors-indigo-900:49,46,129;--colors-indigo-950:30,27,75;--colors-violet-50:245,243,255;--colors-violet-100:237,233,254;--colors-violet-200:221,214,254;--colors-violet-300:196,181,253;--colors-violet-400:167,139,250;--colors-violet-500:139,92,246;--colors-violet-600:124,58,237;--colors-violet-700:109,40,217;--colors-violet-800:91,33,182;--colors-violet-900:76,29,149;--colors-violet-950:46,16,101;--colors-purple-50:250,245,255;--colors-purple-100:243,232,255;--colors-purple-200:233,213,255;--colors-purple-300:216,180,254;--colors-purple-400:192,132,252;--colors-purple-500:168,85,247;--colors-purple-600:147,51,234;--colors-purple-700:126,34,206;--colors-purple-800:107,33,168;--colors-purple-900:88,28,135;--colors-purple-950:59,7,100;--colors-fuchsia-50:253,244,255;--colors-fuchsia-100:250,232,255;--colors-fuchsia-200:245,208,254;--colors-fuchsia-300:240,171,252;--colors-fuchsia-400:232,121,249;--colors-fuchsia-500:217,70,239;--colors-fuchsia-600:192,38,211;--colors-fuchsia-700:162,28,175;--colors-fuchsia-800:134,25,143;--colors-fuchsia-900:112,26,117;--colors-fuchsia-950:74,4,78;--colors-pink-50:253,242,248;--colors-pink-100:252,231,243;--colors-pink-200:251,207,232;--colors-pink-300:249,168,212;--colors-pink-400:244,114,182;--colors-pink-500:236,72,153;--colors-pink-600:219,39,119;--colors-pink-700:190,24,93;--colors-pink-800:157,23,77;--colors-pink-900:131,24,67;--colors-pink-950:80,7,36;--colors-rose-50:255,241,242;--colors-rose-100:255,228,230;--colors-rose-200:254,205,211;--colors-rose-300:253,164,175;--colors-rose-400:251,113,133;--colors-rose-500:244,63,94;--colors-rose-600:225,29,72;--colors-rose-700:190,18,60;--colors-rose-800:159,18,57;--colors-rose-900:136,19,55;--colors-rose-950:76,5,25}*,:after,:before{--tw-border-spacing-x:0;--tw-border-spacing-y:0;--tw-translate-x:0;--tw-translate-y:0;--tw-rotate:0;--tw-skew-x:0;--tw-skew-y:0;--tw-scale-x:1;--tw-scale-y:1;--tw-pan-x: ;--tw-pan-y: ;--tw-pinch-zoom: ;--tw-scroll-snap-strictness:proximity;--tw-gradient-from-position: ;--tw-gradient-via-position: ;--tw-gradient-to-position: ;--tw-ordinal: ;--tw-slashed-zero: ;--tw-numeric-figure: ;--tw-numeric-spacing: ;--tw-numeric-fraction: ;--tw-ring-inset: ;--tw-ring-offset-width:0px;--tw-ring-offset-color:#fff;--tw-ring-color:rgba(var(--colors-blue-500),0.5);--tw-ring-offset-shadow:0 0 #0000;--tw-ring-shadow:0 0 #0000;--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;--tw-blur: ;--tw-brightness: ;--tw-contrast: ;--tw-grayscale: ;--tw-hue-rotate: ;--tw-invert: ;--tw-saturate: ;--tw-sepia: ;--tw-drop-shadow: ;--tw-backdrop-blur: ;--tw-backdrop-brightness: ;--tw-backdrop-contrast: ;--tw-backdrop-grayscale: ;--tw-backdrop-hue-rotate: ;--tw-backdrop-invert: ;--tw-backdrop-opacity: ;--tw-backdrop-saturate: ;--tw-backdrop-sepia: }::backdrop{--tw-border-spacing-x:0;--tw-border-spacing-y:0;--tw-translate-x:0;--tw-translate-y:0;--tw-rotate:0;--tw-skew-x:0;--tw-skew-y:0;--tw-scale-x:1;--tw-scale-y:1;--tw-pan-x: ;--tw-pan-y: ;--tw-pinch-zoom: ;--tw-scroll-snap-strictness:proximity;--tw-gradient-from-position: ;--tw-gradient-via-position: ;--tw-gradient-to-position: ;--tw-ordinal: ;--tw-slashed-zero: ;--tw-numeric-figure: ;--tw-numeric-spacing: ;--tw-numeric-fraction: ;--tw-ring-inset: ;--tw-ring-offset-width:0px;--tw-ring-offset-color:#fff;--tw-ring-color:rgba(var(--colors-blue-500),0.5);--tw-ring-offset-shadow:0 0 #0000;--tw-ring-shadow:0 0 #0000;--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;--tw-blur: ;--tw-brightness: ;--tw-contrast: ;--tw-grayscale: ;--tw-hue-rotate: ;--tw-invert: ;--tw-saturate: ;--tw-sepia: ;--tw-drop-shadow: ;--tw-backdrop-blur: ;--tw-backdrop-brightness: ;--tw-backdrop-contrast: ;--tw-backdrop-grayscale: ;--tw-backdrop-hue-rotate: ;--tw-backdrop-invert: ;--tw-backdrop-opacity: ;--tw-backdrop-saturate: ;--tw-backdrop-sepia: }.container{width:100%}@media (min-width:640px){.container{max-width:640px}}@media (min-width:768px){.container{max-width:768px}}@media (min-width:1024px){.container{max-width:1024px}}@media (min-width:1280px){.container{max-width:1280px}}@media (min-width:1536px){.container{max-width:1536px}}.prose{color:var(--tw-prose-body);max-width:65ch}.prose :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-lead);font-size:1.25em;line-height:1.6;margin-bottom:1.2em;margin-top:1.2em}.prose :where(a):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-links);font-weight:500;text-decoration:underline}.prose :where(strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-bold);font-weight:600}.prose :where(a strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(blockquote strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(thead th strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:decimal;margin-bottom:1.25em;margin-top:1.25em}[dir=ltr] .prose :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.625em}[dir=rtl] .prose :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.625em}.prose :where(ol[type=A]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-alpha}.prose :where(ol[type=a]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-alpha}.prose :where(ol[type=A s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-alpha}.prose :where(ol[type=a s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-alpha}.prose :where(ol[type=I]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-roman}.prose :where(ol[type=i]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-roman}.prose :where(ol[type=I s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-roman}.prose :where(ol[type=i s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-roman}.prose :where(ol[type="1"]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:decimal}.prose :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:disc;margin-bottom:1.25em;margin-top:1.25em}[dir=ltr] .prose :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.625em}[dir=rtl] .prose :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.625em}.prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *))::marker{color:var(--tw-prose-counters);font-weight:400}.prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *))::marker{color:var(--tw-prose-bullets)}.prose :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;margin-top:1.25em}.prose :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){border-color:var(--tw-prose-hr);border-top-width:1px;margin-bottom:3em;margin-top:3em}.prose :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-quotes);font-style:italic;font-weight:500;margin-bottom:1.6em;margin-top:1.6em;quotes:"\201C""\201D""\2018""\2019"}[dir=ltr] .prose :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){border-left-color:var(--tw-prose-quote-borders);border-left-width:.25rem;padding-left:1em}[dir=rtl] .prose :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){border-right-color:var(--tw-prose-quote-borders);border-right-width:.25rem;padding-right:1em}.prose :where(blockquote p:first-of-type):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:open-quote}.prose :where(blockquote p:last-of-type):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:close-quote}.prose :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:2.25em;font-weight:800;line-height:1.1111111;margin-bottom:.8888889em;margin-top:0}.prose :where(h1 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:900}.prose :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:1.5em;font-weight:700;line-height:1.3333333;margin-bottom:1em;margin-top:2em}.prose :where(h2 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:800}.prose :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:1.25em;font-weight:600;line-height:1.6;margin-bottom:.6em;margin-top:1.6em}.prose :where(h3 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:700}.prose :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;line-height:1.5;margin-bottom:.5em;margin-top:1.5em}.prose :where(h4 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:700}.prose :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){display:block;margin-bottom:2em;margin-top:2em}.prose :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;box-shadow:0 0 0 1px rgb(var(--tw-prose-kbd-shadows)/10%),0 3px 0 rgb(var(--tw-prose-kbd-shadows)/10%);color:var(--tw-prose-kbd);font-family:inherit;font-size:.875em;font-weight:500;padding:.1875em .375em}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-code);font-size:.875em;font-weight:600}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:"`"}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:"`"}.prose :where(a code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(h1 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-size:.875em}.prose :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-size:.9em}.prose :where(h4 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(blockquote code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(thead th code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){background-color:var(--tw-prose-pre-bg);border-radius:.375rem;color:var(--tw-prose-pre-code);font-size:.875em;font-weight:400;line-height:1.7142857;margin-bottom:1.7142857em;margin-top:1.7142857em;overflow-x:auto;padding:.8571429em 1.1428571em}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)){background-color:transparent;border-radius:0;border-width:0;color:inherit;font-family:inherit;font-size:inherit;font-weight:inherit;line-height:inherit;padding:0}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:none}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:none}.prose :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em;line-height:1.7142857;margin-bottom:2em;margin-top:2em;table-layout:auto;width:100%}[dir=ltr] .prose :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){text-align:left}[dir=rtl] .prose :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){text-align:right}.prose :where(thead):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-color:var(--tw-prose-th-borders);border-bottom-width:1px}.prose :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;padding-bottom:.5714286em;padding-left:.5714286em;padding-right:.5714286em;vertical-align:bottom}.prose :where(tbody tr):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-color:var(--tw-prose-td-borders);border-bottom-width:1px}.prose :where(tbody tr:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-width:0}.prose :where(tbody td):not(:where([class~=not-prose],[class~=not-prose] *)){vertical-align:baseline}.prose :where(tfoot):not(:where([class~=not-prose],[class~=not-prose] *)){border-top-color:var(--tw-prose-th-borders);border-top-width:1px}.prose :where(tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){vertical-align:top}.prose :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-captions);font-size:.875em;line-height:1.4285714;margin-top:.8571429em}.prose{--tw-prose-body:#374151;--tw-prose-headings:#111827;--tw-prose-lead:#4b5563;--tw-prose-links:#111827;--tw-prose-bold:#111827;--tw-prose-counters:#6b7280;--tw-prose-bullets:#d1d5db;--tw-prose-hr:#e5e7eb;--tw-prose-quotes:#111827;--tw-prose-quote-borders:#e5e7eb;--tw-prose-captions:#6b7280;--tw-prose-kbd:#111827;--tw-prose-kbd-shadows:17 24 39;--tw-prose-code:#111827;--tw-prose-pre-code:#e5e7eb;--tw-prose-pre-bg:#1f2937;--tw-prose-th-borders:#d1d5db;--tw-prose-td-borders:#e5e7eb;--tw-prose-invert-body:#d1d5db;--tw-prose-invert-headings:#fff;--tw-prose-invert-lead:#9ca3af;--tw-prose-invert-links:#fff;--tw-prose-invert-bold:#fff;--tw-prose-invert-counters:#9ca3af;--tw-prose-invert-bullets:#4b5563;--tw-prose-invert-hr:#374151;--tw-prose-invert-quotes:#f3f4f6;--tw-prose-invert-quote-borders:#374151;--tw-prose-invert-captions:#9ca3af;--tw-prose-invert-kbd:#fff;--tw-prose-invert-kbd-shadows:255 255 255;--tw-prose-invert-code:#fff;--tw-prose-invert-pre-code:#d1d5db;--tw-prose-invert-pre-bg:rgba(0,0,0,.5);--tw-prose-invert-th-borders:#4b5563;--tw-prose-invert-td-borders:#374151;font-size:1rem;line-height:1.75}.prose :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5em;margin-top:.5em}[dir=ltr] .prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.375em}[dir=rtl] .prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.375em}[dir=ltr] .prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.375em}[dir=rtl] .prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.375em}.prose :where(.prose>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose :where(.prose>ul>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose :where(.prose>ul>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose :where(.prose>ol>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose :where(.prose>ol>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.5em}[dir=ltr] .prose :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.625em}[dir=rtl] .prose :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.625em}.prose :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}[dir=ltr] .prose :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding:.5714286em}[dir=ltr] .prose :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(.prose>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(.prose>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.prose-sm{font-size:.875rem;line-height:1.7142857}.prose-sm :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}.prose-sm :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.2857143em;line-height:1.5555556;margin-bottom:.8888889em;margin-top:.8888889em}.prose-sm :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em;margin-top:1.3333333em}[dir=ltr] .prose-sm :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.1111111em}[dir=rtl] .prose-sm :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.1111111em}.prose-sm :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:2.1428571em;line-height:1.2;margin-bottom:.8em;margin-top:0}.prose-sm :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.4285714em;line-height:1.4;margin-bottom:.8em;margin-top:1.6em}.prose-sm :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.2857143em;line-height:1.5555556;margin-bottom:.4444444em;margin-top:1.5555556em}.prose-sm :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){line-height:1.4285714;margin-bottom:.5714286em;margin-top:1.4285714em}.prose-sm :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-sm :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;font-size:.8571429em;padding:.1428571em .3571429em}.prose-sm :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em}.prose-sm :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.9em}.prose-sm :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8888889em}.prose-sm :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.25rem;font-size:.8571429em;line-height:1.6666667;margin-bottom:1.6666667em;margin-top:1.6666667em;padding:.6666667em 1em}.prose-sm :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}[dir=ltr] .prose-sm :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.5714286em}[dir=rtl] .prose-sm :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.5714286em}.prose-sm :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}[dir=ltr] .prose-sm :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.5714286em}[dir=rtl] .prose-sm :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.5714286em}.prose-sm :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.2857143em;margin-top:.2857143em}[dir=ltr] .prose-sm :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.4285714em}[dir=rtl] .prose-sm :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.4285714em}[dir=ltr] .prose-sm :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.4285714em}[dir=rtl] .prose-sm :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.4285714em}.prose-sm :where(.prose-sm>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5714286em;margin-top:.5714286em}.prose-sm :where(.prose-sm>ul>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(.prose-sm>ul>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em}.prose-sm :where(.prose-sm>ol>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(.prose-sm>ol>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em}.prose-sm :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5714286em;margin-top:.5714286em}.prose-sm :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}.prose-sm :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.2857143em}[dir=ltr] .prose-sm :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.5714286em}[dir=rtl] .prose-sm :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.5714286em}.prose-sm :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2.8571429em;margin-top:2.8571429em}.prose-sm :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em;line-height:1.5}.prose-sm :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){padding-bottom:.6666667em;padding-left:1em;padding-right:1em}[dir=ltr] .prose-sm :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose-sm :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose-sm :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose-sm :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose-sm :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding:.6666667em 1em}[dir=ltr] .prose-sm :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose-sm :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose-sm :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose-sm :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose-sm :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-sm :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em;line-height:1.3333333;margin-top:.6666667em}.prose-sm :where(.prose-sm>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(.prose-sm>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.nova,.toasted.default{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);font-weight:700;padding:.5rem 1.25rem}.toasted.default{background-color:rgba(var(--colors-primary-100));color:rgba(var(--colors-primary-500))}.toasted.success{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-green-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-green-600));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.success){background-color:rgba(var(--colors-green-900));color:rgba(var(--colors-green-400))}.toasted.error{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-red-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-red-500));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.error){background-color:rgba(var(--colors-red-900));color:rgba(var(--colors-red-400))}.toasted.\!error{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-red-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-red-500));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.\!error){background-color:rgba(var(--colors-red-900));color:rgba(var(--colors-red-400))}.toasted.info{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-primary-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-primary-500));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.info){background-color:rgba(var(--colors-primary-900));color:rgba(var(--colors-primary-400))}.toasted.warning{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-yellow-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-yellow-600));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.warning){background-color:rgba(var(--colors-yellow-600));color:rgba(var(--colors-yellow-900))}.toasted .\!action,.toasted .action{font-weight:600!important;padding-bottom:0!important;padding-top:0!important}.CodeMirror{color:#000;direction:ltr;font-family:monospace;height:300px}.CodeMirror-lines{padding:4px 0}.CodeMirror pre.CodeMirror-line,.CodeMirror pre.CodeMirror-line-like{padding:0 4px}.CodeMirror-gutter-filler,.CodeMirror-scrollbar-filler{background-color:#fff}.CodeMirror-gutters{background-color:#f7f7f7;border-right:1px solid #ddd;white-space:nowrap}.CodeMirror-linenumber{color:#999;min-width:20px;padding:0 3px 0 5px;text-align:right;white-space:nowrap}.CodeMirror-guttermarker{color:#000}.CodeMirror-guttermarker-subtle{color:#999}.CodeMirror-cursor{border-right:none;width:0}.CodeMirror div.CodeMirror-secondarycursor{border-left:1px solid silver}.cm-fat-cursor .CodeMirror-cursor{background:#7e7;border:0!important;width:auto}.cm-fat-cursor div.CodeMirror-cursors{z-index:1}.cm-fat-cursor .CodeMirror-line::selection,.cm-fat-cursor .CodeMirror-line>span::selection,.cm-fat-cursor .CodeMirror-line>span>span::selection{background:transparent}.cm-fat-cursor .CodeMirror-line::-moz-selection,.cm-fat-cursor .CodeMirror-line>span::-moz-selection,.cm-fat-cursor .CodeMirror-line>span>span::-moz-selection{background:transparent}.cm-fat-cursor{caret-color:transparent}@keyframes blink{50%{background-color:transparent}}.cm-tab{display:inline-block;text-decoration:inherit}.CodeMirror-rulers{bottom:0;left:0;overflow:hidden;position:absolute;right:0;top:-50px}.CodeMirror-ruler{border-left:1px solid #ccc;bottom:0;position:absolute;top:0}.cm-s-default .cm-header{color:blue}.cm-s-default .cm-quote{color:#090}.cm-negative{color:#d44}.cm-positive{color:#292}.cm-header,.cm-strong{font-weight:700}.cm-em{font-style:italic}.cm-link{text-decoration:underline}.cm-strikethrough{text-decoration:line-through}.cm-s-default .cm-keyword{color:#708}.cm-s-default .cm-atom{color:#219}.cm-s-default .cm-number{color:#164}.cm-s-default .cm-def{color:#00f}.cm-s-default .cm-variable-2{color:#05a}.cm-s-default .cm-type,.cm-s-default .cm-variable-3{color:#085}.cm-s-default .cm-comment{color:#a50}.cm-s-default .cm-string{color:#a11}.cm-s-default .cm-string-2{color:#f50}.cm-s-default .cm-meta,.cm-s-default .cm-qualifier{color:#555}.cm-s-default .cm-builtin{color:#30a}.cm-s-default .cm-bracket{color:#997}.cm-s-default .cm-tag{color:#170}.cm-s-default .cm-attribute{color:#00c}.cm-s-default .cm-hr{color:#999}.cm-s-default .cm-link{color:#00c}.cm-invalidchar,.cm-s-default .cm-error{color:red}.CodeMirror-composing{border-bottom:2px solid}div.CodeMirror span.CodeMirror-matchingbracket{color:#0b0}div.CodeMirror span.CodeMirror-nonmatchingbracket{color:#a22}.CodeMirror-matchingtag{background:rgba(255,150,0,.3)}.CodeMirror-activeline-background{background:#e8f2ff}.CodeMirror{background:#fff;overflow:hidden}.CodeMirror-scroll{height:100%;margin-bottom:-50px;margin-right:-50px;outline:none;overflow:scroll!important;padding-bottom:50px;position:relative;z-index:0}.CodeMirror-sizer{border-right:50px solid transparent;position:relative}.CodeMirror-gutter-filler,.CodeMirror-hscrollbar,.CodeMirror-scrollbar-filler,.CodeMirror-vscrollbar{display:none;outline:none;position:absolute;z-index:6}.CodeMirror-vscrollbar{overflow-x:hidden;overflow-y:scroll;right:0;top:0}.CodeMirror-hscrollbar{bottom:0;left:0;overflow-x:scroll;overflow-y:hidden}.CodeMirror-scrollbar-filler{bottom:0;right:0}.CodeMirror-gutter-filler{bottom:0;left:0}.CodeMirror-gutters{left:0;min-height:100%;position:absolute;top:0;z-index:3}.CodeMirror-gutter{display:inline-block;height:100%;margin-bottom:-50px;vertical-align:top;white-space:normal}.CodeMirror-gutter-wrapper{background:none!important;border:none!important;position:absolute;z-index:4}.CodeMirror-gutter-background{bottom:0;position:absolute;top:0;z-index:4}.CodeMirror-gutter-elt{cursor:default;position:absolute;z-index:4}.CodeMirror-gutter-wrapper ::selection{background-color:transparent}.CodeMirror-gutter-wrapper ::-moz-selection{background-color:transparent}.CodeMirror-lines{cursor:text;min-height:1px}.CodeMirror pre.CodeMirror-line,.CodeMirror pre.CodeMirror-line-like{word-wrap:normal;-webkit-tap-highlight-color:transparent;background:transparent;border-radius:0;border-width:0;color:inherit;font-family:inherit;font-size:inherit;font-variant-ligatures:contextual;line-height:inherit;margin:0;overflow:visible;position:relative;white-space:pre;z-index:2}.CodeMirror-wrap pre.CodeMirror-line,.CodeMirror-wrap pre.CodeMirror-line-like{word-wrap:break-word;white-space:pre-wrap;word-break:normal}.CodeMirror-linebackground{bottom:0;left:0;position:absolute;right:0;top:0;z-index:0}.CodeMirror-linewidget{padding:.1px;position:relative;z-index:2}.CodeMirror-rtl pre{direction:rtl}.CodeMirror-code{outline:none}.CodeMirror-gutter,.CodeMirror-gutters,.CodeMirror-linenumber,.CodeMirror-scroll,.CodeMirror-sizer{box-sizing:content-box}.CodeMirror-measure{height:0;overflow:hidden;position:absolute;visibility:hidden;width:100%}.CodeMirror-cursor{pointer-events:none;position:absolute}.CodeMirror-measure pre{position:static}div.CodeMirror-cursors{position:relative;visibility:hidden;z-index:3}.CodeMirror-focused div.CodeMirror-cursors,div.CodeMirror-dragcursors{visibility:visible}.CodeMirror-selected{background:#d9d9d9}.CodeMirror-focused .CodeMirror-selected{background:#d7d4f0}.CodeMirror-crosshair{cursor:crosshair}.CodeMirror-line::selection,.CodeMirror-line>span::selection,.CodeMirror-line>span>span::selection{background:#d7d4f0}.CodeMirror-line::-moz-selection,.CodeMirror-line>span::-moz-selection,.CodeMirror-line>span>span::-moz-selection{background:#d7d4f0}.cm-searching{background-color:#ffa;background-color:rgba(255,255,0,.4)}.cm-force-border{padding-right:.1px}@media print{.CodeMirror div.CodeMirror-cursors{visibility:hidden}}.cm-tab-wrap-hack:after{content:""}span.CodeMirror-selectedtext{background:none}.cm-s-3024-day.CodeMirror{background:#f7f7f7;color:#3a3432}.cm-s-3024-day div.CodeMirror-selected{background:#d6d5d4}.cm-s-3024-day .CodeMirror-line::-moz-selection,.cm-s-3024-day .CodeMirror-line>span::-moz-selection,.cm-s-3024-day .CodeMirror-line>span>span::-moz-selection{background:#d6d5d4}.cm-s-3024-day .CodeMirror-line::selection,.cm-s-3024-day .CodeMirror-line>span::selection,.cm-s-3024-day .CodeMirror-line>span>span::selection{background:#d6d5d4}.cm-s-3024-day .CodeMirror-line>span>span::-moz-selection{background:#d9d9d9}.cm-s-3024-day .CodeMirror-line::-moz-selection,.cm-s-3024-day .CodeMirror-line>span::-moz-selection,.cm-s-3024-day .CodeMirror-line>span>span::selection{background:#d9d9d9}.cm-s-3024-day .CodeMirror-gutters{background:#f7f7f7;border-right:0}.cm-s-3024-day .CodeMirror-guttermarker{color:#db2d20}.cm-s-3024-day .CodeMirror-guttermarker-subtle,.cm-s-3024-day .CodeMirror-linenumber{color:#807d7c}.cm-s-3024-day .CodeMirror-cursor{border-left:1px solid #5c5855}.cm-s-3024-day span.cm-comment{color:#cdab53}.cm-s-3024-day span.cm-atom,.cm-s-3024-day span.cm-number{color:#a16a94}.cm-s-3024-day span.cm-attribute,.cm-s-3024-day span.cm-property{color:#01a252}.cm-s-3024-day span.cm-keyword{color:#db2d20}.cm-s-3024-day span.cm-string{color:#fded02}.cm-s-3024-day span.cm-variable{color:#01a252}.cm-s-3024-day span.cm-variable-2{color:#01a0e4}.cm-s-3024-day span.cm-def{color:#e8bbd0}.cm-s-3024-day span.cm-bracket{color:#3a3432}.cm-s-3024-day span.cm-tag{color:#db2d20}.cm-s-3024-day span.cm-link{color:#a16a94}.cm-s-3024-day span.cm-error{background:#db2d20;color:#5c5855}.cm-s-3024-day .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-3024-day .CodeMirror-matchingbracket{color:#a16a94!important;text-decoration:underline}.cm-s-3024-night.CodeMirror{background:#090300;color:#d6d5d4}.cm-s-3024-night div.CodeMirror-selected{background:#3a3432}.cm-s-3024-night .CodeMirror-line::selection,.cm-s-3024-night .CodeMirror-line>span::selection,.cm-s-3024-night .CodeMirror-line>span>span::selection{background:rgba(58,52,50,.99)}.cm-s-3024-night .CodeMirror-line::-moz-selection,.cm-s-3024-night .CodeMirror-line>span::-moz-selection,.cm-s-3024-night .CodeMirror-line>span>span::-moz-selection{background:rgba(58,52,50,.99)}.cm-s-3024-night .CodeMirror-gutters{background:#090300;border-right:0}.cm-s-3024-night .CodeMirror-guttermarker{color:#db2d20}.cm-s-3024-night .CodeMirror-guttermarker-subtle,.cm-s-3024-night .CodeMirror-linenumber{color:#5c5855}.cm-s-3024-night .CodeMirror-cursor{border-left:1px solid #807d7c}.cm-s-3024-night span.cm-comment{color:#cdab53}.cm-s-3024-night span.cm-atom,.cm-s-3024-night span.cm-number{color:#a16a94}.cm-s-3024-night span.cm-attribute,.cm-s-3024-night span.cm-property{color:#01a252}.cm-s-3024-night span.cm-keyword{color:#db2d20}.cm-s-3024-night span.cm-string{color:#fded02}.cm-s-3024-night span.cm-variable{color:#01a252}.cm-s-3024-night span.cm-variable-2{color:#01a0e4}.cm-s-3024-night span.cm-def{color:#e8bbd0}.cm-s-3024-night span.cm-bracket{color:#d6d5d4}.cm-s-3024-night span.cm-tag{color:#db2d20}.cm-s-3024-night span.cm-link{color:#a16a94}.cm-s-3024-night span.cm-error{background:#db2d20;color:#807d7c}.cm-s-3024-night .CodeMirror-activeline-background{background:#2f2f2f}.cm-s-3024-night .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-abcdef.CodeMirror{background:#0f0f0f;color:#defdef}.cm-s-abcdef div.CodeMirror-selected{background:#515151}.cm-s-abcdef .CodeMirror-line::selection,.cm-s-abcdef .CodeMirror-line>span::selection,.cm-s-abcdef .CodeMirror-line>span>span::selection{background:rgba(56,56,56,.99)}.cm-s-abcdef .CodeMirror-line::-moz-selection,.cm-s-abcdef .CodeMirror-line>span::-moz-selection,.cm-s-abcdef .CodeMirror-line>span>span::-moz-selection{background:rgba(56,56,56,.99)}.cm-s-abcdef .CodeMirror-gutters{background:#555;border-right:2px solid #314151}.cm-s-abcdef .CodeMirror-guttermarker{color:#222}.cm-s-abcdef .CodeMirror-guttermarker-subtle{color:azure}.cm-s-abcdef .CodeMirror-linenumber{color:#fff}.cm-s-abcdef .CodeMirror-cursor{border-left:1px solid #0f0}.cm-s-abcdef span.cm-keyword{color:#b8860b;font-weight:700}.cm-s-abcdef span.cm-atom{color:#77f}.cm-s-abcdef span.cm-number{color:violet}.cm-s-abcdef span.cm-def{color:#fffabc}.cm-s-abcdef span.cm-variable{color:#abcdef}.cm-s-abcdef span.cm-variable-2{color:#cacbcc}.cm-s-abcdef span.cm-type,.cm-s-abcdef span.cm-variable-3{color:#def}.cm-s-abcdef span.cm-property{color:#fedcba}.cm-s-abcdef span.cm-operator{color:#ff0}.cm-s-abcdef span.cm-comment{color:#7a7b7c;font-style:italic}.cm-s-abcdef span.cm-string{color:#2b4}.cm-s-abcdef span.cm-meta{color:#c9f}.cm-s-abcdef span.cm-qualifier{color:#fff700}.cm-s-abcdef span.cm-builtin{color:#30aabc}.cm-s-abcdef span.cm-bracket{color:#8a8a8a}.cm-s-abcdef span.cm-tag{color:#fd4}.cm-s-abcdef span.cm-attribute{color:#df0}.cm-s-abcdef span.cm-error{color:red}.cm-s-abcdef span.cm-header{color:#7fffd4;font-weight:700}.cm-s-abcdef span.cm-link{color:#8a2be2}.cm-s-abcdef .CodeMirror-activeline-background{background:#314151}.cm-s-ambiance.CodeMirror{box-shadow:none}.cm-s-ambiance .cm-header{color:blue}.cm-s-ambiance .cm-quote{color:#24c2c7}.cm-s-ambiance .cm-keyword{color:#cda869}.cm-s-ambiance .cm-atom{color:#cf7ea9}.cm-s-ambiance .cm-number{color:#78cf8a}.cm-s-ambiance .cm-def{color:#aac6e3}.cm-s-ambiance .cm-variable{color:#ffb795}.cm-s-ambiance .cm-variable-2{color:#eed1b3}.cm-s-ambiance .cm-type,.cm-s-ambiance .cm-variable-3{color:#faded3}.cm-s-ambiance .cm-property{color:#eed1b3}.cm-s-ambiance .cm-operator{color:#fa8d6a}.cm-s-ambiance .cm-comment{color:#555;font-style:italic}.cm-s-ambiance .cm-string{color:#8f9d6a}.cm-s-ambiance .cm-string-2{color:#9d937c}.cm-s-ambiance .cm-meta{color:#d2a8a1}.cm-s-ambiance .cm-qualifier{color:#ff0}.cm-s-ambiance .cm-builtin{color:#99c}.cm-s-ambiance .cm-bracket{color:#24c2c7}.cm-s-ambiance .cm-tag{color:#fee4ff}.cm-s-ambiance .cm-attribute{color:#9b859d}.cm-s-ambiance .cm-hr{color:pink}.cm-s-ambiance .cm-link{color:#f4c20b}.cm-s-ambiance .cm-special{color:#ff9d00}.cm-s-ambiance .cm-error{color:#af2018}.cm-s-ambiance .CodeMirror-matchingbracket{color:#0f0}.cm-s-ambiance .CodeMirror-nonmatchingbracket{color:#f22}.cm-s-ambiance div.CodeMirror-selected{background:hsla(0,0%,100%,.15)}.cm-s-ambiance.CodeMirror-focused div.CodeMirror-selected{background:hsla(0,0%,100%,.1)}.cm-s-ambiance .CodeMirror-line::selection,.cm-s-ambiance .CodeMirror-line>span::selection,.cm-s-ambiance .CodeMirror-line>span>span::selection{background:hsla(0,0%,100%,.1)}.cm-s-ambiance .CodeMirror-line::-moz-selection,.cm-s-ambiance .CodeMirror-line>span::-moz-selection,.cm-s-ambiance .CodeMirror-line>span>span::-moz-selection{background:hsla(0,0%,100%,.1)}.cm-s-ambiance.CodeMirror{background-color:#202020;box-shadow:inset 0 0 10px #000;color:#e6e1dc;line-height:1.4em}.cm-s-ambiance .CodeMirror-gutters{background:#3d3d3d;border-right:1px solid #4d4d4d;box-shadow:0 10px 20px #000}.cm-s-ambiance .CodeMirror-linenumber{color:#111;padding:0 5px;text-shadow:0 1px 1px #4d4d4d}.cm-s-ambiance .CodeMirror-guttermarker{color:#aaa}.cm-s-ambiance .CodeMirror-guttermarker-subtle{color:#111}.cm-s-ambiance .CodeMirror-cursor{border-left:1px solid #7991e8}.cm-s-ambiance .CodeMirror-activeline-background{background:none repeat scroll 0 0 hsla(0,0%,100%,.031)}.cm-s-ambiance .CodeMirror-gutters,.cm-s-ambiance.CodeMirror{background-image:url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAMgAAADICAQAAAAHUWYVAABFFUlEQVQYGbzBCeDVU/74/6fj9HIcx/FRHx9JCFmzMyGRURhLZIkUsoeRfUjS2FNDtr6WkMhO9sm+S8maJfu+Jcsg+/o/c+Z4z/t97/vezy3z+z8ekGlnYICG/o7gdk+wmSHZ1z4pJItqapjoKXWahm8NmV6eOTbWUOp6/6a/XIg6GQqmenJ2lDHyvCFZ2cBDbmtHA043VFhHwXxClWmeYAdLhV00Bd85go8VmaFCkbVkzlQENzfBDZ5gtN7HwF0KDrTwJ0dypSOzpaKCMwQHKTIreYIxlmhXTzTWkVm+LTynZhiSBT3RZQ7aGfjGEd3qyXQ1FDymqbKxpspERQN2MiRjNZlFFQXfCNFm9nM1zpAsoYjmtRTc5ajwuaXc5xrWskT97RaKzAGe5ARHhVUsDbjKklziiX5WROcJwSNCNI+9w1Jwv4Zb2r7lCMZ4oq5C0EdTx+2GzNuKpJ+iFf38JEWkHJn9DNF7mmBDITrWEg0VWL3pHU20tSZnuqWu+R3BtYa8XxV1HO7GyD32UkOpL/yDloINFTmvtId+nmAjxRw40VMwVKiwrKLE4bK5UOVntYwhOcSSXKrJHKPJedocpGjVz/ZMIbnYUPB10/eKCrs5apqpgVmWzBYWpmtKHecJPjaUuEgRDDaU0oZghCJ6zNMQ5ZhDYx05r5v2muQdM0EILtXUsaKiQX9WMEUotagQzFbUNN6NUPC2nm5pxEWGCjMc3GdJHjSU2kORLK/JGSrkfGEIjncU/CYUnOipoYemwj8tST9NsJmB7TUVXtbUtXATJVZXBMvYeTXJfobgJUPmGMP/yFaWonaa6BcFO3nqcIqCozSZoZoSr1g4zJOzuyGnxTEX3lUEJ7WcZgme8ddaWvWJo2AJR9DZU3CUIbhCSG6ybSwN6qtJVnCU2svDTP2ZInOw2cBTrqtQahtNZn9NcJ4l2NaSmSkkP1noZWnVwkLmdUPOwLZEwy2Z3S3R+4rIG9hcbpPXHFVWcQdZkn2FOta3cKWQnNRC5g1LsJah4GCzSVsKnCOY5OAFRTBekyyryeyilhFKva75r4Mc0aWanGEaThcy31s439KKxTzJYY5WTHPU1FtIHjQU3Oip4xlNzj/lBw23dYZVliQa7WAXf4shetcQfatI+jWRDBPmyNeW6A1P5kdDgyYJlba0BIM8BZu1JfrFwItyjcAMR3K0BWOIrtMEXyhyrlVEx3ui5dUBjmB/Q3CXW85R4mBD0s7B+4q5tKUjOlb9qqmhi5AZ6GFIC5HXtOobdYGlVdMVbNJ8toNTFcHxnoL+muBagcctjWnbNMuR00uI7nQESwg5q2qqrKWIfrNUmeQocY6HuyxJV02wj36w00yhpmUFenv4p6fUkZYqLyuinx2RGOjhCXYyJF84oiU00YMOOhhquNdfbOB7gU88pY4xJO8LVdp6/q2voeB4R04vIdhSE40xZObx1HGGJ/ja0LBthFInKaLPPFzuCaYaoj8JjPME8yoyxo6zlBqkiUZYgq00OYMswbWO5NGmq+xhipxHLRW29ARjNKXO0wRnear8XSg4XFPLKEPUS1GqvyLwiuBUoa7zpZ0l5xxFwWmWZC1H5h5FwU8eQ7K+g8UcVY6TMQreVQT/8uQ8Z+ALIXnSEa2pYZQneE9RZbSBNYXfWYJzW/h/4j4Dp1tYVcFIC5019Vyi4ThPqSFCzjGWaHQTBU8q6vrVwgxP9Lkm840imWKpcLCjYTtrKuwvsKSnrvHCXGkSMk9p6lhckfRpIeis+N2PiszT+mFLspyGleUhDwcLrZqmyeylxwjBcKHEapqkmyangyLZRVOijwOtCY5SsG5zL0OwlCJ4y5KznF3EUNDDrinwiyLZRzOXtlBbK5ITHFGLp8Q0R6ab6mS7enI2cFrxOyHvOCFaT1HThS1krjCwqWeurCkk+willhCC+RSZnRXBiZaC5RXRIZYKp2lyfrHwiKPKR0JDzrdU2EFgpidawlFDR6FgXUMNa+g1FY3bUQh2cLCwosRdnuQTS/S+JVrGLeWIvtQUvONJxlqSQYYKpwoN2kaocLjdVsis4Mk80ESF2YpSkzwldjHkjFCUutI/r+EHDU8oCs6yzL3PhWiEooZdFMkymlas4AcI3KmoMMNSQ3tHzjGWCrcJJdYyZC7QFGwjRL9p+MrRkAGWzIaWCn9W0F3TsK01c2ZvQw0byvxuQU0r1lM0qJO7wW0kRIMdDTtXEdzi4VIh+EoIHm0mWtAtpCixlabgn83fKTI7anJe9ST7WIK1DMGpQmYeA58ImV6ezOGOzK2Kgq01pd60cKWiUi9Lievb/0vIDPHQ05Kzt4ddPckQBQtoaurjyHnek/nKzpQLrVgKPjIkh2v4uyezpv+Xoo7fPFXaGFp1vaLKxQ4uUpQQS5VuQs7BCq4xRJv7fwpVvvFEB3j+620haOuocqMhWd6TTPAEx+mdFNGHdranFe95WrWmIvlY4F1Dle2ECgc6cto7SryuqGGGha0tFQ5V53migUKmg6XKAo4qS3mik+0OZpAhOLeZKicacgaYcyx5hypYQE02ZA4xi/pNhOQxR4klNKyqacj+mpxnLTnnGSo85++3ZCZq6lrZkXlGEX3o+C9FieccJbZWVFjC0Yo1FZnJhoYMFoI1hEZ9r6hwg75HwzBNhbZCdJEfJwTPGzJvaKImw1yYX1HDAmpXR+ZJQ/SmgqMNVQb5vgamGwLtt7VwvP7Qk1xpiM5x5Cyv93E06MZmgs0Nya2azIKOYKCGBQQW97RmhKNKF02JZqHEJ4o58qp7X5EcZmc56trXEqzjCBZ1MFGR87Ql2tSTs6CGxS05PTzRQorkbw7aKoKXFDXsYW42VJih/q+FP2BdTzDTwVqOYB13liM50vG7wy28qagyuIXMeQI/Oqq8bcn5wJI50xH00CRntyfpL1T4hydYpoXgNiFzoIUTDZnLNRzh4TBHwbYGDvZkxmlyJloyr6tRihpeUG94GnKtIznREF0tzJG/OOr73JBcrSh1k6WuTprgLU+mnSGnv6Zge0NNz+kTDdH8nuAuTdJDCNb21LCiIuqlYbqGzT3RAoZofQfjFazkqeNWdYaGvYTM001EW2oKPvVk1ldUGSgUtHFwjKM1h9jnFcmy5lChoLNaQMGGDsYbKixlaMBmmsx1QjCfflwTfO/gckW0ruZ3jugKR3R5W9hGUWqCgxuFgsuaCHorotGKzGaeZB9DMsaTnKCpMtwTvOzhYk0rdrArKCqcaWmVk1+F372ur1YkKxgatI8Qfe1gIX9wE9FgS8ESmuABIXnRUbCapcKe+nO7slClSZFzpV/LkLncEb1qiO42fS3R855Su2mCLh62t1SYZZYVmKwIHjREF2uihTzB20JOkz7dkxzYQnK0UOU494wh+VWRc6Un2kpTaVgLDFEkJ/uhzRcI0YKGgpGWOlocBU/a4fKoJ/pEaNV6jip3+Es9VXY078rGnmAdf7t9ylPXS34RBSuYPs1UecZTU78WanhBCHpZ5sAoTz0LGZKjPf9TRypqWEiTvOFglL1fCEY3wY/++rbk7C8bWebA6p6om6PgOL2kp44TFJlVNBXae2rqqdZztOJpT87GQsE9jqCPIe9VReZuQ/CIgacsyZdCpIScSYqcZk8r+nsyCzhyfhOqHGOIvrLknC8wTpFcaYiGC/RU1NRbUeUpocQOnkRpGOrIOcNRx+1uA0UrzhSSt+VyS3SJpnFWkzNDqOFGIWcfR86DnmARTQ1HKIL33ExPiemeOhYSSjzlSUZZuE4TveoJLnBUOFof6KiysCbnAEcZgcUNTDOwkqWu3RWtmGpZwlHhJENdZ3miGz0lJlsKnjbwqSHQjpxnFDlTLLwqJPMZMjd7KrzkSG7VsxXBZE+F8YZkb01Oe00yyRK9psh5SYh29ySPKBo2ylNht7ZkZnsKenjKNJu9PNEyZpaCHv4Kt6RQsLvAVp7M9kIimmCUwGeWqLMmGuIotYMmWNpSahkhZw9FqZsVnKJhsjAHvtHMsTM9fCI06Dx/u3vfUXCqfsKRc4oFY2jMsoo/7DJDwZ1CsIKnJu+J9ldkpmiCxQx1rWjI+T9FwcWWzOuaYH0Hj7klNRVWEQpmaqosakiGNTFHdjS/qnUdmf0NJW5xsL0HhimCCZZSRzmSPTXJQ4aaztAwtZnoabebJ+htCaZ7Cm535ByoqXKbX1WRc4Eh2MkRXWzImVc96Cj4VdOKVxR84VdQsIUM8Psoou2byVHyZFuq7O8otbSQ2UAoeEWTudATLGSpZzVLlXVkPU2Jc+27lsw2jmg5T5VhbeE3BT083K9WsTTkFU/Osi0rC5lRlpwRHUiesNS0sOvmqGML1aRbPAxTJD9ZKtxuob+hhl8cwYGWpJ8nub7t5p6coYbMovZ1BTdaKn1jYD6h4GFDNFyT/Kqe1XCXphXHOKLZmuRSRdBPEfVUXQzJm5YGPGGJdvAEr7hHNdGZnuBvrpciGmopOLf5N0uVMy0FfYToJk90uUCbJupaVpO53UJXR2bVpoU00V2KOo4zMFrBd0Jtz2pa0clT5Q5L8IpQ177mWQejPMEJhuQjS10ref6HHjdEhy1P1EYR7GtO0uSsKJQYLiTnG1rVScj5lyazpqWGl5uBbRWl7m6ixGOOnEsMJR7z8J0n6KMnCdxhiNYQCoZ6CmYLnO8omC3MkW3bktlPmEt/VQQHejL3+dOE5FlPdK/Mq8hZxxJtLyRrepLThYKbLZxkSb5W52vYxNOaOxUF0yxMUPwBTYqCzy01XayYK0sJyWBLqX0MwU5CzoymRzV0EjjeUeLgDpTo6ij42ZAzvD01dHUUTPLU96MdLbBME8nFBn7zJCMtJcZokn8YoqU0FS5WFKyniHobguMcmW8N0XkWZjkyN3hqOMtS08r+/xTBwpZSZ3qiVRX8SzMHHjfUNFjgHEPmY9PL3ykEzxkSre/1ZD6z/NuznuB0RcE1TWTm9zRgfUWVJiG6yrzgmWPXC8EAR4Wxhlad0ZbgQyEz3pG5RVEwwDJH2mgKpjcTiCOzn1lfUWANFbZ2BA8balnEweJC9J0iuaeZoI+ippFCztEKVvckR2iice1JvhVytrQwUAZpgsubCPaU7xUe9vWnaOpaSBEspalykhC9bUlOMpT42ZHca6hyrqKmw/wMR8H5ZmdFoBVJb03O4UL0tSNnvIeRmkrLWqrs78gcrEn2tpcboh0UPOW3UUR9PMk4T4nnNKWmCjlrefhCwxRNztfmIQVdDElvS4m1/WuOujoZCs5XVOjtKPGokJzsYCtFYoWonSPT21DheU/wWhM19FcElwqNGOsp9Q8N/cwXaiND1MmeL1Q5XROtYYgGeFq1aTMsoMmcrKjQrOFQTQ1fmBYhmW6o8Jkjc7iDJRTBIo5kgJD5yMEYA3srCg7VFKwiVJkmRCc5ohGOKhsYMn/XBLdo5taZjlb9YAlGWRimqbCsoY7HFAXLa5I1HPRxMMsQDHFkWtRNniqT9UEeNjcE7RUlrCJ4R2CSJuqlKHWvJXjAUNcITYkenuBRB84TbeepcqTj3zZyFJzgYQdHnqfgI0ddUwS6GqWpsKWhjq9cV0vBAEMN2znq+EBfIWT+pClYw5xsTlJU6GeIBsjGmmANTzJZiIYpgrM0Oa8ZMjd7NP87jxhqGOhJlnQtjuQpB+8aEE00wZFznSJPyHxgH3HkPOsJFvYk8zqCHzTs1BYOa4J3PFU+UVRZxlHDM4YavlNUuMoRveiZA2d7grMNc2g+RbSCEKzmgYsUmWmazFJyoiOZ4KnyhKOGRzWJa0+moyV4TVHDzn51Awtqaphfk/lRQ08FX1iiqxTB/kLwd0VynKfEvI6cd4XMV5bMhZ7gZUWVzYQ6Nm2BYzxJbw3bGthEUUMfgbGeorae6DxHtJoZ6alhZ0+ytiVoK1R4z5PTrOECT/SugseEOlb1MMNR4VRNcJy+V1Hg9ONClSZFZjdHlc6W6FBLdJja2MC5hhpu0DBYEY1TFGwiFAxRRCsYkiM9JRb0JNMVkW6CZYT/2EiTGWmo8k+h4FhDNE7BvppoTSFnmCV5xZKzvcCdDo7VVPnIU+I+Rc68juApC90MwcFCsJ5hDqxgScYKreruyQwTqrzoqDCmhWi4IbhB0Yrt3RGa6GfDv52rKXWhh28dyZaWUvcZeMTBaZoSGyiCtRU5J8iviioHaErs7Jkj61syVzTTgOcUOQ8buFBTYWdL5g3T4qlpe0+wvD63heAXRfCCIed9RbCsp2CiI7raUOYOTU13N8PNHvpaGvayo4a3LLT1lDrVEPT2zLUlheB1R+ZTRfKWJ+dcocLJfi11vyJ51lLqJ0WD7tRwryezjiV5W28uJO9qykzX8JDe2lHl/9oyBwa2UMfOngpXCixvKdXTk3wrsKmiVYdZIqsoWEERjbcUNDuiaQomGoIbFdEHmsyWnuR+IeriKDVLnlawlyNHKwKlSU631PKep8J4Q+ayjkSLKYLhalNHlYvttb6fHm0p6OApsZ4l2VfdqZkjuysy6ysKLlckf1KUutCTs39bmCgEyyoasIWlVaMF7mgmWtBT8Kol5xpH9IGllo8cJdopcvZ2sImlDmMIbtDk3KIpeNiS08lQw11NFPTwVFlPP6pJ2gvRfI7gQUfmNAtf6Gs0wQxDsKGlVBdF8rCa3jzdwMaGHOsItrZk7hAyOzpK9VS06j5F49b0VNGOOfKs3lDToMsMBe9ZWtHFEgxTJLs7qrygKZjUnmCYoeAqeU6jqWuLJup4WghOdvCYJnrSkSzoyRkm5M2StQwVltPkfCAk58tET/CSg+8MUecmotMEnhBKfWBIZsg2ihruMJQaoIm+tkTLKEqspMh00w95gvFCQRtDwTT1gVDDSEVdlwqZfxoQRbK0g+tbiBZxzKlpnpypejdDwTaeOvorMk/IJE10h9CqRe28hhLbe0pMsdSwv4ZbhKivo2BjDWfL8UKJgeavwlwb5KlwhyE4u4XkGE2ytZCznKLCDZZq42VzT8HLCrpruFbIfOIINmh/qCdZ1ZBc65kLHR1Bkyf5zn6pN3SvGKIlFNGplhrO9QSXanLOMQTLCa0YJCRrCZm/CZmrLTm7WzCK4GJDiWUdFeYx1LCFg3NMd0XmCuF3Y5rITLDUsYS9zoHVzwnJoYpSTQoObyEzr4cFBNqYTopoaU/wkyLZ2lPhX/5Y95ulxGTV7KjhWrOZgl8MyUUafjYraNjNU1N3IWcjT5WzWqjwtoarHSUObGYO3GCJZpsBlnJGPd6ZYLyl1GdCA2625IwwJDP8GUKymbzuyPlZlvTUsaUh5zFDhRWFzPKKZLAlWdcQbObgF9tOqOsmB1dqcqYJmWstFbZRRI9poolmqiLnU0POvxScpah2iSL5UJNzgScY5+AuIbpO0YD3NCW+dLMszFSdFCWGqG6eVq2uYVNDdICGD6W7EPRWZEY5gpsE9rUkS3mijzzJnm6UpUFXG1hCUeVoS5WfNcFpblELL2qqrCvMvRfd45oalvKU2tiQ6ePJOVMRXase9iTtLJztPxJKLWpo2CRDcJwn2sWSLKIO1WQWNTCvpVUvOZhgSC40JD0dOctaSqzkCRbXsKlb11Oip6PCJ0IwSJM31j3akRxlP7Rwn6aGaUL0qiLnJkvB3xWZ2+Q1TfCwpQH3G0o92UzmX4o/oJNQMMSQc547wVHhdk+VCw01DFYEnTxzZKAm74QmeNNR1w6WzEhNK15VJzuCdxQ53dRUDws5KvwgBMOEgpcVNe0hZI6RXT1Jd0cyj5nsaEAHgVmGaJIlWdsc5Ui2ElrRR6jrRAttNMEAIWrTDFubkZaok7/AkzfIwfuWVq0jHzuCK4QabtLUMVPB3kJ0oyHTSVFlqMALilJf2Rf8k5aaHtMfayocLBS8L89oKoxpJvnAkDPa0qp5DAUTHKWmCcnthlou8iCKaFFLHWcINd1nyIwXqrSxMNmSs6KmoL2QrKuWtlQ5V0120xQ5vRyZS1rgFkWwhiOwiuQbR0OOVhQM9iS3tiXp4RawRPMp5tDletOOBL95MpM01dZTBM9pkn5qF010rIeHFcFZhmSGpYpTsI6nwhqe5C9ynhlpp5ophuRb6WcJFldkVnVEwwxVfrVkvnWUuNLCg5bgboFHPDlDPDmnK7hUrWiIbjadDclujlZcaokOFup4Ri1kacV6jmrrK1hN9bGwpKEBQ4Q6DvIUXOmo6U5LqQM6EPyiKNjVkPnJkDPNEaxhiFay5ExW1NXVUGqcpYYdPcGiCq7z/TSlbhL4pplWXKd7NZO5QQFrefhRQW/NHOsqcIglc4UhWklR8K0QzbAw08CBDnpbgqXdeD/QUsM4RZXDFBW6WJKe/mFPdH0LtBgiq57wFLzlyQzz82qYx5D5WJP5yVJDW01BfyHnS6HKO/reZqId1WGa4Hkh2kWodJ8i6KoIPlAj2hPt76CzXsVR6koPRzWTfKqIentatYpQw2me4AA3y1Kind3SwoOKZDcFXTwl9tWU6mfgRk9d71sKtlNwrjnYw5tC5n5LdKiGry3JKNlHEd3oaMCFHrazBPMp/uNJ+V7IudcSbeOIdjUEdwl0VHCOZo5t6YluEuaC9mQeMgSfOyKnYGFHcIeQ84yQWbuJYJpZw5CzglDH7gKnWqqM9ZTaXcN0TeYhR84eQtJT76JJ1lREe7WnnvsMmRc9FQ7SBBM9mV3lCUdmHk/S2RAMt0QjFNFqQpWjDPQ01DXWUdDBkXziKPjGEP3VP+zIWU2t7im41FOloyWzn/L6dkUy3VLDaZ6appgDLHPjJEsyvJngWEPUyVBiAaHCTEXwrLvSEbV1e1gKJniicWorC1MUrVjB3uDhJE/wgSOzk1DXpk0k73qCM8xw2UvD5kJmDUfOomqMpWCkJRlvKXGmoeBm18USjVIk04SClxTB6YrgLAPLWYK9HLUt5cmc0vYES8GnTeRc6skZbQkWdxRsIcyBRzx1DbTk9FbU0caTPOgJHhJKnOGIVhQqvKmo0llRw9sabrZkDtdg3PqaKi9oatjY8B+G371paMg6+mZFNNtQ04mWBq3rYLOmtWWQp8KJnpy9DdFensyjdqZ+yY40VJlH8wcdLzC8PZnvHMFUTZUrDTkLyQaGus5X5LzpYAf3i+e/ZlhqGqWhh6Ou6xTR9Z6oi5AZZtp7Mj2EEm8oSpxiYZCHU/1fbGdNNNRRoZMhmilEb2gqHOEJDtXkHK/JnG6IrvbPCwV3NhONVdS1thBMs1T4QOBcTWa2IzhMk2nW5Kyn9tXUtpv9RsG2msxk+ZsQzRQacJncpgke0+T8y5Fzj8BiGo7XlJjaTIlpQs7KFjpqGnKuoyEPeIKnFMkZHvopgh81ySxNFWvJWcKRs70j2FOT012IllEEO1n4pD1513Yg2ssQPOThOkvyrqHUdEXOSEsihmBbTbKX1kLBPWqWkLOqJbjB3GBIZmoa8qWl4CG/iZ7oiA72ZL7TJNeZUY7kFQftDcHHluBzRbCegzMtrRjVQpX2lgoPKKLJAkcbMl01XK2p7yhL8pCBbQ3BN2avJgKvttcrWDK3CiUOVxQ8ZP+pqXKyIxnmBymCg5vJjNfkPK4+c8cIfK8ocVt7kmfd/I5SR1hKvCzUtb+lhgc00ZaO6CyhIQP1Uv4yIZjload72PXX0OIJvnFU+0Zf6MhsJwTfW0r0UwQfW4LNLZl5HK261JCZ4qnBaAreVAS3WrjV0LBnNDUNNDToCEeFfwgcb4gOEqLRhirWkexrCEYKVV711DLYEE1XBEsp5tpTGjorkomKYF9FDXv7fR3BGwbettSxnyL53MBPjsxDZjMh+VUW9NRxq1DhVk+FSxQcaGjV9Pawv6eGByw5qzoy7xk4RsOShqjJwWKe/1pEEfzkobeD/dQJmpqedcyBTy2sr4nGNRH0c0SPWTLrqAc0OQcb/gemKgqucQT7ySWKCn2EUotoCvpZct7RO2sy/QW0IWcXd7pQRQyZVwT2USRO87uhjioTLKV2brpMUcMQRbKH/N2T+UlTpaMls6cmc6CCNy3JdYYSUzzJQ4oSD3oKLncULOiJvjBEC2oqnCJkJluCYy2ZQ5so9YYlZ1VLlQU1mXEW1jZERwj/MUSRc24TdexlqLKfQBtDTScJUV8FszXBEY5ktpD5Ur9hYB4Nb1iikw3JoYpkKX+RodRKFt53MMuRnKSpY31PwYaGaILh3wxJGz9TkTPEETxoCWZrgvOlmyMzxFEwVJE5xZKzvyJ4WxEc16Gd4Xe3Weq4XH2jKRikqOkGQ87hQnC7wBmGYLAnesX3M+S87eFATauuN+Qcrh7xIxXJbUIdMw3JGE3ylCWzrieaqCn4zhGM19TQ3z1oH1AX+pWEqIc7wNGAkULBo/ZxRaV9NNyh4Br3rCHZzbzmSfawBL0dNRwpW1kK9mxPXR9povcdrGSZK9c2k0xwFGzjuniCtRSZCZ6ccZ7gaktmgAOtKbG/JnOkJrjcQTdFMsxRQ2cLY3WTIrlCw1eWKn8R6pvt4GFDso3QoL4a3nLk3G6JrtME3dSenpx7PNFTmga0EaJTLQ061sEeQoWXhSo9LTXsaSjoJQRXeZLtDclbCrYzfzHHeaKjHCVOUkQHO3JeEepr56mhiyaYYKjjNU+Fed1wS5VlhWSqI/hYUdDOkaxiKehoyOnrCV5yBHtbWFqTHCCwtpDcYolesVR5yUzTZBb3RNMd0d6WP+SvhuBmRcGxnuQzT95IC285cr41cLGQ6aJJhmi4TMGempxeimBRQw1tFKV+8jd6KuzoSTqqDxzRtpZkurvKEHxlqXKRIjjfUNNXQsNOsRScoWFLT+YeRZVD3GRN0MdQcKqQjHDMrdGGVu3iYJpQx3WGUvfbmxwFfR20WBq0oYY7LMFhhgYtr8jpaEnaOzjawWWaTP8mMr0t/EPDPoqcnxTBI5o58L7uoWnMrpoqPwgVrlAUWE+V+TQl9rawoyP6QGAlQw2TPRX+YSkxyBC8Z6jhHkXBgQL7WII3DVFnRfCrBfxewv9D6xsyjys4VkhWb9pUU627JllV0YDNHMku/ldNMMXDEo4aFnAkk4U6frNEU4XgZUPmEKHUl44KrzmYamjAbh0JFvGnaTLPu1s9jPCwjFpYiN7z1DTOk/nc07CfDFzmCf7i+bfNHXhDtLeBXzTBT5rkMvWOIxpl4EMh2LGJBu2syDnAEx2naEhHDWMMzPZEhygyS1mS5RTJr5ZkoKbEUoYqr2kqdDUE8ztK7OaIntJkFrIECwv8LJTaVx5XJE86go8dFeZ3FN3rjabCAYpoYEeC9zzJVULBbmZhDyd7ko09ydpNZ3nm2Kee4FPPXHnYEF1nqOFEC08LUVcDvYXkJHW8gTaKCk9YGOeIJhqiE4ToPEepdp7IWFjdwnWaufGMwJJCMtUTTBBK9BGCOy2tGGrJTHIwyEOzp6aPzNMOtlZkDvcEWpP5SVNhfkvDxhmSazTJXYrM9U1E0xwFVwqZQwzJxw6+kGGGUj2FglGGmnb1/G51udRSMNlTw6GGnCcUwVcOpmsqTHa06o72sw1RL02p9z0VbnMLOaIX3QKaYKSCFQzBKEUNHTSc48k53RH9wxGMtpQa5KjjW0W0n6XCCCG4yxNNdhQ4R4l1Ff+2sSd6UFHiIEOyqqFgT01mEUMD+joy75jPhOA+oVVLm309FR4yVOlp4RhLiScNmSmaYF5Pw0STrOIoWMSR2UkRXOMp+M4SHW8o8Zoi6OZgjKOaFar8zZDzkWzvKOjkKBjmCXby8JahhjXULY4KlzgKLvAwxVGhvyd4zxB1d9T0piazmKLCVZY5sKiD0y2ZSYrkUEPUbIk+dlQ4SJHTR50k1DPaUWIdTZW9NJwnJMOECgd7ou/MnppMJ02O1VT4Wsh85MnZzcFTngpXGKo84qmwgKbCL/orR/SzJ2crA+t6Mp94KvxJUeIbT3CQu1uIdlQEOzlKfS3UMcrTiFmOuroocrZrT2AcmamOKg8YomeEKm/rlT2sociMaybaUlFhuqHCM2qIJ+rg4EcDFymiDSxzaHdPcpE62pD5kyM5SBMoA1PaUtfIthS85ig1VPiPPYXgYEMNk4Qq7TXBgo7oT57gPUdwgCHzhIVFPFU6OYJzHAX9m5oNrVjeE61miDrqQ4VSa1oiURTsKHC0IfjNwU2WzK6eqK8jWln4g15TVBnqmDteCJ501PGAocJhhqjZdtBEB6lnhLreFJKxmlKbeGrqLiSThVIbCdGzloasa6lpMQXHCME2boLpJgT7yWaemu6wBONbqGNVRS0PKIL7LckbjmQtR7K8I5qtqel+T/ChJTNIKLjdUMNIRyvOEko9YYl2cwQveBikCNawJKcLBbc7+JM92mysNvd/Fqp8a0k6CNEe7cnZrxlW0wQXaXjaktnRwNOGZKYiONwS7a1JVheq3WgJHlQUGKHKmp4KAxXR/ULURcNgoa4zhKSLpZR3kxRRb0NmD0OFn+UCS7CzI1nbP6+o4x47QZE5xRCt3ZagnYcvmpYQktXdk5YKXTzBC57kKEe0VVuiSYqapssMS3C9p2CKkHOg8B8Pa8p5atrIw3qezIWanMGa5HRDNF6RM9wcacl0N+Q8Z8hsIkSnaIIdHRUOEebAPy1zbCkhM062FCJtif7PU+UtoVXzWKqM1PxXO8cfdruhFQ/a6x3JKYagvVDhQEtNiyiiSQ7OsuRsZUku0CRNDs4Sog6KKjsZgk2bYJqijgsEenoKeniinRXBn/U3lgpPdyDZynQx8IiioMnCep5Ky8mjGs6Wty0l1hUQTcNWswS3WRp2kCNZwJG8omG8JphPUaFbC8lEfabwP7VtM9yoaNCAjpR41VNhrD9LkbN722v0CoZMByFzhaW+MyzRYEWFDQwN2M4/JiT76PuljT3VU/A36eaIThb+R9oZGOAJ9tewkgGvqOMNRWYjT/Cwu99Q8LqDE4TgbLWxJ1jaDDAERsFOFrobgjUsBScaguXU8kKm2RL19tRypSHnHNlHiIZqgufs4opgQdVdwxBNNFBR6kVFqb8ogimOzB6a6HTzrlDHEpYaxjiiA4TMQobkDg2vejjfwJGWmnbVFAw3H3hq2NyQfG7hz4aC+w3BbwbesG0swYayvpAs6++Ri1Vfzx93mFChvyN5xVHTS+0p9aqCAxyZ6ZacZyw5+7uuQkFPR9DDk9NOiE7X1PCYJVjVUqq7JlrHwWALF5nfHNGjApdpqgzx5OwilDhCiDYTgnc9waGW4BdLNNUQvOtpzDOWHDH8D7TR/A/85KljEQu3NREc4Pl/6B1Hhc8Umb5CsKMmGC9EPcxoT2amwHNCmeOEnOPbklnMkbOgIvO5UMOpQrS9UGVdt6iH/fURjhI/WOpaW9OKLYRod6HCUEdOX000wpDZQ6hwg6LgZfOqo1RfT/CrJzjekXOGhpc1VW71ZLbXyyp+93ILbC1kPtIEYx0FIx1VDrLoVzXRKRYWk809yYlC9ImcrinxtabKnzRJk3lAU1OLEN1j2zrYzr2myHRXJFf4h4QKT1qSTzTB5+ZNTzTRkAxX8FcLV2uS8eoQQ2aAkFzvCM72sJIcJET3WPjRk5wi32uSS9rfZajpWEvj9hW42F4o5NytSXYy8IKHay10VYdrcl4SkqscrXpMwyGOgtkajheSxdQqmpxP1L3t4R5PqasFnrQEjytq6qgp9Y09Qx9o4S1FzhUCn1kyHSzBWLemoSGvOqLNhZyBjmCaAUYpMgt4Ck7wBBMMwWKWgjsUwTaGVsxWC1mYoKiyqqeGKYqonSIRQ3KIkHO0pmAxTdBHkbOvfllfr+AA+7gnc50huVKYK393FOyg7rbPO/izI7hE4CnHHHnJ0ogNPRUGeUpsrZZTBJcrovUcJe51BPsr6GkJdhCCsZ6aTtMEb2pqWkqeVtDXE/QVggsU/Nl86d9RMF3DxvZTA58agu810RWawCiSzzXBeU3MMW9oyJUedvNEvQyNu1f10BSMddR1vaLCYpYa/mGocLSiYDcLbQz8aMn5iyF4xBNMs1P0QEOV7o5gaWGuzSeLue4tt3ro7y4Tgm4G/mopdZgl6q0o6KzJWE3mMksNr3r+a6CbT8g5wZNzT9O7fi/zpaOmnz3BRoqos+tv9zMbdpxsqDBOEewtJLt7cg5wtKKbvldpSzRRCD43VFheCI7yZLppggMVBS/KMAdHODJvOwq2NQSbKKKPLdFWQs7Fqo+mpl01JXYRgq8dnGLhTiFzqmWsUMdpllZdbKlyvSdYxhI9YghOtxR8LgSLWHK62mGGVoxzBE8LNWzqH9CUesQzFy5RQzTc56mhi6fgXEWwpKfE5Z7M05ZgZUPmo6auiv8YKzDYwWBLMErIbKHJvOwIrvEdhOBcQ9JdU1NHQ7CXn2XIDFBKU2WAgcX9UAUzDXWd5alwuyJ41Z9rjKLCL4aCp4WarhPm2rH+SaHUYE001JDZ2ZAzXPjdMpZWvC9wmqIB2lLhQ01D5jO06hghWMndbM7yRJMsoCj1vYbnFQVrW9jak3OlEJ3s/96+p33dEPRV5GxiqaGjIthUU6FFEZyqCa5qJrpBdzSw95IUnOPIrCUUjRZQFrbw5PR0R1qiYx3cb6nrWUMrBmmiBQxVHtTew5ICP/ip6g4hed/Akob/32wvBHsIOX83cI8hGeNeNPCIkPmXe8fPKx84OMSRM1MTdXSwjCZ4S30jVGhvqTRak/OVhgGazHuOCud5onEO1lJr6ecVyaOK6H7zqlBlIaHE0oroCgfvGJIdPcmfLNGLjpz7hZwZQpUbFME0A1cIJa7VNORkgfsMBatbKgwwJM9bSvQXeNOvbIjelg6WWvo5kvbKaJJNHexkKNHL9xRyFlH8Ti2riB5wVPhUk7nGkJnoCe428LR/wRGdYIlmWebCyxou1rCk4g/ShugBDX0V0ZQWkh0dOVsagkM0yV6OoLd5ye+pRlsCr0n+KiQrGuq5yJDzrTAXHtLUMduTDBVKrSm3eHL+6ijxhFDX9Z5gVU/wliHYTMiMFpKLNMEywu80wd3meoFmt6VbRMPenhrOc6DVe4pgXU8DnnHakLOIIrlF4FZPIw6R+zxBP0dyq6OOZ4Q5sLKCcz084ok+VsMMyQhNZmmBgX5xIXOEJTmi7VsGTvMTNdHHhpzdbE8Du2oKxgvBqQKdDDnTFOylCFaxR1syz2iqrOI/FEpNc3C6f11/7+ASS6l2inq2ciTrCCzgyemrCL5SVPjQkdPZUmGy2c9Sw9FtR1sS30RmsKPCS4rkIC/2U0MduwucYolGaPjKEyhzmiPYXagyWbYz8LWBDdzRimAXzxx4z8K9hpzlhLq+NiQ97HuKorMUfK/OVvC2JfiHUPCQI/q7J2gjK+tTDNxkCc4TMssqCs4TGtLVwQihyoAWgj9bosU80XGW6Ac9TJGziaUh5+hnFcHOnlaM1iRn29NaqGENTTTSUHCH2tWTeV0osUhH6psuVLjRUmGWhm6OZEshGeNowABHcJ2Bpy2ZszRcKkRXd2QuKVEeXnbfaEq825FguqfgfE2whlChSRMdron+LATTPQ2Z369t4B9C5gs/ylzv+CMmepIDPclFQl13W0rspPd1JOcbghGOEutqCv5qacURQl3dDKyvyJlqKXGPgcM9FfawJAMVmdcspcYKOZc4GjDYkFlK05olNMHyHn4zFNykyOxt99RkHlfwmiHo60l2EKI+mhreEKp080Tbug08BVPcgoqC5zWt+NLDTZ7oNSF51N1qie7Va3uCCwyZbkINf/NED6jzOsBdZjFN8oqG3wxVunqCSYYKf3EdhJyf9YWGf7tRU2oH3VHgPr1fe5J9hOgHd7xQ0y7qBwXr23aGErP0cm64JVjZwsOGqL+mhNgZmhJLW2oY4UhedsyBgzrCKrq7BmcpNVhR6jBPq64Vgi+kn6XE68pp8J5/+0wRHGOpsKenQn9DZntPzjRLZpDAdD2fnSgkG9tmIXnUwQ6WVighs7Yi2MxQ0N3CqYaCXkJ0oyOztMDJjmSSpcpvlrk0RMMOjmArQ04PRV1DO1FwhCVaUVPpKUM03JK5SxPsIWRu8/CGHi8UHChiqGFDTbSRJWeYUDDcH6vJWUxR4k1FXbMUwV6e4AJFXS8oMqsZKqzvYQ9DDQdZckY4aGsIhtlubbd2r3j4QBMoTamdPZk7O/Bf62lacZwneNjQoGcdVU7zJOd7ghsUHOkosagic6cnWc8+4gg285R6zZP5s1/LUbCKIznTwK36PkdwlOrl4U1LwfdCCa+IrvFkmgw1PCAUXKWo0sURXWcI2muKJlgyFzhynCY4RBOsqCjoI1R5zREco0n2Vt09BQtYSizgKNHfUmUrQ5UOCh51BFcLmY7umhYqXKQomOop8bUnWNNQcIiBcYaC6xzMNOS8JQQfeqKBmmglB+97ok/lfk3ygaHSyZaCRTzRxQo6GzLfa2jWBPepw+UmT7SQEJyiyRkhBLMVOfcoMjcK0eZChfUNzFAUzCsEN5vP/X1uP/n/aoMX+K+nw/Hjr/9xOo7j7Pju61tLcgvJpTWXNbfN5jLpi6VfCOviTktKlFusQixdEKWmEBUKNaIpjZRSSOXSgzaaKLdabrm1/9nZ+/f+vd/vz/v9+Xy+zZ7PRorYoZqyLrCwQdEAixxVOEXNNnjX2nUSRlkqGmWowk8lxR50JPy9Bo6qJXaXwNvREBvnThPEPrewryLhcAnj5WE15Fqi8W7R1sAuEu86S4ENikItFN4xkv9Af4nXSnUVcLiA9xzesFpivRRVeFKtsMRaKBhuSbjOELnAUtlSQUpXgdfB4Z1oSbnFEetbQ0IrAe+Y+pqnDcEJFj6S8LDZzZHwY4e3XONNlARraomNEt2bkvGsosA3ioyHm+6jCMbI59wqt4eeara28IzEmyPgoRaUOEDhTVdEJhmCoTWfC0p8aNkCp0oYqih2iqGi4yXeMkOsn4LdLLnmKfh/YogjNsPebeFGR4m9BJHLzB61XQ3BtpISfS2FugsK9FAtLWX1dCRcrCnUp44CNzuCowUZmxSRgYaE6Za0W2u/E7CVXCiI/UOR8aAm1+OSyE3mOUcwyc1zBBeoX1kiKy0Zfxck1Gsyulti11i83QTBF5Kg3pDQThFMVHiPSlK+0cSedng/VaS8bOZbtsBcTcZAR8JP5KeqQ1OYKAi20njdNNRpgnsU//K+JnaXJaGTomr7aYIphoRn9aeShJWKEq9LcozSF7QleEfDI5LYm5bgVkFkRwVDBCVu0DDIkGupo8TZBq+/pMQURYErJQmPKGKjNDkWOLx7Jd5QizdUweIaKrlP7SwJDhZvONjLkOsBBX9UpGxnydhXkfBLQ8IxgojQbLFnJf81JytSljclYYyEFyx0kVBvKWOFJmONpshGAcsduQY5giVNCV51eOdJYo/pLhbvM0uDHSevNKRcrKZIqnCtJeEsO95RoqcgGK4ocZcho1tTYtcZvH41pNQ7vA0WrhIfOSraIIntIAi+NXWCErdbkvrWwjRLrt0NKUdL6KSOscTOdMSOUtBHwL6OLA0vNSdynaWQEnCpIvKaIrJJEbvHkmuNhn6OjM8VkSGSqn1uYJCGHnq9I3aLhNME3t6GjIkO7xrNFumpyTNX/NrwX7CrIRiqqWijI9JO4d1iieykyfiposQIQ8YjjsjlBh6oHWbwRjgYJQn2NgSnNycmJAk3NiXhx44Sxykihxm8ybUwT1OVKySc7vi3OXVkdBJ4AyXBeksDXG0IhgtYY0lY5ahCD0ehborIk5aUWRJviMA7Xt5kyRjonrXENkm8yYqgs8VzgrJmClK20uMM3jRJ0FiQICQF9hdETlLQWRIb5ki6WDfWRPobvO6a4GP5mcOrNzDFELtTkONLh9dXE8xypEg7z8A9jkhrQ6Fhjlg/QVktJXxt4WXzT/03Q8IaQWSqIuEvloQ2mqC9Jfi7wRul4RX3pSPlzpoVlmCtI2jvKHCFhjcM3sN6lqF6HxnKelLjXWbwrpR4xzuCrTUZx2qq9oAh8p6ixCUGr78g8oyjRAtB5CZFwi80VerVpI0h+IeBxa6Zg6kWvpDHaioYYuEsRbDC3eOmC2JvGYLeioxGknL2UATNJN6hmtj1DlpLvDVmocYbrGCVJKOrg4X6DgddLA203BKMFngdJJFtFd7vJLm6KEpc5yjQrkk7M80SGe34X24nSex1Ra5Omgb71JKyg8SrU3i/kARKwWpH0kOGhKkObyfd0ZGjvyXlAkVZ4xRbYJ2irFMkFY1SwyWxr2oo4zlNiV+7zmaweFpT4kR3kaDAFW6xpSqzJay05FtYR4HmZhc9UxKbbfF2V8RG1MBmSaE+kmC6JnaRXK9gsiXhJHl/U0qM0WTcbyhwkYIvFGwjSbjfwhiJt8ZSQU+Bd5+marPMOkVkD0muxYLIfEuhh60x/J92itguihJSEMySVPQnTewnEm+620rTQEMsOfo4/kP/0ARvWjitlpSX7GxBgcMEsd3EEeYWvdytd+Saawi6aCIj1CkGb6Aj9rwhx16Cf3vAwFy5pyLhVonXzy51FDpdEblbkdJbUcEPDEFzQ8qNmhzzLTmmKWKbFCXeEuRabp6rxbvAtLF442QjQ+wEA9eL1xSR7Q0JXzlSHjJ4exq89yR0laScJ/FW6z4a73pFMEfDiRZvuvijIt86RaSFOl01riV2mD1UEvxGk/Geg5aWwGki1zgKPG9J2U8PEg8qYvMsZeytiTRXBMslCU8JSlxi8EabjwUldlDNLfzTUmCgxWsjqWCOHavYAqsknKFIO0yQ61VL5AVFxk6WhEaCAkdJgt9aSkzXlKNX2jEa79waYuc7gq0N3GDJGCBhoiTXUEPsdknCUE1CK0fwsiaylSF2uiDyO4XX3pFhNd7R4itFGc0k/ElBZwWvq+GC6szVeEoS/MZ+qylwpKNKv9Z469UOjqCjwlusicyTxG6VpNxcQ8IncoR4RhLbR+NdpGGmJWOcIzJGUuKPGpQg8rrG21dOMqQssJQ4RxH5jaUqnZuQ0F4Q+cjxLwPtpZbIAk3QTJHQWBE5S1BokoVtDd6lhqr9UpHSUxMcIYl9pojsb8h4SBOsMQcqvOWC2E8EVehqiJ1hrrAEbQxeK0NGZ0Gkq+guSRgniM23bIHVkqwx4hiHd7smaOyglyIyQuM978j4VS08J/A2G1KeMBRo4fBaSNhKUEZfQewVQ/C1I+MgfbEleEzCUw7mKXI0M3hd1EESVji8x5uQ41nxs1q4RMJCCXs7Iq9acpxn22oSDnQ/sJTxsCbHIYZiLyhY05TY0ZLIOQrGaSJDDN4t8pVaIrsqqFdEegtizc1iTew5Q4ayBDMUsQMkXocaYkc0hZua412siZ1rSXlR460zRJ5SlHGe5j801RLMlJTxtaOM3Q1pvxJ45zUlWFD7rsAbpfEm1JHxG0eh8w2R7QQVzBUw28FhFp5QZzq8t2rx2joqulYTWSuJdTYfWwqMFMcovFmSyJPNyLhE4E10pHzYjOC3huArRa571ZsGajQpQx38SBP5pyZB6lMU3khDnp0MBV51BE9o2E+TY5Ml2E8S7C0o6w1xvCZjf0HkVEHCzFoyNmqC+9wdcqN+Tp7jSDheE9ws8Y5V0NJCn2bk2tqSY4okdrEhx1iDN8cSudwepWmAGXKcJXK65H9to8jYQRH7SBF01ESUJdd0TayVInaWhLkOjlXE5irKGOnI6GSWGCJa482zBI9rCr0jyTVcEuzriC1vcr6mwFGSiqy5zMwxBH/TJHwjSPhL8+01kaaSUuMFKTcLEvaUePcrSmwn8DZrgikWb7CGPxkSjhQwrRk57tctmxLsb9sZvL9LSlyuSLlWkqOjwduo8b6Uv1DkmudIeFF2dHCgxVtk8dpIvHpBxhEOdhKk7OLIUSdJ+cSRY57B+0DgGUUlNfpthTfGkauzxrvTsUUaCVhlKeteTXCoJDCa2NOKhOmC4G1H8JBd4OBZReSRGkqcb/CO1PyLJTLB4j1q8JYaIutEjSLX8YKM+a6phdMsdLFUoV5RTm9JSkuDN8WcIon0NZMNZWh1q8C7SJEwV5HxrmnnTrf3KoJBlmCYI2ilSLlfEvlE4011NNgjgthzEua0oKK7JLE7HZHlEl60BLMVFewg4EWNt0ThrVNEVkkiTwpKXSWJzdRENgvKGq4IhjsiezgSFtsfCUq8qki5S1LRQeYQQ4nemmCkImWMw3tFUoUBZk4NOeZYEp4XRKTGa6wJjrWNHBVJR4m3FCnbuD6aak2WsMTh3SZImGCIPKNgsDpVwnsa70K31lCFJZYcwwSMFcQulGTsZuEaSdBXkPGZhu0FsdUO73RHjq8MPGGIfaGIbVTk6iuI3GFgucHrIQkmWSJdBd7BBu+uOryWAhY7+Lki9rK5wtEQzWwvtbqGhIMFwWRJsElsY4m9IIg9L6lCX0VklaPAYkfkZEGDnOWowlBJjtMUkcGK4Lg6EtoZInMUBVYLgn0UsdmCyCz7gIGHFfk+k1QwTh5We7A9x+IdJ6CvIkEagms0hR50eH9UnTQJ+2oiKyVlLFUE+8gBGu8MQ3CppUHesnjTHN4QB/UGPhCTHLFPHMFrCqa73gqObUJGa03wgbhHkrCfpEpzNLE7JDS25FMKhlhKKWKfCgqstLCPu1zBXy0J2ztwjtixBu8UTRn9LVtkmCN2iyFhtME70JHRQ1KVZXqKI/KNIKYMCYs1GUMEKbM1bKOI9LDXC7zbHS+bt+1MTWS9odA9DtrYtpbImQJ2VHh/lisEwaHqUk1kjKTAKknkBEXkbkdMGwq0dnhzLJF3NJH3JVwrqOB4Sca2hti75nmJN0WzxS6UxDYoEpxpa4htVlRjkYE7DZGzJVU72uC9IyhQL4i8YfGWSYLLNcHXloyz7QhNifmKSE9JgfGmuyLhc403Xm9vqcp6gXe3xuuv8F6VJNxkyTHEkHG2g0aKXL0MsXc1bGfgas2//dCONXiNLCX+5mB7eZIl1kHh7ajwpikyzlUUWOVOsjSQlsS+M0R+pPje/dzBXRZGO0rMtgQrLLG9VSu9n6CMXS3BhwYmSoIBhsjNBmZbgusE9BCPCP5triU4VhNbJfE+swSP27aayE8tuTpYYjtrYjMVGZdp2NpS1s6aBnKSHDsbKuplKbHM4a0wMFd/5/DmGyKrJSUaW4IBrqUhx0vyfzTBBLPIUcnZdrAkNsKR0sWRspumSns6Ch0v/qqIbBYUWKvPU/CFoyrDJGwSNFhbA/MlzKqjrO80hRbpKx0Jewsi/STftwGSlKc1JZyAzx05dhLEdnfQvhZOqiHWWEAHC7+30FuRcZUgaO5gpaIK+xsiHRUsqaPElTV40xQZQ107Q9BZE1nryDVGU9ZSQ47bmhBpLcYpUt7S+xuK/FiT8qKjwXYw5ypS2iuCv7q1gtgjhuBuB8LCFY5cUuCNtsQOFcT+4Ih9JX+k8Ea6v0iCIRZOtCT0Et00JW5UeC85Cg0ScK0k411HcG1zKtre3SeITBRk7WfwDhEvaYLTHP9le0m8By0JDwn4TlLW/aJOvGHxdjYUes+ScZigCkYQdNdEOhkiezgShqkx8ueKjI8lDfK2oNiOFvrZH1hS+tk7NV7nOmLHicGWEgubkXKdwdtZknCLJXaCpkrjZBtLZFsDP9CdxWsSr05Sxl6CMmoFbCOgryX40uDtamB7SVmXW4Ihlgpmq+00tBKUUa83WbjLUNkzDmY7cow1JDygyPGlhgGKYKz4vcV7QBNbJIgM11TUqZaMdwTeSguH6rOaw1JRKzaaGyxVm2EJ/uCIrVWUcZUkcp2grMsEjK+DMwS59jQk3Kd6SEq1d0S6uVmO4Bc1lDXTUcHjluCXEq+1OlBDj1pi9zgiXxnKuE0SqTXwhqbETW6RggMEnGl/q49UT2iCzgJvRwVXS2K/d6+ZkyUl7jawSVLit46EwxVljDZwoSQ20sDBihztHfk2yA8NVZghiXwrYHQdfKAOtzsayjhY9bY0yE2CWEeJ9xfzO423xhL5syS2TFJofO2pboHob0nY4GiAgRrvGQEDa/FWSsoaaYl0syRsEt3kWoH3B01shCXhTUWe9w3Bt44SC9QCh3eShQctwbaK2ApLroGCMlZrYqvlY3qYhM0aXpFkPOuoqJ3Dm6fxXrGwVF9gCWZagjPqznfkuMKQ8DPTQRO8ZqG1hPGKEm9IgpGW4DZDgTNriTxvFiq+Lz+0cKfp4wj6OCK9JSnzNSn9LFU7UhKZZMnYwcJ8s8yRsECScK4j5UOB95HFO0CzhY4xJxuCix0lDlEUeMdS6EZBkTsUkZ4K74dugyTXS7aNgL8aqjDfkCE0ZbwkCXpaWCKhl8P7VD5jxykivSyxyZrYERbe168LYu9ZYh86IkscgVLE7tWPKmJv11CgoyJltMEbrohtVAQfO4ImltiHEroYEs7RxAarVpY8AwXMcMReFOTYWe5iiLRQxJ5Q8DtJ8LQhWOhIeFESPGsILhbNDRljNbHzNRlTFbk2S3L0NOS6V1KFJYKUbSTcIIhM0wQ/s2TM0SRMNcQmSap3jCH4yhJZKSkwyRHpYYgsFeQ4U7xoCB7VVOExhXepo9ABBsYbvGWKXPME3lyH95YioZ0gssQRWWbI+FaSMkXijZXwgiTlYdPdkNLaETxlyDVIwqeaEus0aTcYcg0RVOkpR3CSJqIddK+90JCxzsDVloyrFd5ZAr4TBKfaWa6boEA7C7s6EpYaeFPjveooY72mjIccLHJ9HUwVlDhKkmutJDJBwnp1rvulJZggKDRfbXAkvC/4l3ozQOG9a8lxjx0i7nV4jSXc7vhe3OwIxjgSHjdEhhsif9YkPGlus3iLFDnWOFhtCZbJg0UbQcIaR67JjthoCyMEZRwhiXWyxO5QxI6w5NhT4U1WsJvDO60J34fW9hwzwlKij6ZAW9ne4L0s8C6XeBMEkd/LQy1VucBRot6QMlbivaBhoBgjqGiCJNhsqVp/S2SsG6DIONCR0dXhvWbJ+MRRZJkkuEjgDXJjFQW6SSL7GXK8Z2CZg7cVsbWGoKmEpzQ5elpiy8Ryg7dMkLLUEauzeO86CuwlSOlgYLojZWeJ9xM3S1PWfEfKl5ISLQ0MEKR8YOB2QfCxJBjrKPCN4f9MkaSsqoVXJBmP7EpFZ9UQfOoOFwSzBN4MQ8LsGrymlipcJQhmy0GaQjPqCHaXRwuCZwRbqK2Fg9wlClZqYicrIgMdZfxTQ0c7TBIbrChxmuzoKG8XRaSrIhhiyNFJkrC7oIAWMEOQa5aBekPCRknCo4IKPrYkvCDI8aYmY7WFtprgekcJZ3oLIqssCSMtFbQTJKwXYy3BY5oCh2iKPCpJOE+zRdpYgi6O2KmOAgvVCYaU4ySRek1sgyFhJ403QFHiVEmJHwtybO1gs8Hr5+BETQX3War0qZngYGgtVZtoqd6vFSk/UwdZElYqyjrF4HXUeFspIi9IGKf4j92pKGAdCYMVsbcV3kRF0N+R8LUd5PCsIGWoxDtBkCI0nKofdJQxT+LtZflvuc8Q3CjwWkq8KwUpHzkK/NmSsclCL0nseQdj5FRH5CNHSgtLiW80Of5HU9Hhlsga9bnBq3fEVltKfO5IaSTmGjjc4J0otcP7QsJUSQM8pEj5/wCuUuC2DWz8AAAAAElFTkSuQmCC")}.cm-s-base16-dark.CodeMirror{background:#151515;color:#e0e0e0}.cm-s-base16-dark div.CodeMirror-selected{background:#303030}.cm-s-base16-dark .CodeMirror-line::selection,.cm-s-base16-dark .CodeMirror-line>span::selection,.cm-s-base16-dark .CodeMirror-line>span>span::selection{background:rgba(48,48,48,.99)}.cm-s-base16-dark .CodeMirror-line::-moz-selection,.cm-s-base16-dark .CodeMirror-line>span::-moz-selection,.cm-s-base16-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(48,48,48,.99)}.cm-s-base16-dark .CodeMirror-gutters{background:#151515;border-right:0}.cm-s-base16-dark .CodeMirror-guttermarker{color:#ac4142}.cm-s-base16-dark .CodeMirror-guttermarker-subtle,.cm-s-base16-dark .CodeMirror-linenumber{color:#505050}.cm-s-base16-dark .CodeMirror-cursor{border-left:1px solid #b0b0b0}.cm-s-base16-dark .cm-animate-fat-cursor,.cm-s-base16-dark.cm-fat-cursor .CodeMirror-cursor{background-color:#8e8d8875!important}.cm-s-base16-dark span.cm-comment{color:#8f5536}.cm-s-base16-dark span.cm-atom,.cm-s-base16-dark span.cm-number{color:#aa759f}.cm-s-base16-dark span.cm-attribute,.cm-s-base16-dark span.cm-property{color:#90a959}.cm-s-base16-dark span.cm-keyword{color:#ac4142}.cm-s-base16-dark span.cm-string{color:#f4bf75}.cm-s-base16-dark span.cm-variable{color:#90a959}.cm-s-base16-dark span.cm-variable-2{color:#6a9fb5}.cm-s-base16-dark span.cm-def{color:#d28445}.cm-s-base16-dark span.cm-bracket{color:#e0e0e0}.cm-s-base16-dark span.cm-tag{color:#ac4142}.cm-s-base16-dark span.cm-link{color:#aa759f}.cm-s-base16-dark span.cm-error{background:#ac4142;color:#b0b0b0}.cm-s-base16-dark .CodeMirror-activeline-background{background:#202020}.cm-s-base16-dark .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-base16-light.CodeMirror{background:#f5f5f5;color:#202020}.cm-s-base16-light div.CodeMirror-selected{background:#e0e0e0}.cm-s-base16-light .CodeMirror-line::selection,.cm-s-base16-light .CodeMirror-line>span::selection,.cm-s-base16-light .CodeMirror-line>span>span::selection{background:#e0e0e0}.cm-s-base16-light .CodeMirror-line::-moz-selection,.cm-s-base16-light .CodeMirror-line>span::-moz-selection,.cm-s-base16-light .CodeMirror-line>span>span::-moz-selection{background:#e0e0e0}.cm-s-base16-light .CodeMirror-gutters{background:#f5f5f5;border-right:0}.cm-s-base16-light .CodeMirror-guttermarker{color:#ac4142}.cm-s-base16-light .CodeMirror-guttermarker-subtle,.cm-s-base16-light .CodeMirror-linenumber{color:#b0b0b0}.cm-s-base16-light .CodeMirror-cursor{border-left:1px solid #505050}.cm-s-base16-light span.cm-comment{color:#8f5536}.cm-s-base16-light span.cm-atom,.cm-s-base16-light span.cm-number{color:#aa759f}.cm-s-base16-light span.cm-attribute,.cm-s-base16-light span.cm-property{color:#90a959}.cm-s-base16-light span.cm-keyword{color:#ac4142}.cm-s-base16-light span.cm-string{color:#f4bf75}.cm-s-base16-light span.cm-variable{color:#90a959}.cm-s-base16-light span.cm-variable-2{color:#6a9fb5}.cm-s-base16-light span.cm-def{color:#d28445}.cm-s-base16-light span.cm-bracket{color:#202020}.cm-s-base16-light span.cm-tag{color:#ac4142}.cm-s-base16-light span.cm-link{color:#aa759f}.cm-s-base16-light span.cm-error{background:#ac4142;color:#505050}.cm-s-base16-light .CodeMirror-activeline-background{background:#dddcdc}.cm-s-base16-light .CodeMirror-matchingbracket{background-color:#6a9fb5!important;color:#f5f5f5!important}.cm-s-bespin.CodeMirror{background:#28211c;color:#9d9b97}.cm-s-bespin div.CodeMirror-selected{background:#59554f!important}.cm-s-bespin .CodeMirror-gutters{background:#28211c;border-right:0}.cm-s-bespin .CodeMirror-linenumber{color:#666}.cm-s-bespin .CodeMirror-cursor{border-left:1px solid #797977!important}.cm-s-bespin span.cm-comment{color:#937121}.cm-s-bespin span.cm-atom,.cm-s-bespin span.cm-number{color:#9b859d}.cm-s-bespin span.cm-attribute,.cm-s-bespin span.cm-property{color:#54be0d}.cm-s-bespin span.cm-keyword{color:#cf6a4c}.cm-s-bespin span.cm-string{color:#f9ee98}.cm-s-bespin span.cm-variable{color:#54be0d}.cm-s-bespin span.cm-variable-2{color:#5ea6ea}.cm-s-bespin span.cm-def{color:#cf7d34}.cm-s-bespin span.cm-error{background:#cf6a4c;color:#797977}.cm-s-bespin span.cm-bracket{color:#9d9b97}.cm-s-bespin span.cm-tag{color:#cf6a4c}.cm-s-bespin span.cm-link{color:#9b859d}.cm-s-bespin .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-bespin .CodeMirror-activeline-background{background:#404040}.cm-s-blackboard.CodeMirror{background:#0c1021;color:#f8f8f8}.cm-s-blackboard div.CodeMirror-selected{background:#253b76}.cm-s-blackboard .CodeMirror-line::selection,.cm-s-blackboard .CodeMirror-line>span::selection,.cm-s-blackboard .CodeMirror-line>span>span::selection{background:rgba(37,59,118,.99)}.cm-s-blackboard .CodeMirror-line::-moz-selection,.cm-s-blackboard .CodeMirror-line>span::-moz-selection,.cm-s-blackboard .CodeMirror-line>span>span::-moz-selection{background:rgba(37,59,118,.99)}.cm-s-blackboard .CodeMirror-gutters{background:#0c1021;border-right:0}.cm-s-blackboard .CodeMirror-guttermarker{color:#fbde2d}.cm-s-blackboard .CodeMirror-guttermarker-subtle,.cm-s-blackboard .CodeMirror-linenumber{color:#888}.cm-s-blackboard .CodeMirror-cursor{border-left:1px solid #a7a7a7}.cm-s-blackboard .cm-keyword{color:#fbde2d}.cm-s-blackboard .cm-atom,.cm-s-blackboard .cm-number{color:#d8fa3c}.cm-s-blackboard .cm-def{color:#8da6ce}.cm-s-blackboard .cm-variable{color:#ff6400}.cm-s-blackboard .cm-operator{color:#fbde2d}.cm-s-blackboard .cm-comment{color:#aeaeae}.cm-s-blackboard .cm-string,.cm-s-blackboard .cm-string-2{color:#61ce3c}.cm-s-blackboard .cm-meta{color:#d8fa3c}.cm-s-blackboard .cm-attribute,.cm-s-blackboard .cm-builtin,.cm-s-blackboard .cm-tag{color:#8da6ce}.cm-s-blackboard .cm-header{color:#ff6400}.cm-s-blackboard .cm-hr{color:#aeaeae}.cm-s-blackboard .cm-link{color:#8da6ce}.cm-s-blackboard .cm-error{background:#9d1e15;color:#f8f8f8}.cm-s-blackboard .CodeMirror-activeline-background{background:#3c3636}.cm-s-blackboard .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-cobalt.CodeMirror{background:#002240;color:#fff}.cm-s-cobalt div.CodeMirror-selected{background:#b36539}.cm-s-cobalt .CodeMirror-line::selection,.cm-s-cobalt .CodeMirror-line>span::selection,.cm-s-cobalt .CodeMirror-line>span>span::selection{background:rgba(179,101,57,.99)}.cm-s-cobalt .CodeMirror-line::-moz-selection,.cm-s-cobalt .CodeMirror-line>span::-moz-selection,.cm-s-cobalt .CodeMirror-line>span>span::-moz-selection{background:rgba(179,101,57,.99)}.cm-s-cobalt .CodeMirror-gutters{background:#002240;border-right:1px solid #aaa}.cm-s-cobalt .CodeMirror-guttermarker{color:#ffee80}.cm-s-cobalt .CodeMirror-guttermarker-subtle,.cm-s-cobalt .CodeMirror-linenumber{color:#d0d0d0}.cm-s-cobalt .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-cobalt span.cm-comment{color:#08f}.cm-s-cobalt span.cm-atom{color:#845dc4}.cm-s-cobalt span.cm-attribute,.cm-s-cobalt span.cm-number{color:#ff80e1}.cm-s-cobalt span.cm-keyword{color:#ffee80}.cm-s-cobalt span.cm-string{color:#3ad900}.cm-s-cobalt span.cm-meta{color:#ff9d00}.cm-s-cobalt span.cm-tag,.cm-s-cobalt span.cm-variable-2{color:#9effff}.cm-s-cobalt .cm-type,.cm-s-cobalt span.cm-def,.cm-s-cobalt span.cm-variable-3{color:#fff}.cm-s-cobalt span.cm-bracket{color:#d8d8d8}.cm-s-cobalt span.cm-builtin,.cm-s-cobalt span.cm-special{color:#ff9e59}.cm-s-cobalt span.cm-link{color:#845dc4}.cm-s-cobalt span.cm-error{color:#9d1e15}.cm-s-cobalt .CodeMirror-activeline-background{background:#002d57}.cm-s-cobalt .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-colorforth.CodeMirror{background:#000;color:#f8f8f8}.cm-s-colorforth .CodeMirror-gutters{background:#0a001f;border-right:1px solid #aaa}.cm-s-colorforth .CodeMirror-guttermarker{color:#ffbd40}.cm-s-colorforth .CodeMirror-guttermarker-subtle{color:#78846f}.cm-s-colorforth .CodeMirror-linenumber{color:#bababa}.cm-s-colorforth .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-colorforth span.cm-comment{color:#ededed}.cm-s-colorforth span.cm-def{color:#ff1c1c;font-weight:700}.cm-s-colorforth span.cm-keyword{color:#ffd900}.cm-s-colorforth span.cm-builtin{color:#00d95a}.cm-s-colorforth span.cm-variable{color:#73ff00}.cm-s-colorforth span.cm-string{color:#007bff}.cm-s-colorforth span.cm-number{color:#00c4ff}.cm-s-colorforth span.cm-atom{color:#606060}.cm-s-colorforth span.cm-variable-2{color:#eee}.cm-s-colorforth span.cm-type,.cm-s-colorforth span.cm-variable-3{color:#ddd}.cm-s-colorforth span.cm-meta{color:#ff0}.cm-s-colorforth span.cm-qualifier{color:#fff700}.cm-s-colorforth span.cm-bracket{color:#cc7}.cm-s-colorforth span.cm-tag{color:#ffbd40}.cm-s-colorforth span.cm-attribute{color:#fff700}.cm-s-colorforth span.cm-error{color:red}.cm-s-colorforth div.CodeMirror-selected{background:#333d53}.cm-s-colorforth span.cm-compilation{background:hsla(0,0%,100%,.12)}.cm-s-colorforth .CodeMirror-activeline-background{background:#253540}.cm-s-darcula{font-family:Consolas,Menlo,Monaco,Lucida Console,Liberation Mono,DejaVu Sans Mono,Bitstream Vera Sans Mono,Courier New,monospace,serif}.cm-s-darcula.CodeMirror{background:#2b2b2b;color:#a9b7c6}.cm-s-darcula span.cm-meta{color:#bbb529}.cm-s-darcula span.cm-number{color:#6897bb}.cm-s-darcula span.cm-keyword{color:#cc7832;font-weight:700;line-height:1em}.cm-s-darcula span.cm-def{color:#a9b7c6;font-style:italic}.cm-s-darcula span.cm-variable,.cm-s-darcula span.cm-variable-2{color:#a9b7c6}.cm-s-darcula span.cm-variable-3{color:#9876aa}.cm-s-darcula span.cm-type{color:#abc;font-weight:700}.cm-s-darcula span.cm-property{color:#ffc66d}.cm-s-darcula span.cm-operator{color:#a9b7c6}.cm-s-darcula span.cm-string,.cm-s-darcula span.cm-string-2{color:#6a8759}.cm-s-darcula span.cm-comment{color:#61a151;font-style:italic}.cm-s-darcula span.cm-atom,.cm-s-darcula span.cm-link{color:#cc7832}.cm-s-darcula span.cm-error{color:#bc3f3c}.cm-s-darcula span.cm-tag{color:#629755;font-style:italic;font-weight:700;text-decoration:underline}.cm-s-darcula span.cm-attribute{color:#6897bb}.cm-s-darcula span.cm-qualifier{color:#6a8759}.cm-s-darcula span.cm-bracket{color:#a9b7c6}.cm-s-darcula span.cm-builtin,.cm-s-darcula span.cm-special{color:#ff9e59}.cm-s-darcula span.cm-matchhighlight{background-color:rgba(50,89,48,.7);color:#fff;font-weight:400}.cm-s-darcula span.cm-searching{background-color:rgba(61,115,59,.7);color:#fff;font-weight:400}.cm-s-darcula .CodeMirror-cursor{border-left:1px solid #a9b7c6}.cm-s-darcula .CodeMirror-activeline-background{background:#323232}.cm-s-darcula .CodeMirror-gutters{background:#313335;border-right:1px solid #313335}.cm-s-darcula .CodeMirror-guttermarker{color:#ffee80}.cm-s-darcula .CodeMirror-guttermarker-subtle{color:#d0d0d0}.cm-s-darcula .CodeMirrir-linenumber{color:#606366}.cm-s-darcula .CodeMirror-matchingbracket{background-color:#3b514d;color:#ffef28!important;font-weight:700}.cm-s-darcula div.CodeMirror-selected{background:#214283}.CodeMirror-hints.darcula{background-color:#3b3e3f!important;color:#9c9e9e;font-family:Menlo,Monaco,Consolas,Courier New,monospace}.CodeMirror-hints.darcula .CodeMirror-hint-active{background-color:#494d4e!important;color:#9c9e9e!important}.cm-s-dracula .CodeMirror-gutters,.cm-s-dracula.CodeMirror{background-color:#282a36!important;border:none;color:#f8f8f2!important}.cm-s-dracula .CodeMirror-gutters{color:#282a36}.cm-s-dracula .CodeMirror-cursor{border-left:thin solid #f8f8f0}.cm-s-dracula .CodeMirror-linenumber{color:#6d8a88}.cm-s-dracula .CodeMirror-selected{background:hsla(0,0%,100%,.1)}.cm-s-dracula .CodeMirror-line::selection,.cm-s-dracula .CodeMirror-line>span::selection,.cm-s-dracula .CodeMirror-line>span>span::selection{background:hsla(0,0%,100%,.1)}.cm-s-dracula .CodeMirror-line::-moz-selection,.cm-s-dracula .CodeMirror-line>span::-moz-selection,.cm-s-dracula .CodeMirror-line>span>span::-moz-selection{background:hsla(0,0%,100%,.1)}.cm-s-dracula span.cm-comment{color:#6272a4}.cm-s-dracula span.cm-string,.cm-s-dracula span.cm-string-2{color:#f1fa8c}.cm-s-dracula span.cm-number{color:#bd93f9}.cm-s-dracula span.cm-variable{color:#50fa7b}.cm-s-dracula span.cm-variable-2{color:#fff}.cm-s-dracula span.cm-def{color:#50fa7b}.cm-s-dracula span.cm-keyword,.cm-s-dracula span.cm-operator{color:#ff79c6}.cm-s-dracula span.cm-atom{color:#bd93f9}.cm-s-dracula span.cm-meta{color:#f8f8f2}.cm-s-dracula span.cm-tag{color:#ff79c6}.cm-s-dracula span.cm-attribute,.cm-s-dracula span.cm-qualifier{color:#50fa7b}.cm-s-dracula span.cm-property{color:#66d9ef}.cm-s-dracula span.cm-builtin{color:#50fa7b}.cm-s-dracula span.cm-type,.cm-s-dracula span.cm-variable-3{color:#ffb86c}.cm-s-dracula .CodeMirror-activeline-background{background:hsla(0,0%,100%,.1)}.cm-s-dracula .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-duotone-dark.CodeMirror{background:#2a2734;color:#6c6783}.cm-s-duotone-dark div.CodeMirror-selected{background:#545167!important}.cm-s-duotone-dark .CodeMirror-gutters{background:#2a2734;border-right:0}.cm-s-duotone-dark .CodeMirror-linenumber{color:#545167}.cm-s-duotone-dark .CodeMirror-cursor{border-left:1px solid #ffad5c;border-right:.5em solid #ffad5c;opacity:.5}.cm-s-duotone-dark .CodeMirror-activeline-background{background:#363342;opacity:.5}.cm-s-duotone-dark .cm-fat-cursor .CodeMirror-cursor{background:#ffad5c;opacity:.5}.cm-s-duotone-dark span.cm-atom,.cm-s-duotone-dark span.cm-attribute,.cm-s-duotone-dark span.cm-hr,.cm-s-duotone-dark span.cm-keyword,.cm-s-duotone-dark span.cm-link,.cm-s-duotone-dark span.cm-number,.cm-s-duotone-dark span.cm-quote,.cm-s-duotone-dark span.cm-variable{color:#fc9}.cm-s-duotone-dark span.cm-property{color:#9a86fd}.cm-s-duotone-dark span.cm-negative,.cm-s-duotone-dark span.cm-punctuation,.cm-s-duotone-dark span.cm-unit{color:#e09142}.cm-s-duotone-dark span.cm-string{color:#ffb870}.cm-s-duotone-dark span.cm-operator{color:#ffad5c}.cm-s-duotone-dark span.cm-positive{color:#6a51e6}.cm-s-duotone-dark span.cm-string-2,.cm-s-duotone-dark span.cm-type,.cm-s-duotone-dark span.cm-url,.cm-s-duotone-dark span.cm-variable-2,.cm-s-duotone-dark span.cm-variable-3{color:#7a63ee}.cm-s-duotone-dark span.cm-builtin,.cm-s-duotone-dark span.cm-def,.cm-s-duotone-dark span.cm-em,.cm-s-duotone-dark span.cm-header,.cm-s-duotone-dark span.cm-qualifier,.cm-s-duotone-dark span.cm-tag{color:#eeebff}.cm-s-duotone-dark span.cm-bracket,.cm-s-duotone-dark span.cm-comment{color:#6c6783}.cm-s-duotone-dark span.cm-error,.cm-s-duotone-dark span.cm-invalidchar{color:red}.cm-s-duotone-dark span.cm-header{font-weight:400}.cm-s-duotone-dark .CodeMirror-matchingbracket{color:#eeebff!important;text-decoration:underline}.cm-s-duotone-light.CodeMirror{background:#faf8f5;color:#b29762}.cm-s-duotone-light div.CodeMirror-selected{background:#e3dcce!important}.cm-s-duotone-light .CodeMirror-gutters{background:#faf8f5;border-right:0}.cm-s-duotone-light .CodeMirror-linenumber{color:#cdc4b1}.cm-s-duotone-light .CodeMirror-cursor{border-left:1px solid #93abdc;border-right:.5em solid #93abdc;opacity:.5}.cm-s-duotone-light .CodeMirror-activeline-background{background:#e3dcce;opacity:.5}.cm-s-duotone-light .cm-fat-cursor .CodeMirror-cursor{background:#93abdc;opacity:.5}.cm-s-duotone-light span.cm-atom,.cm-s-duotone-light span.cm-attribute,.cm-s-duotone-light span.cm-keyword,.cm-s-duotone-light span.cm-number,.cm-s-duotone-light span.cm-quote,.cm-s-duotone-light span.cm-variable,.cm-s-duotone-light-light span.cm-hr,.cm-s-duotone-light-light span.cm-link{color:#063289}.cm-s-duotone-light span.cm-property{color:#b29762}.cm-s-duotone-light span.cm-negative,.cm-s-duotone-light span.cm-punctuation,.cm-s-duotone-light span.cm-unit{color:#063289}.cm-s-duotone-light span.cm-operator,.cm-s-duotone-light span.cm-string{color:#1659df}.cm-s-duotone-light span.cm-positive,.cm-s-duotone-light span.cm-string-2,.cm-s-duotone-light span.cm-type,.cm-s-duotone-light span.cm-url,.cm-s-duotone-light span.cm-variable-2,.cm-s-duotone-light span.cm-variable-3{color:#896724}.cm-s-duotone-light span.cm-builtin,.cm-s-duotone-light span.cm-def,.cm-s-duotone-light span.cm-em,.cm-s-duotone-light span.cm-header,.cm-s-duotone-light span.cm-qualifier,.cm-s-duotone-light span.cm-tag{color:#2d2006}.cm-s-duotone-light span.cm-bracket,.cm-s-duotone-light span.cm-comment{color:#b6ad9a}.cm-s-duotone-light span.cm-error,.cm-s-duotone-light span.cm-invalidchar{color:red}.cm-s-duotone-light span.cm-header{font-weight:400}.cm-s-duotone-light .CodeMirror-matchingbracket{color:#faf8f5!important;text-decoration:underline}.cm-s-eclipse span.cm-meta{color:#ff1717}.cm-s-eclipse span.cm-keyword{color:#7f0055;font-weight:700;line-height:1em}.cm-s-eclipse span.cm-atom{color:#219}.cm-s-eclipse span.cm-number{color:#164}.cm-s-eclipse span.cm-def{color:#00f}.cm-s-eclipse span.cm-variable{color:#000}.cm-s-eclipse span.cm-type,.cm-s-eclipse span.cm-variable-2,.cm-s-eclipse span.cm-variable-3{color:#0000c0}.cm-s-eclipse span.cm-operator,.cm-s-eclipse span.cm-property{color:#000}.cm-s-eclipse span.cm-comment{color:#3f7f5f}.cm-s-eclipse span.cm-string{color:#2a00ff}.cm-s-eclipse span.cm-string-2{color:#f50}.cm-s-eclipse span.cm-qualifier{color:#555}.cm-s-eclipse span.cm-builtin{color:#30a}.cm-s-eclipse span.cm-bracket{color:#cc7}.cm-s-eclipse span.cm-tag{color:#170}.cm-s-eclipse span.cm-attribute{color:#00c}.cm-s-eclipse span.cm-link{color:#219}.cm-s-eclipse span.cm-error{color:red}.cm-s-eclipse .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-eclipse .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.cm-s-elegant span.cm-atom,.cm-s-elegant span.cm-number,.cm-s-elegant span.cm-string{color:#762}.cm-s-elegant span.cm-comment{color:#262;font-style:italic;line-height:1em}.cm-s-elegant span.cm-meta{color:#555;font-style:italic;line-height:1em}.cm-s-elegant span.cm-variable{color:#000}.cm-s-elegant span.cm-variable-2{color:#b11}.cm-s-elegant span.cm-qualifier{color:#555}.cm-s-elegant span.cm-keyword{color:#730}.cm-s-elegant span.cm-builtin{color:#30a}.cm-s-elegant span.cm-link{color:#762}.cm-s-elegant span.cm-error{background-color:#fdd}.cm-s-elegant .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-elegant .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.cm-s-erlang-dark.CodeMirror{background:#002240;color:#fff}.cm-s-erlang-dark div.CodeMirror-selected{background:#b36539}.cm-s-erlang-dark .CodeMirror-line::selection,.cm-s-erlang-dark .CodeMirror-line>span::selection,.cm-s-erlang-dark .CodeMirror-line>span>span::selection{background:rgba(179,101,57,.99)}.cm-s-erlang-dark .CodeMirror-line::-moz-selection,.cm-s-erlang-dark .CodeMirror-line>span::-moz-selection,.cm-s-erlang-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(179,101,57,.99)}.cm-s-erlang-dark .CodeMirror-gutters{background:#002240;border-right:1px solid #aaa}.cm-s-erlang-dark .CodeMirror-guttermarker{color:#fff}.cm-s-erlang-dark .CodeMirror-guttermarker-subtle,.cm-s-erlang-dark .CodeMirror-linenumber{color:#d0d0d0}.cm-s-erlang-dark .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-erlang-dark span.cm-quote{color:#ccc}.cm-s-erlang-dark span.cm-atom{color:#f133f1}.cm-s-erlang-dark span.cm-attribute{color:#ff80e1}.cm-s-erlang-dark span.cm-bracket{color:#ff9d00}.cm-s-erlang-dark span.cm-builtin{color:#eaa}.cm-s-erlang-dark span.cm-comment{color:#77f}.cm-s-erlang-dark span.cm-def{color:#e7a}.cm-s-erlang-dark span.cm-keyword{color:#ffee80}.cm-s-erlang-dark span.cm-meta{color:#50fefe}.cm-s-erlang-dark span.cm-number{color:#ffd0d0}.cm-s-erlang-dark span.cm-operator{color:#d55}.cm-s-erlang-dark span.cm-property,.cm-s-erlang-dark span.cm-qualifier{color:#ccc}.cm-s-erlang-dark span.cm-special{color:#fbb}.cm-s-erlang-dark span.cm-string{color:#3ad900}.cm-s-erlang-dark span.cm-string-2{color:#ccc}.cm-s-erlang-dark span.cm-tag{color:#9effff}.cm-s-erlang-dark span.cm-variable{color:#50fe50}.cm-s-erlang-dark span.cm-variable-2{color:#e0e}.cm-s-erlang-dark span.cm-type,.cm-s-erlang-dark span.cm-variable-3{color:#ccc}.cm-s-erlang-dark span.cm-error{color:#9d1e15}.cm-s-erlang-dark .CodeMirror-activeline-background{background:#013461}.cm-s-erlang-dark .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-gruvbox-dark .CodeMirror-gutters,.cm-s-gruvbox-dark.CodeMirror{background-color:#282828;color:#bdae93}.cm-s-gruvbox-dark .CodeMirror-gutters{background:#282828;border-right:0}.cm-s-gruvbox-dark .CodeMirror-linenumber{color:#7c6f64}.cm-s-gruvbox-dark .CodeMirror-cursor{border-left:1px solid #ebdbb2}.cm-s-gruvbox-dark .cm-animate-fat-cursor,.cm-s-gruvbox-dark.cm-fat-cursor .CodeMirror-cursor{background-color:#8e8d8875!important}.cm-s-gruvbox-dark div.CodeMirror-selected{background:#928374}.cm-s-gruvbox-dark span.cm-meta{color:#83a598}.cm-s-gruvbox-dark span.cm-comment{color:#928374}.cm-s-gruvbox-dark span.cm-number,span.cm-atom{color:#d3869b}.cm-s-gruvbox-dark span.cm-keyword{color:#f84934}.cm-s-gruvbox-dark span.cm-variable,.cm-s-gruvbox-dark span.cm-variable-2{color:#ebdbb2}.cm-s-gruvbox-dark span.cm-type,.cm-s-gruvbox-dark span.cm-variable-3{color:#fabd2f}.cm-s-gruvbox-dark span.cm-callee,.cm-s-gruvbox-dark span.cm-def,.cm-s-gruvbox-dark span.cm-operator,.cm-s-gruvbox-dark span.cm-property{color:#ebdbb2}.cm-s-gruvbox-dark span.cm-string{color:#b8bb26}.cm-s-gruvbox-dark span.cm-attribute,.cm-s-gruvbox-dark span.cm-qualifier,.cm-s-gruvbox-dark span.cm-string-2{color:#8ec07c}.cm-s-gruvbox-dark .CodeMirror-activeline-background{background:#3c3836}.cm-s-gruvbox-dark .CodeMirror-matchingbracket{background:#928374;color:#282828!important}.cm-s-gruvbox-dark span.cm-builtin,.cm-s-gruvbox-dark span.cm-tag{color:#fe8019}.cm-s-hopscotch.CodeMirror{background:#322931;color:#d5d3d5}.cm-s-hopscotch div.CodeMirror-selected{background:#433b42!important}.cm-s-hopscotch .CodeMirror-gutters{background:#322931;border-right:0}.cm-s-hopscotch .CodeMirror-linenumber{color:#797379}.cm-s-hopscotch .CodeMirror-cursor{border-left:1px solid #989498!important}.cm-s-hopscotch span.cm-comment{color:#b33508}.cm-s-hopscotch span.cm-atom,.cm-s-hopscotch span.cm-number{color:#c85e7c}.cm-s-hopscotch span.cm-attribute,.cm-s-hopscotch span.cm-property{color:#8fc13e}.cm-s-hopscotch span.cm-keyword{color:#dd464c}.cm-s-hopscotch span.cm-string{color:#fdcc59}.cm-s-hopscotch span.cm-variable{color:#8fc13e}.cm-s-hopscotch span.cm-variable-2{color:#1290bf}.cm-s-hopscotch span.cm-def{color:#fd8b19}.cm-s-hopscotch span.cm-error{background:#dd464c;color:#989498}.cm-s-hopscotch span.cm-bracket{color:#d5d3d5}.cm-s-hopscotch span.cm-tag{color:#dd464c}.cm-s-hopscotch span.cm-link{color:#c85e7c}.cm-s-hopscotch .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-hopscotch .CodeMirror-activeline-background{background:#302020}.cm-s-icecoder{background:#1d1d1b;color:#666}.cm-s-icecoder span.cm-keyword{color:#eee;font-weight:700}.cm-s-icecoder span.cm-atom{color:#e1c76e}.cm-s-icecoder span.cm-number{color:#6cb5d9}.cm-s-icecoder span.cm-def{color:#b9ca4a}.cm-s-icecoder span.cm-variable{color:#6cb5d9}.cm-s-icecoder span.cm-variable-2{color:#cc1e5c}.cm-s-icecoder span.cm-type,.cm-s-icecoder span.cm-variable-3{color:#f9602c}.cm-s-icecoder span.cm-property{color:#eee}.cm-s-icecoder span.cm-operator{color:#9179bb}.cm-s-icecoder span.cm-comment{color:#97a3aa}.cm-s-icecoder span.cm-string{color:#b9ca4a}.cm-s-icecoder span.cm-string-2{color:#6cb5d9}.cm-s-icecoder span.cm-meta,.cm-s-icecoder span.cm-qualifier{color:#555}.cm-s-icecoder span.cm-builtin{color:#214e7b}.cm-s-icecoder span.cm-bracket{color:#cc7}.cm-s-icecoder span.cm-tag{color:#e8e8e8}.cm-s-icecoder span.cm-attribute{color:#099}.cm-s-icecoder span.cm-header{color:#6a0d6a}.cm-s-icecoder span.cm-quote{color:#186718}.cm-s-icecoder span.cm-hr{color:#888}.cm-s-icecoder span.cm-link{color:#e1c76e}.cm-s-icecoder span.cm-error{color:#d00}.cm-s-icecoder .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-icecoder div.CodeMirror-selected{background:#037;color:#fff}.cm-s-icecoder .CodeMirror-gutters{background:#1d1d1b;border-right:0;min-width:41px}.cm-s-icecoder .CodeMirror-linenumber{color:#555;cursor:default}.cm-s-icecoder .CodeMirror-matchingbracket{background:#555!important;color:#fff!important}.cm-s-icecoder .CodeMirror-activeline-background{background:#000}.cm-s-idea span.cm-meta{color:olive}.cm-s-idea span.cm-number{color:#00f}.cm-s-idea span.cm-keyword{color:navy;font-weight:700;line-height:1em}.cm-s-idea span.cm-atom{color:navy;font-weight:700}.cm-s-idea span.cm-def,.cm-s-idea span.cm-operator,.cm-s-idea span.cm-property,.cm-s-idea span.cm-type,.cm-s-idea span.cm-variable,.cm-s-idea span.cm-variable-2,.cm-s-idea span.cm-variable-3{color:#000}.cm-s-idea span.cm-comment{color:grey}.cm-s-idea span.cm-string,.cm-s-idea span.cm-string-2{color:green}.cm-s-idea span.cm-qualifier{color:#555}.cm-s-idea span.cm-error{color:red}.cm-s-idea span.cm-attribute{color:#00f}.cm-s-idea span.cm-tag{color:navy}.cm-s-idea span.cm-link{color:#00f}.cm-s-idea .CodeMirror-activeline-background{background:#fffae3}.cm-s-idea span.cm-builtin{color:#30a}.cm-s-idea span.cm-bracket{color:#cc7}.cm-s-idea{font-family:Consolas,Menlo,Monaco,Lucida Console,Liberation Mono,DejaVu Sans Mono,Bitstream Vera Sans Mono,Courier New,monospace,serif}.cm-s-idea .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.CodeMirror-hints.idea{background-color:#ebf3fd!important;color:#616569;font-family:Menlo,Monaco,Consolas,Courier New,monospace}.CodeMirror-hints.idea .CodeMirror-hint-active{background-color:#a2b8c9!important;color:#5c6065!important}.cm-s-isotope.CodeMirror{background:#000;color:#e0e0e0}.cm-s-isotope div.CodeMirror-selected{background:#404040!important}.cm-s-isotope .CodeMirror-gutters{background:#000;border-right:0}.cm-s-isotope .CodeMirror-linenumber{color:grey}.cm-s-isotope .CodeMirror-cursor{border-left:1px solid silver!important}.cm-s-isotope span.cm-comment{color:#30f}.cm-s-isotope span.cm-atom,.cm-s-isotope span.cm-number{color:#c0f}.cm-s-isotope span.cm-attribute,.cm-s-isotope span.cm-property{color:#3f0}.cm-s-isotope span.cm-keyword{color:red}.cm-s-isotope span.cm-string{color:#f09}.cm-s-isotope span.cm-variable{color:#3f0}.cm-s-isotope span.cm-variable-2{color:#06f}.cm-s-isotope span.cm-def{color:#f90}.cm-s-isotope span.cm-error{background:red;color:silver}.cm-s-isotope span.cm-bracket{color:#e0e0e0}.cm-s-isotope span.cm-tag{color:red}.cm-s-isotope span.cm-link{color:#c0f}.cm-s-isotope .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-isotope .CodeMirror-activeline-background{background:#202020}.cm-s-lesser-dark{line-height:1.3em}.cm-s-lesser-dark.CodeMirror{background:#262626;color:#ebefe7;text-shadow:0 -1px 1px #262626}.cm-s-lesser-dark div.CodeMirror-selected{background:#45443b}.cm-s-lesser-dark .CodeMirror-line::selection,.cm-s-lesser-dark .CodeMirror-line>span::selection,.cm-s-lesser-dark .CodeMirror-line>span>span::selection{background:rgba(69,68,59,.99)}.cm-s-lesser-dark .CodeMirror-line::-moz-selection,.cm-s-lesser-dark .CodeMirror-line>span::-moz-selection,.cm-s-lesser-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(69,68,59,.99)}.cm-s-lesser-dark .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-lesser-dark pre{padding:0 8px}.cm-s-lesser-dark.CodeMirror span.CodeMirror-matchingbracket{color:#7efc7e}.cm-s-lesser-dark .CodeMirror-gutters{background:#262626;border-right:1px solid #aaa}.cm-s-lesser-dark .CodeMirror-guttermarker{color:#599eff}.cm-s-lesser-dark .CodeMirror-guttermarker-subtle,.cm-s-lesser-dark .CodeMirror-linenumber{color:#777}.cm-s-lesser-dark span.cm-header{color:#a0a}.cm-s-lesser-dark span.cm-quote{color:#090}.cm-s-lesser-dark span.cm-keyword{color:#599eff}.cm-s-lesser-dark span.cm-atom{color:#c2b470}.cm-s-lesser-dark span.cm-number{color:#b35e4d}.cm-s-lesser-dark span.cm-def{color:#fff}.cm-s-lesser-dark span.cm-variable{color:#d9bf8c}.cm-s-lesser-dark span.cm-variable-2{color:#669199}.cm-s-lesser-dark span.cm-type,.cm-s-lesser-dark span.cm-variable-3{color:#fff}.cm-s-lesser-dark span.cm-operator,.cm-s-lesser-dark span.cm-property{color:#92a75c}.cm-s-lesser-dark span.cm-comment{color:#666}.cm-s-lesser-dark span.cm-string{color:#bcd279}.cm-s-lesser-dark span.cm-string-2{color:#f50}.cm-s-lesser-dark span.cm-meta{color:#738c73}.cm-s-lesser-dark span.cm-qualifier{color:#555}.cm-s-lesser-dark span.cm-builtin{color:#ff9e59}.cm-s-lesser-dark span.cm-bracket{color:#ebefe7}.cm-s-lesser-dark span.cm-tag{color:#669199}.cm-s-lesser-dark span.cm-attribute{color:#81a4d5}.cm-s-lesser-dark span.cm-hr{color:#999}.cm-s-lesser-dark span.cm-link{color:#7070e6}.cm-s-lesser-dark span.cm-error{color:#9d1e15}.cm-s-lesser-dark .CodeMirror-activeline-background{background:#3c3a3a}.cm-s-lesser-dark .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-liquibyte.CodeMirror{background-color:#000;color:#fff;font-size:1em;line-height:1.2em}.cm-s-liquibyte .CodeMirror-focused .cm-matchhighlight{text-decoration:underline;text-decoration-color:#0f0;text-decoration-style:wavy}.cm-s-liquibyte .cm-trailingspace{text-decoration:line-through;text-decoration-color:red;text-decoration-style:dotted}.cm-s-liquibyte .cm-tab{text-decoration:line-through;text-decoration-color:#404040;text-decoration-style:dotted}.cm-s-liquibyte .CodeMirror-gutters{background-color:#262626;border-right:1px solid #505050;padding-right:.8em}.cm-s-liquibyte .CodeMirror-gutter-elt div{font-size:1.2em}.cm-s-liquibyte .CodeMirror-linenumber{color:#606060;padding-left:0}.cm-s-liquibyte .CodeMirror-cursor{border-left:1px solid #eee}.cm-s-liquibyte span.cm-comment{color:green}.cm-s-liquibyte span.cm-def{color:#ffaf40;font-weight:700}.cm-s-liquibyte span.cm-keyword{color:#c080ff;font-weight:700}.cm-s-liquibyte span.cm-builtin{color:#ffaf40;font-weight:700}.cm-s-liquibyte span.cm-variable{color:#5967ff;font-weight:700}.cm-s-liquibyte span.cm-string{color:#ff8000}.cm-s-liquibyte span.cm-number{color:#0f0;font-weight:700}.cm-s-liquibyte span.cm-atom{color:#bf3030;font-weight:700}.cm-s-liquibyte span.cm-variable-2{color:#007f7f;font-weight:700}.cm-s-liquibyte span.cm-type,.cm-s-liquibyte span.cm-variable-3{color:#c080ff;font-weight:700}.cm-s-liquibyte span.cm-property{color:#999;font-weight:700}.cm-s-liquibyte span.cm-operator{color:#fff}.cm-s-liquibyte span.cm-meta{color:#0f0}.cm-s-liquibyte span.cm-qualifier{color:#fff700;font-weight:700}.cm-s-liquibyte span.cm-bracket{color:#cc7}.cm-s-liquibyte span.cm-tag{color:#ff0;font-weight:700}.cm-s-liquibyte span.cm-attribute{color:#c080ff;font-weight:700}.cm-s-liquibyte span.cm-error{color:red}.cm-s-liquibyte div.CodeMirror-selected{background-color:rgba(255,0,0,.25)}.cm-s-liquibyte span.cm-compilation{background-color:hsla(0,0%,100%,.12)}.cm-s-liquibyte .CodeMirror-activeline-background{background-color:rgba(0,255,0,.15)}.cm-s-liquibyte .CodeMirror span.CodeMirror-matchingbracket{color:#0f0;font-weight:700}.cm-s-liquibyte .CodeMirror span.CodeMirror-nonmatchingbracket{color:red;font-weight:700}.CodeMirror-matchingtag{background-color:rgba(150,255,0,.3)}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div:hover,.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div:hover{background-color:rgba(80,80,80,.7)}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div,.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div{background-color:rgba(80,80,80,.3);border:1px solid #404040;border-radius:5px}.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div{border-bottom:1px solid #404040;border-top:1px solid #404040}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div{border-left:1px solid #404040;border-right:1px solid #404040}.cm-s-liquibyte div.CodeMirror-simplescroll-vertical{background-color:#262626}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal{background-color:#262626;border-top:1px solid #404040}.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div,div.CodeMirror-overlayscroll-vertical div{background-color:#404040;border-radius:5px}.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div,.cm-s-liquibyte div.CodeMirror-overlayscroll-vertical div{border:1px solid #404040}.cm-s-lucario .CodeMirror-gutters,.cm-s-lucario.CodeMirror{background-color:#2b3e50!important;border:none;color:#f8f8f2!important}.cm-s-lucario .CodeMirror-gutters{color:#2b3e50}.cm-s-lucario .CodeMirror-cursor{border-left:thin solid #e6c845}.cm-s-lucario .CodeMirror-linenumber{color:#f8f8f2}.cm-s-lucario .CodeMirror-selected{background:#243443}.cm-s-lucario .CodeMirror-line::selection,.cm-s-lucario .CodeMirror-line>span::selection,.cm-s-lucario .CodeMirror-line>span>span::selection{background:#243443}.cm-s-lucario .CodeMirror-line::-moz-selection,.cm-s-lucario .CodeMirror-line>span::-moz-selection,.cm-s-lucario .CodeMirror-line>span>span::-moz-selection{background:#243443}.cm-s-lucario span.cm-comment{color:#5c98cd}.cm-s-lucario span.cm-string,.cm-s-lucario span.cm-string-2{color:#e6db74}.cm-s-lucario span.cm-number{color:#ca94ff}.cm-s-lucario span.cm-variable,.cm-s-lucario span.cm-variable-2{color:#f8f8f2}.cm-s-lucario span.cm-def{color:#72c05d}.cm-s-lucario span.cm-operator{color:#66d9ef}.cm-s-lucario span.cm-keyword{color:#ff6541}.cm-s-lucario span.cm-atom{color:#bd93f9}.cm-s-lucario span.cm-meta{color:#f8f8f2}.cm-s-lucario span.cm-tag{color:#ff6541}.cm-s-lucario span.cm-attribute{color:#66d9ef}.cm-s-lucario span.cm-qualifier{color:#72c05d}.cm-s-lucario span.cm-property{color:#f8f8f2}.cm-s-lucario span.cm-builtin{color:#72c05d}.cm-s-lucario span.cm-type,.cm-s-lucario span.cm-variable-3{color:#ffb86c}.cm-s-lucario .CodeMirror-activeline-background{background:#243443}.cm-s-lucario .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-material.CodeMirror{background-color:#263238;color:#eff}.cm-s-material .CodeMirror-gutters{background:#263238;border:none;color:#546e7a}.cm-s-material .CodeMirror-guttermarker,.cm-s-material .CodeMirror-guttermarker-subtle,.cm-s-material .CodeMirror-linenumber{color:#546e7a}.cm-s-material .CodeMirror-cursor{border-left:1px solid #fc0}.cm-s-material .cm-animate-fat-cursor,.cm-s-material.cm-fat-cursor .CodeMirror-cursor{background-color:#5d6d5c80!important}.cm-s-material div.CodeMirror-selected,.cm-s-material.CodeMirror-focused div.CodeMirror-selected{background:rgba(128,203,196,.2)}.cm-s-material .CodeMirror-line::selection,.cm-s-material .CodeMirror-line>span::selection,.cm-s-material .CodeMirror-line>span>span::selection{background:rgba(128,203,196,.2)}.cm-s-material .CodeMirror-line::-moz-selection,.cm-s-material .CodeMirror-line>span::-moz-selection,.cm-s-material .CodeMirror-line>span>span::-moz-selection{background:rgba(128,203,196,.2)}.cm-s-material .CodeMirror-activeline-background{background:rgba(0,0,0,.5)}.cm-s-material .cm-keyword{color:#c792ea}.cm-s-material .cm-operator{color:#89ddff}.cm-s-material .cm-variable-2{color:#eff}.cm-s-material .cm-type,.cm-s-material .cm-variable-3{color:#f07178}.cm-s-material .cm-builtin{color:#ffcb6b}.cm-s-material .cm-atom{color:#f78c6c}.cm-s-material .cm-number{color:#ff5370}.cm-s-material .cm-def{color:#82aaff}.cm-s-material .cm-string{color:#c3e88d}.cm-s-material .cm-string-2{color:#f07178}.cm-s-material .cm-comment{color:#546e7a}.cm-s-material .cm-variable{color:#f07178}.cm-s-material .cm-tag{color:#ff5370}.cm-s-material .cm-meta{color:#ffcb6b}.cm-s-material .cm-attribute,.cm-s-material .cm-property{color:#c792ea}.cm-s-material .cm-qualifier,.cm-s-material .cm-type,.cm-s-material .cm-variable-3{color:#decb6b}.cm-s-material .cm-error{background-color:#ff5370;color:#fff}.cm-s-material .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-mbo.CodeMirror{background:#2c2c2c;color:#ffffec}.cm-s-mbo div.CodeMirror-selected{background:#716c62}.cm-s-mbo .CodeMirror-line::selection,.cm-s-mbo .CodeMirror-line>span::selection,.cm-s-mbo .CodeMirror-line>span>span::selection{background:hsla(40,7%,41%,.99)}.cm-s-mbo .CodeMirror-line::-moz-selection,.cm-s-mbo .CodeMirror-line>span::-moz-selection,.cm-s-mbo .CodeMirror-line>span>span::-moz-selection{background:hsla(40,7%,41%,.99)}.cm-s-mbo .CodeMirror-gutters{background:#4e4e4e;border-right:0}.cm-s-mbo .CodeMirror-guttermarker{color:#fff}.cm-s-mbo .CodeMirror-guttermarker-subtle{color:grey}.cm-s-mbo .CodeMirror-linenumber{color:#dadada}.cm-s-mbo .CodeMirror-cursor{border-left:1px solid #ffffec}.cm-s-mbo span.cm-comment{color:#95958a}.cm-s-mbo span.cm-atom,.cm-s-mbo span.cm-number{color:#00a8c6}.cm-s-mbo span.cm-attribute,.cm-s-mbo span.cm-property{color:#9ddfe9}.cm-s-mbo span.cm-keyword{color:#ffb928}.cm-s-mbo span.cm-string{color:#ffcf6c}.cm-s-mbo span.cm-string.cm-property,.cm-s-mbo span.cm-variable{color:#ffffec}.cm-s-mbo span.cm-variable-2{color:#00a8c6}.cm-s-mbo span.cm-def{color:#ffffec}.cm-s-mbo span.cm-bracket{color:#fffffc;font-weight:700}.cm-s-mbo span.cm-tag{color:#9ddfe9}.cm-s-mbo span.cm-link{color:#f54b07}.cm-s-mbo span.cm-error{border-bottom:#636363;color:#ffffec}.cm-s-mbo span.cm-qualifier{color:#ffffec}.cm-s-mbo .CodeMirror-activeline-background{background:#494b41}.cm-s-mbo .CodeMirror-matchingbracket{color:#ffb928!important}.cm-s-mbo .CodeMirror-matchingtag{background:hsla(0,0%,100%,.37)}.cm-s-mdn-like.CodeMirror{background-color:#fff;color:#999}.cm-s-mdn-like div.CodeMirror-selected{background:#cfc}.cm-s-mdn-like .CodeMirror-line::selection,.cm-s-mdn-like .CodeMirror-line>span::selection,.cm-s-mdn-like .CodeMirror-line>span>span::selection{background:#cfc}.cm-s-mdn-like .CodeMirror-line::-moz-selection,.cm-s-mdn-like .CodeMirror-line>span::-moz-selection,.cm-s-mdn-like .CodeMirror-line>span>span::-moz-selection{background:#cfc}.cm-s-mdn-like .CodeMirror-gutters{background:#f8f8f8;border-left:6px solid rgba(0,83,159,.65);color:#333}.cm-s-mdn-like .CodeMirror-linenumber{color:#aaa;padding-left:8px}.cm-s-mdn-like .CodeMirror-cursor{border-left:2px solid #222}.cm-s-mdn-like .cm-keyword{color:#6262ff}.cm-s-mdn-like .cm-atom{color:#f90}.cm-s-mdn-like .cm-number{color:#ca7841}.cm-s-mdn-like .cm-def{color:#8da6ce}.cm-s-mdn-like span.cm-tag,.cm-s-mdn-like span.cm-variable-2{color:#690}.cm-s-mdn-like .cm-variable,.cm-s-mdn-like span.cm-def,.cm-s-mdn-like span.cm-type,.cm-s-mdn-like span.cm-variable-3{color:#07a}.cm-s-mdn-like .cm-property{color:#905}.cm-s-mdn-like .cm-qualifier{color:#690}.cm-s-mdn-like .cm-operator{color:#cda869}.cm-s-mdn-like .cm-comment{color:#777;font-weight:400}.cm-s-mdn-like .cm-string{color:#07a;font-style:italic}.cm-s-mdn-like .cm-string-2{color:#bd6b18}.cm-s-mdn-like .cm-meta{color:#000}.cm-s-mdn-like .cm-builtin{color:#9b7536}.cm-s-mdn-like .cm-tag{color:#997643}.cm-s-mdn-like .cm-attribute{color:#d6bb6d}.cm-s-mdn-like .cm-header{color:#ff6400}.cm-s-mdn-like .cm-hr{color:#aeaeae}.cm-s-mdn-like .cm-link{color:#ad9361;font-style:italic;text-decoration:none}.cm-s-mdn-like .cm-error{border-bottom:1px solid red}div.cm-s-mdn-like .CodeMirror-activeline-background{background:#efefff}div.cm-s-mdn-like span.CodeMirror-matchingbracket{color:inherit;outline:1px solid grey}.cm-s-mdn-like.CodeMirror{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFcAAAAyCAYAAAAp8UeFAAAHvklEQVR42s2b63bcNgyEQZCSHCdt2vd/0tWF7I+Q6XgMXiTtuvU5Pl57ZQKkKHzEAOtF5KeIJBGJ8uvL599FRFREZhFx8DeXv8trn68RuGaC8TRfo3SNp9dlDDHedyLyTUTeRWStXKPZrjtpZxaRw5hPqozRs1N8/enzIiQRWcCgy4MUA0f+XWliDhyL8Lfyvx7ei/Ae3iQFHyw7U/59pQVIMEEPEz0G7XiwdRjzSfC3UTtz9vchIntxvry5iMgfIhJoEflOz2CQr3F5h/HfeFe+GTdLaKcu9L8LTeQb/R/7GgbsfKedyNdoHsN31uRPWrfZ5wsj/NzzRQHuToIdU3ahwnsKPxXCjJITuOsi7XLc7SG/v5GdALs7wf8JjTFiB5+QvTEfRyGOfX3Lrx8wxyQi3sNq46O7QahQiCsRFgqddjBouVEHOKDgXAQHD9gJCr5sMKkEdjwsarG/ww3BMHBU7OBjXnzdyY7SfCxf5/z6ATccrwlKuwC/jhznnPF4CgVzhhVf4xp2EixcBActO75iZ8/fM9zAs2OMzKdslgXWJ9XG8PQoOAMA5fGcsvORgv0doBXyHrCwfLJAOwo71QLNkb8n2Pl6EWiR7OCibtkPaz4Kc/0NNAze2gju3zOwekALDaCFPI5vjPFmgGY5AZqyGEvH1x7QfIb8YtxMnA/b+QQ0aQDAwc6JMFg8CbQZ4qoYEEHbRwNojuK3EHwd7VALSgq+MNDKzfT58T8qdpADrgW0GmgcAS1lhzztJmkAzcPNOQbsWEALBDSlMKUG0Eq4CLAQWvEVQ9WU57gZJwZtgPO3r9oBTQ9WO8TjqXINx8R0EYpiZEUWOF3FxkbJkgU9B2f41YBrIj5ZfsQa0M5kTgiAAqM3ShXLgu8XMqcrQBvJ0CL5pnTsfMB13oB8athpAq2XOQmcGmoACCLydx7nToa23ATaSIY2ichfOdPTGxlasXMLaL0MLZAOwAKIM+y8CmicobGdCcbbK9DzN+yYGVoNNI5iUKTMyYOjPse4A8SM1MmcXgU0toOq1yO/v8FOxlASyc7TgeYaAMBJHcY1CcCwGI/TK4AmDbDyKYBBtFUkRwto8gygiQEaByFgJ00BH2M8JWwQS1nafDXQCidWyOI8AcjDCSjCLk8ngObuAm3JAHAdubAmOaK06V8MNEsKPJOhobSprwQa6gD7DclRQdqcwL4zxqgBrQcabUiBLclRDKAlWp+etPkBaNMA0AKlrHwTdEByZAA4GM+SNluSY6wAzcMNewxmgig5Ks0nkrSpBvSaQHMdKTBAnLojOdYyGpQ254602ZILPdTD1hdlggdIm74jbTp8vDwF5ZYUeLWGJpWsh6XNyXgcYwVoJQTEhhTYkxzZjiU5npU2TaB979TQehlaAVq4kaGpiPwwwLkYUuBbQwocyQTv1tA0+1UFWoJF3iv1oq+qoSk8EQdJmwHkziIF7oOZk14EGitibAdjLYYK78H5vZOhtWpoI0ATGHs0Q8OMb4Ey+2bU2UYztCtA0wFAs7TplGLRVQCcqaFdGSPCeTI1QNIC52iWNzof6Uib7xjEp07mNNoUYmVosVItHrHzRlLgBn9LFyRHaQCtVUMbtTNhoXWiTOO9k/V8BdAc1Oq0ArSQs6/5SU0hckNy9NnXqQY0PGYo5dWJ7nINaN6o958FWin27aBaWRka1r5myvLOAm0j30eBJqCxHLReVclxhxOEN2JfDWjxBtAC7MIH1fVaGdoOp4qJYDgKtKPSFNID2gSnGldrCqkFZ+5UeQXQBIRrSwocbdZYQT/2LwRahBPBXoHrB8nxaGROST62DKUbQOMMzZIC9abkuELfQzQALWTnDNAm8KHWFOJgJ5+SHIvTPcmx1xQyZRhNL5Qci689aXMEaN/uNIWkEwDAvFpOZmgsBaaGnbs1NPa1Jm32gBZAIh1pCtG7TSH4aE0y1uVY4uqoFPisGlpP2rSA5qTecWn5agK6BzSpgAyD+wFaqhnYoSZ1Vwr8CmlTQbrcO3ZaX0NAEyMbYaAlyquFoLKK3SPby9CeVUPThrSJmkCAE0CrKUQadi4DrdSlWhmah0YL9z9vClH59YGbHx1J8VZTyAjQepJjmXwAKTDQI3omc3p1U4gDUf6RfcdYfrUp5ClAi2J3Ba6UOXGo+K+bQrjjssitG2SJzshaLwMtXgRagUNpYYoVkMSBLM+9GGiJZMvduG6DRZ4qc04DMPtQQxOjEtACmhO7K1AbNbQDEggZyJwscFpAGwENhoBeUwh3bWolhe8BTYVKxQEWrSUn/uhcM5KhvUu/+eQu0Lzhi+VrK0PrZZNDQKs9cpYUuFYgMVpD4/NxenJTiMCNqdUEUf1qZWjppLT5qSkkUZbCwkbZMSuVnu80hfSkzRbQeqCZSAh6huR4VtoM2gHAlLf72smuWgE+VV7XpE25Ab2WFDgyhnSuKbs4GuGzCjR+tIoUuMFg3kgcWKLTwRqanJQ2W00hAsenfaApRC42hbCvK1SlE0HtE9BGgneJO+ELamitD1YjjOYnNYVcraGhtKkW0EqVVeDx733I2NH581k1NNxNLG0i0IJ8/NjVaOZ0tYZ2Vtr0Xv7tPV3hkWp9EFkgS/J0vosngTaSoaG06WHi+xObQkaAdlbanP8B2+2l0f90LmUAAAAASUVORK5CYII=)}.cm-s-midnight .CodeMirror-activeline-background{background:#253540}.cm-s-midnight.CodeMirror{background:#0f192a;color:#d1edff}.cm-s-midnight div.CodeMirror-selected{background:#314d67}.cm-s-midnight .CodeMirror-line::selection,.cm-s-midnight .CodeMirror-line>span::selection,.cm-s-midnight .CodeMirror-line>span>span::selection{background:rgba(49,77,103,.99)}.cm-s-midnight .CodeMirror-line::-moz-selection,.cm-s-midnight .CodeMirror-line>span::-moz-selection,.cm-s-midnight .CodeMirror-line>span>span::-moz-selection{background:rgba(49,77,103,.99)}.cm-s-midnight .CodeMirror-gutters{background:#0f192a;border-right:1px solid}.cm-s-midnight .CodeMirror-guttermarker{color:#fff}.cm-s-midnight .CodeMirror-guttermarker-subtle,.cm-s-midnight .CodeMirror-linenumber{color:#d0d0d0}.cm-s-midnight .CodeMirror-cursor{border-left:1px solid #f8f8f0}.cm-s-midnight span.cm-comment{color:#428bdd}.cm-s-midnight span.cm-atom{color:#ae81ff}.cm-s-midnight span.cm-number{color:#d1edff}.cm-s-midnight span.cm-attribute,.cm-s-midnight span.cm-property{color:#a6e22e}.cm-s-midnight span.cm-keyword{color:#e83737}.cm-s-midnight span.cm-string{color:#1dc116}.cm-s-midnight span.cm-variable,.cm-s-midnight span.cm-variable-2{color:#ffaa3e}.cm-s-midnight span.cm-def{color:#4dd}.cm-s-midnight span.cm-bracket{color:#d1edff}.cm-s-midnight span.cm-tag{color:#449}.cm-s-midnight span.cm-link{color:#ae81ff}.cm-s-midnight span.cm-error{background:#f92672;color:#f8f8f0}.cm-s-midnight .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-monokai.CodeMirror{background:#272822;color:#f8f8f2}.cm-s-monokai div.CodeMirror-selected{background:#49483e}.cm-s-monokai .CodeMirror-line::selection,.cm-s-monokai .CodeMirror-line>span::selection,.cm-s-monokai .CodeMirror-line>span>span::selection{background:rgba(73,72,62,.99)}.cm-s-monokai .CodeMirror-line::-moz-selection,.cm-s-monokai .CodeMirror-line>span::-moz-selection,.cm-s-monokai .CodeMirror-line>span>span::-moz-selection{background:rgba(73,72,62,.99)}.cm-s-monokai .CodeMirror-gutters{background:#272822;border-right:0}.cm-s-monokai .CodeMirror-guttermarker{color:#fff}.cm-s-monokai .CodeMirror-guttermarker-subtle,.cm-s-monokai .CodeMirror-linenumber{color:#d0d0d0}.cm-s-monokai .CodeMirror-cursor{border-left:1px solid #f8f8f0}.cm-s-monokai span.cm-comment{color:#75715e}.cm-s-monokai span.cm-atom,.cm-s-monokai span.cm-number{color:#ae81ff}.cm-s-monokai span.cm-comment.cm-attribute{color:#97b757}.cm-s-monokai span.cm-comment.cm-def{color:#bc9262}.cm-s-monokai span.cm-comment.cm-tag{color:#bc6283}.cm-s-monokai span.cm-comment.cm-type{color:#5998a6}.cm-s-monokai span.cm-attribute,.cm-s-monokai span.cm-property{color:#a6e22e}.cm-s-monokai span.cm-keyword{color:#f92672}.cm-s-monokai span.cm-builtin{color:#66d9ef}.cm-s-monokai span.cm-string{color:#e6db74}.cm-s-monokai span.cm-variable{color:#f8f8f2}.cm-s-monokai span.cm-variable-2{color:#9effff}.cm-s-monokai span.cm-type,.cm-s-monokai span.cm-variable-3{color:#66d9ef}.cm-s-monokai span.cm-def{color:#fd971f}.cm-s-monokai span.cm-bracket{color:#f8f8f2}.cm-s-monokai span.cm-tag{color:#f92672}.cm-s-monokai span.cm-header,.cm-s-monokai span.cm-link{color:#ae81ff}.cm-s-monokai span.cm-error{background:#f92672;color:#f8f8f0}.cm-s-monokai .CodeMirror-activeline-background{background:#373831}.cm-s-monokai .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-neat span.cm-comment{color:#a86}.cm-s-neat span.cm-keyword{color:blue;font-weight:700;line-height:1em}.cm-s-neat span.cm-string{color:#a22}.cm-s-neat span.cm-builtin{color:#077;font-weight:700;line-height:1em}.cm-s-neat span.cm-special{color:#0aa;font-weight:700;line-height:1em}.cm-s-neat span.cm-variable{color:#000}.cm-s-neat span.cm-atom,.cm-s-neat span.cm-number{color:#3a3}.cm-s-neat span.cm-meta{color:#555}.cm-s-neat span.cm-link{color:#3a3}.cm-s-neat .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-neat .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.cm-s-neo.CodeMirror{background-color:#fff;color:#2e383c;line-height:1.4375}.cm-s-neo .cm-comment{color:#75787b}.cm-s-neo .cm-keyword,.cm-s-neo .cm-property{color:#1d75b3}.cm-s-neo .cm-atom,.cm-s-neo .cm-number{color:#75438a}.cm-s-neo .cm-node,.cm-s-neo .cm-tag{color:#9c3328}.cm-s-neo .cm-string{color:#b35e14}.cm-s-neo .cm-qualifier,.cm-s-neo .cm-variable{color:#047d65}.cm-s-neo pre{padding:0}.cm-s-neo .CodeMirror-gutters{background-color:transparent;border:none;border-right:10px solid transparent}.cm-s-neo .CodeMirror-linenumber{color:#e0e2e5;padding:0}.cm-s-neo .CodeMirror-guttermarker{color:#1d75b3}.cm-s-neo .CodeMirror-guttermarker-subtle{color:#e0e2e5}.cm-s-neo .CodeMirror-cursor{background:hsla(223,4%,62%,.37);border:0;width:auto;z-index:1}.cm-s-night.CodeMirror{background:#0a001f;color:#f8f8f8}.cm-s-night div.CodeMirror-selected{background:#447}.cm-s-night .CodeMirror-line::selection,.cm-s-night .CodeMirror-line>span::selection,.cm-s-night .CodeMirror-line>span>span::selection{background:rgba(68,68,119,.99)}.cm-s-night .CodeMirror-line::-moz-selection,.cm-s-night .CodeMirror-line>span::-moz-selection,.cm-s-night .CodeMirror-line>span>span::-moz-selection{background:rgba(68,68,119,.99)}.cm-s-night .CodeMirror-gutters{background:#0a001f;border-right:1px solid #aaa}.cm-s-night .CodeMirror-guttermarker{color:#fff}.cm-s-night .CodeMirror-guttermarker-subtle{color:#bbb}.cm-s-night .CodeMirror-linenumber{color:#f8f8f8}.cm-s-night .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-night span.cm-comment{color:#8900d1}.cm-s-night span.cm-atom{color:#845dc4}.cm-s-night span.cm-attribute,.cm-s-night span.cm-number{color:#ffd500}.cm-s-night span.cm-keyword{color:#599eff}.cm-s-night span.cm-string{color:#37f14a}.cm-s-night span.cm-meta{color:#7678e2}.cm-s-night span.cm-tag,.cm-s-night span.cm-variable-2{color:#99b2ff}.cm-s-night span.cm-def,.cm-s-night span.cm-type,.cm-s-night span.cm-variable-3{color:#fff}.cm-s-night span.cm-bracket{color:#8da6ce}.cm-s-night span.cm-builtin,.cm-s-night span.cm-special{color:#ff9e59}.cm-s-night span.cm-link{color:#845dc4}.cm-s-night span.cm-error{color:#9d1e15}.cm-s-night .CodeMirror-activeline-background{background:#1c005a}.cm-s-night .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-oceanic-next.CodeMirror{background:#304148;color:#f8f8f2}.cm-s-oceanic-next div.CodeMirror-selected{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-line::selection,.cm-s-oceanic-next .CodeMirror-line>span::selection,.cm-s-oceanic-next .CodeMirror-line>span>span::selection{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-line::-moz-selection,.cm-s-oceanic-next .CodeMirror-line>span::-moz-selection,.cm-s-oceanic-next .CodeMirror-line>span>span::-moz-selection{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-gutters{background:#304148;border-right:10px}.cm-s-oceanic-next .CodeMirror-guttermarker{color:#fff}.cm-s-oceanic-next .CodeMirror-guttermarker-subtle,.cm-s-oceanic-next .CodeMirror-linenumber{color:#d0d0d0}.cm-s-oceanic-next .CodeMirror-cursor{border-left:1px solid #f8f8f0}.cm-s-oceanic-next .cm-animate-fat-cursor,.cm-s-oceanic-next.cm-fat-cursor .CodeMirror-cursor{background-color:#a2a8a175!important}.cm-s-oceanic-next span.cm-comment{color:#65737e}.cm-s-oceanic-next span.cm-atom{color:#c594c5}.cm-s-oceanic-next span.cm-number{color:#f99157}.cm-s-oceanic-next span.cm-property{color:#99c794}.cm-s-oceanic-next span.cm-attribute,.cm-s-oceanic-next span.cm-keyword{color:#c594c5}.cm-s-oceanic-next span.cm-builtin{color:#66d9ef}.cm-s-oceanic-next span.cm-string{color:#99c794}.cm-s-oceanic-next span.cm-variable,.cm-s-oceanic-next span.cm-variable-2,.cm-s-oceanic-next span.cm-variable-3{color:#f8f8f2}.cm-s-oceanic-next span.cm-def{color:#69c}.cm-s-oceanic-next span.cm-bracket{color:#5fb3b3}.cm-s-oceanic-next span.cm-header,.cm-s-oceanic-next span.cm-link,.cm-s-oceanic-next span.cm-tag{color:#c594c5}.cm-s-oceanic-next span.cm-error{background:#c594c5;color:#f8f8f0}.cm-s-oceanic-next .CodeMirror-activeline-background{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-panda-syntax{background:#292a2b;color:#e6e6e6;font-family:Operator Mono,Source Code Pro,Menlo,Monaco,Consolas,Courier New,monospace;line-height:1.5}.cm-s-panda-syntax .CodeMirror-cursor{border-color:#ff2c6d}.cm-s-panda-syntax .CodeMirror-activeline-background{background:rgba(99,123,156,.1)}.cm-s-panda-syntax .CodeMirror-selected{background:#fff}.cm-s-panda-syntax .cm-comment{color:#676b79;font-style:italic}.cm-s-panda-syntax .cm-operator{color:#f3f3f3}.cm-s-panda-syntax .cm-string{color:#19f9d8}.cm-s-panda-syntax .cm-string-2{color:#ffb86c}.cm-s-panda-syntax .cm-tag{color:#ff2c6d}.cm-s-panda-syntax .cm-meta{color:#b084eb}.cm-s-panda-syntax .cm-number{color:#ffb86c}.cm-s-panda-syntax .cm-atom{color:#ff2c6d}.cm-s-panda-syntax .cm-keyword{color:#ff75b5}.cm-s-panda-syntax .cm-variable{color:#ffb86c}.cm-s-panda-syntax .cm-type,.cm-s-panda-syntax .cm-variable-2,.cm-s-panda-syntax .cm-variable-3{color:#ff9ac1}.cm-s-panda-syntax .cm-def{color:#e6e6e6}.cm-s-panda-syntax .cm-property{color:#f3f3f3}.cm-s-panda-syntax .cm-attribute,.cm-s-panda-syntax .cm-unit{color:#ffb86c}.cm-s-panda-syntax .CodeMirror-matchingbracket{border-bottom:1px dotted #19f9d8;color:#e6e6e6;padding-bottom:2px}.cm-s-panda-syntax .CodeMirror-gutters{background:#292a2b;border-right-color:hsla(0,0%,100%,.1)}.cm-s-panda-syntax .CodeMirror-linenumber{color:#e6e6e6;opacity:.6}.cm-s-paraiso-dark.CodeMirror{background:#2f1e2e;color:#b9b6b0}.cm-s-paraiso-dark div.CodeMirror-selected{background:#41323f}.cm-s-paraiso-dark .CodeMirror-line::selection,.cm-s-paraiso-dark .CodeMirror-line>span::selection,.cm-s-paraiso-dark .CodeMirror-line>span>span::selection{background:rgba(65,50,63,.99)}.cm-s-paraiso-dark .CodeMirror-line::-moz-selection,.cm-s-paraiso-dark .CodeMirror-line>span::-moz-selection,.cm-s-paraiso-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(65,50,63,.99)}.cm-s-paraiso-dark .CodeMirror-gutters{background:#2f1e2e;border-right:0}.cm-s-paraiso-dark .CodeMirror-guttermarker{color:#ef6155}.cm-s-paraiso-dark .CodeMirror-guttermarker-subtle,.cm-s-paraiso-dark .CodeMirror-linenumber{color:#776e71}.cm-s-paraiso-dark .CodeMirror-cursor{border-left:1px solid #8d8687}.cm-s-paraiso-dark span.cm-comment{color:#e96ba8}.cm-s-paraiso-dark span.cm-atom,.cm-s-paraiso-dark span.cm-number{color:#815ba4}.cm-s-paraiso-dark span.cm-attribute,.cm-s-paraiso-dark span.cm-property{color:#48b685}.cm-s-paraiso-dark span.cm-keyword{color:#ef6155}.cm-s-paraiso-dark span.cm-string{color:#fec418}.cm-s-paraiso-dark span.cm-variable{color:#48b685}.cm-s-paraiso-dark span.cm-variable-2{color:#06b6ef}.cm-s-paraiso-dark span.cm-def{color:#f99b15}.cm-s-paraiso-dark span.cm-bracket{color:#b9b6b0}.cm-s-paraiso-dark span.cm-tag{color:#ef6155}.cm-s-paraiso-dark span.cm-link{color:#815ba4}.cm-s-paraiso-dark span.cm-error{background:#ef6155;color:#8d8687}.cm-s-paraiso-dark .CodeMirror-activeline-background{background:#4d344a}.cm-s-paraiso-dark .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-paraiso-light.CodeMirror{background:#e7e9db;color:#41323f}.cm-s-paraiso-light div.CodeMirror-selected{background:#b9b6b0}.cm-s-paraiso-light .CodeMirror-line::selection,.cm-s-paraiso-light .CodeMirror-line>span::selection,.cm-s-paraiso-light .CodeMirror-line>span>span::selection{background:#b9b6b0}.cm-s-paraiso-light .CodeMirror-line::-moz-selection,.cm-s-paraiso-light .CodeMirror-line>span::-moz-selection,.cm-s-paraiso-light .CodeMirror-line>span>span::-moz-selection{background:#b9b6b0}.cm-s-paraiso-light .CodeMirror-gutters{background:#e7e9db;border-right:0}.cm-s-paraiso-light .CodeMirror-guttermarker{color:#000}.cm-s-paraiso-light .CodeMirror-guttermarker-subtle,.cm-s-paraiso-light .CodeMirror-linenumber{color:#8d8687}.cm-s-paraiso-light .CodeMirror-cursor{border-left:1px solid #776e71}.cm-s-paraiso-light span.cm-comment{color:#e96ba8}.cm-s-paraiso-light span.cm-atom,.cm-s-paraiso-light span.cm-number{color:#815ba4}.cm-s-paraiso-light span.cm-attribute,.cm-s-paraiso-light span.cm-property{color:#48b685}.cm-s-paraiso-light span.cm-keyword{color:#ef6155}.cm-s-paraiso-light span.cm-string{color:#fec418}.cm-s-paraiso-light span.cm-variable{color:#48b685}.cm-s-paraiso-light span.cm-variable-2{color:#06b6ef}.cm-s-paraiso-light span.cm-def{color:#f99b15}.cm-s-paraiso-light span.cm-bracket{color:#41323f}.cm-s-paraiso-light span.cm-tag{color:#ef6155}.cm-s-paraiso-light span.cm-link{color:#815ba4}.cm-s-paraiso-light span.cm-error{background:#ef6155;color:#776e71}.cm-s-paraiso-light .CodeMirror-activeline-background{background:#cfd1c4}.cm-s-paraiso-light .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-pastel-on-dark.CodeMirror{background:#2c2827;color:#8f938f;line-height:1.5}.cm-s-pastel-on-dark div.CodeMirror-selected{background:rgba(221,240,255,.2)}.cm-s-pastel-on-dark .CodeMirror-line::selection,.cm-s-pastel-on-dark .CodeMirror-line>span::selection,.cm-s-pastel-on-dark .CodeMirror-line>span>span::selection{background:rgba(221,240,255,.2)}.cm-s-pastel-on-dark .CodeMirror-line::-moz-selection,.cm-s-pastel-on-dark .CodeMirror-line>span::-moz-selection,.cm-s-pastel-on-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(221,240,255,.2)}.cm-s-pastel-on-dark .CodeMirror-gutters{background:#34302f;border-right:0;padding:0 3px}.cm-s-pastel-on-dark .CodeMirror-guttermarker{color:#fff}.cm-s-pastel-on-dark .CodeMirror-guttermarker-subtle,.cm-s-pastel-on-dark .CodeMirror-linenumber{color:#8f938f}.cm-s-pastel-on-dark .CodeMirror-cursor{border-left:1px solid #a7a7a7}.cm-s-pastel-on-dark span.cm-comment{color:#a6c6ff}.cm-s-pastel-on-dark span.cm-atom{color:#de8e30}.cm-s-pastel-on-dark span.cm-number{color:#ccc}.cm-s-pastel-on-dark span.cm-property{color:#8f938f}.cm-s-pastel-on-dark span.cm-attribute{color:#a6e22e}.cm-s-pastel-on-dark span.cm-keyword{color:#aeb2f8}.cm-s-pastel-on-dark span.cm-string{color:#66a968}.cm-s-pastel-on-dark span.cm-variable{color:#aeb2f8}.cm-s-pastel-on-dark span.cm-variable-2{color:#bebf55}.cm-s-pastel-on-dark span.cm-type,.cm-s-pastel-on-dark span.cm-variable-3{color:#de8e30}.cm-s-pastel-on-dark span.cm-def{color:#757ad8}.cm-s-pastel-on-dark span.cm-bracket{color:#f8f8f2}.cm-s-pastel-on-dark span.cm-tag{color:#c1c144}.cm-s-pastel-on-dark span.cm-link{color:#ae81ff}.cm-s-pastel-on-dark span.cm-builtin,.cm-s-pastel-on-dark span.cm-qualifier{color:#c1c144}.cm-s-pastel-on-dark span.cm-error{background:#757ad8;color:#f8f8f0}.cm-s-pastel-on-dark .CodeMirror-activeline-background{background:hsla(0,0%,100%,.031)}.cm-s-pastel-on-dark .CodeMirror-matchingbracket{border:1px solid hsla(0,0%,100%,.25);color:#8f938f!important;margin:-1px -1px 0}.cm-s-railscasts.CodeMirror{background:#2b2b2b;color:#f4f1ed}.cm-s-railscasts div.CodeMirror-selected{background:#272935!important}.cm-s-railscasts .CodeMirror-gutters{background:#2b2b2b;border-right:0}.cm-s-railscasts .CodeMirror-linenumber{color:#5a647e}.cm-s-railscasts .CodeMirror-cursor{border-left:1px solid #d4cfc9!important}.cm-s-railscasts span.cm-comment{color:#bc9458}.cm-s-railscasts span.cm-atom,.cm-s-railscasts span.cm-number{color:#b6b3eb}.cm-s-railscasts span.cm-attribute,.cm-s-railscasts span.cm-property{color:#a5c261}.cm-s-railscasts span.cm-keyword{color:#da4939}.cm-s-railscasts span.cm-string{color:#ffc66d}.cm-s-railscasts span.cm-variable{color:#a5c261}.cm-s-railscasts span.cm-variable-2{color:#6d9cbe}.cm-s-railscasts span.cm-def{color:#cc7833}.cm-s-railscasts span.cm-error{background:#da4939;color:#d4cfc9}.cm-s-railscasts span.cm-bracket{color:#f4f1ed}.cm-s-railscasts span.cm-tag{color:#da4939}.cm-s-railscasts span.cm-link{color:#b6b3eb}.cm-s-railscasts .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-railscasts .CodeMirror-activeline-background{background:#303040}.cm-s-rubyblue.CodeMirror{background:#112435;color:#fff}.cm-s-rubyblue div.CodeMirror-selected{background:#38566f}.cm-s-rubyblue .CodeMirror-line::selection,.cm-s-rubyblue .CodeMirror-line>span::selection,.cm-s-rubyblue .CodeMirror-line>span>span::selection{background:rgba(56,86,111,.99)}.cm-s-rubyblue .CodeMirror-line::-moz-selection,.cm-s-rubyblue .CodeMirror-line>span::-moz-selection,.cm-s-rubyblue .CodeMirror-line>span>span::-moz-selection{background:rgba(56,86,111,.99)}.cm-s-rubyblue .CodeMirror-gutters{background:#1f4661;border-right:7px solid #3e7087}.cm-s-rubyblue .CodeMirror-guttermarker{color:#fff}.cm-s-rubyblue .CodeMirror-guttermarker-subtle{color:#3e7087}.cm-s-rubyblue .CodeMirror-linenumber{color:#fff}.cm-s-rubyblue .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-rubyblue span.cm-comment{color:#999;font-style:italic;line-height:1em}.cm-s-rubyblue span.cm-atom{color:#f4c20b}.cm-s-rubyblue span.cm-attribute,.cm-s-rubyblue span.cm-number{color:#82c6e0}.cm-s-rubyblue span.cm-keyword{color:#f0f}.cm-s-rubyblue span.cm-string{color:#f08047}.cm-s-rubyblue span.cm-meta{color:#f0f}.cm-s-rubyblue span.cm-tag,.cm-s-rubyblue span.cm-variable-2{color:#7bd827}.cm-s-rubyblue span.cm-def,.cm-s-rubyblue span.cm-type,.cm-s-rubyblue span.cm-variable-3{color:#fff}.cm-s-rubyblue span.cm-bracket{color:#f0f}.cm-s-rubyblue span.cm-link{color:#f4c20b}.cm-s-rubyblue span.CodeMirror-matchingbracket{color:#f0f!important}.cm-s-rubyblue span.cm-builtin,.cm-s-rubyblue span.cm-special{color:#ff9d00}.cm-s-rubyblue span.cm-error{color:#af2018}.cm-s-rubyblue .CodeMirror-activeline-background{background:#173047}.cm-s-seti.CodeMirror{background-color:#151718!important;border:none;color:#cfd2d1!important}.cm-s-seti .CodeMirror-gutters{background-color:#0e1112;border:none;color:#404b53}.cm-s-seti .CodeMirror-cursor{border-left:thin solid #f8f8f0}.cm-s-seti .CodeMirror-linenumber{color:#6d8a88}.cm-s-seti.CodeMirror-focused div.CodeMirror-selected{background:hsla(0,0%,100%,.1)}.cm-s-seti .CodeMirror-line::selection,.cm-s-seti .CodeMirror-line>span::selection,.cm-s-seti .CodeMirror-line>span>span::selection{background:hsla(0,0%,100%,.1)}.cm-s-seti .CodeMirror-line::-moz-selection,.cm-s-seti .CodeMirror-line>span::-moz-selection,.cm-s-seti .CodeMirror-line>span>span::-moz-selection{background:hsla(0,0%,100%,.1)}.cm-s-seti span.cm-comment{color:#41535b}.cm-s-seti span.cm-string,.cm-s-seti span.cm-string-2{color:#55b5db}.cm-s-seti span.cm-number{color:#cd3f45}.cm-s-seti span.cm-variable{color:#55b5db}.cm-s-seti span.cm-variable-2{color:#a074c4}.cm-s-seti span.cm-def{color:#55b5db}.cm-s-seti span.cm-keyword{color:#ff79c6}.cm-s-seti span.cm-operator{color:#9fca56}.cm-s-seti span.cm-keyword{color:#e6cd69}.cm-s-seti span.cm-atom{color:#cd3f45}.cm-s-seti span.cm-meta,.cm-s-seti span.cm-tag{color:#55b5db}.cm-s-seti span.cm-attribute,.cm-s-seti span.cm-qualifier{color:#9fca56}.cm-s-seti span.cm-property{color:#a074c4}.cm-s-seti span.cm-builtin,.cm-s-seti span.cm-type,.cm-s-seti span.cm-variable-3{color:#9fca56}.cm-s-seti .CodeMirror-activeline-background{background:#101213}.cm-s-seti .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-shadowfox.CodeMirror{background:#2a2a2e;color:#b1b1b3}.cm-s-shadowfox div.CodeMirror-selected{background:#353b48}.cm-s-shadowfox .CodeMirror-line::selection,.cm-s-shadowfox .CodeMirror-line>span::selection,.cm-s-shadowfox .CodeMirror-line>span>span::selection{background:#353b48}.cm-s-shadowfox .CodeMirror-line::-moz-selection,.cm-s-shadowfox .CodeMirror-line>span::-moz-selection,.cm-s-shadowfox .CodeMirror-line>span>span::-moz-selection{background:#353b48}.cm-s-shadowfox .CodeMirror-gutters{background:#0c0c0d;border-right:1px solid #0c0c0d}.cm-s-shadowfox .CodeMirror-guttermarker{color:#555}.cm-s-shadowfox .CodeMirror-linenumber{color:#939393}.cm-s-shadowfox .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-shadowfox span.cm-comment{color:#939393}.cm-s-shadowfox span.cm-atom,.cm-s-shadowfox span.cm-attribute,.cm-s-shadowfox span.cm-builtin,.cm-s-shadowfox span.cm-error,.cm-s-shadowfox span.cm-keyword,.cm-s-shadowfox span.cm-quote{color:#ff7de9}.cm-s-shadowfox span.cm-number,.cm-s-shadowfox span.cm-string,.cm-s-shadowfox span.cm-string-2{color:#6b89ff}.cm-s-shadowfox span.cm-hr,.cm-s-shadowfox span.cm-meta{color:#939393}.cm-s-shadowfox span.cm-header,.cm-s-shadowfox span.cm-qualifier,.cm-s-shadowfox span.cm-variable-2{color:#75bfff}.cm-s-shadowfox span.cm-property{color:#86de74}.cm-s-shadowfox span.cm-bracket,.cm-s-shadowfox span.cm-def,.cm-s-shadowfox span.cm-link:visited,.cm-s-shadowfox span.cm-tag{color:#75bfff}.cm-s-shadowfox span.cm-variable{color:#b98eff}.cm-s-shadowfox span.cm-variable-3{color:#d7d7db}.cm-s-shadowfox span.cm-link{color:#737373}.cm-s-shadowfox span.cm-operator{color:#b1b1b3}.cm-s-shadowfox span.cm-special{color:#d7d7db}.cm-s-shadowfox .CodeMirror-activeline-background{background:rgba(185,215,253,.15)}.cm-s-shadowfox .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid hsla(0,0%,100%,.25)}.solarized.base03{color:#002b36}.solarized.base02{color:#073642}.solarized.base01{color:#586e75}.solarized.base00{color:#657b83}.solarized.base0{color:#839496}.solarized.base1{color:#93a1a1}.solarized.base2{color:#eee8d5}.solarized.base3{color:#fdf6e3}.solarized.solar-yellow{color:#b58900}.solarized.solar-orange{color:#cb4b16}.solarized.solar-red{color:#dc322f}.solarized.solar-magenta{color:#d33682}.solarized.solar-violet{color:#6c71c4}.solarized.solar-blue{color:#268bd2}.solarized.solar-cyan{color:#2aa198}.solarized.solar-green{color:#859900}.cm-s-solarized{color-profile:sRGB;rendering-intent:auto;line-height:1.45em}.cm-s-solarized.cm-s-dark{background-color:#002b36;color:#839496}.cm-s-solarized.cm-s-light{background-color:#fdf6e3;color:#657b83}.cm-s-solarized .CodeMirror-widget{text-shadow:none}.cm-s-solarized .cm-header{color:#586e75}.cm-s-solarized .cm-quote{color:#93a1a1}.cm-s-solarized .cm-keyword{color:#cb4b16}.cm-s-solarized .cm-atom,.cm-s-solarized .cm-number{color:#d33682}.cm-s-solarized .cm-def{color:#2aa198}.cm-s-solarized .cm-variable{color:#839496}.cm-s-solarized .cm-variable-2{color:#b58900}.cm-s-solarized .cm-type,.cm-s-solarized .cm-variable-3{color:#6c71c4}.cm-s-solarized .cm-property{color:#2aa198}.cm-s-solarized .cm-operator{color:#6c71c4}.cm-s-solarized .cm-comment{color:#586e75;font-style:italic}.cm-s-solarized .cm-string{color:#859900}.cm-s-solarized .cm-string-2{color:#b58900}.cm-s-solarized .cm-meta{color:#859900}.cm-s-solarized .cm-qualifier{color:#b58900}.cm-s-solarized .cm-builtin{color:#d33682}.cm-s-solarized .cm-bracket{color:#cb4b16}.cm-s-solarized .CodeMirror-matchingbracket{color:#859900}.cm-s-solarized .CodeMirror-nonmatchingbracket{color:#dc322f}.cm-s-solarized .cm-tag{color:#93a1a1}.cm-s-solarized .cm-attribute{color:#2aa198}.cm-s-solarized .cm-hr{border-top:1px solid #586e75;color:transparent;display:block}.cm-s-solarized .cm-link{color:#93a1a1;cursor:pointer}.cm-s-solarized .cm-special{color:#6c71c4}.cm-s-solarized .cm-em{color:#999;text-decoration:underline;text-decoration-style:dotted}.cm-s-solarized .cm-error,.cm-s-solarized .cm-invalidchar{border-bottom:1px dotted #dc322f;color:#586e75}.cm-s-solarized.cm-s-dark div.CodeMirror-selected{background:#073642}.cm-s-solarized.cm-s-dark.CodeMirror ::-moz-selection{background:rgba(7,54,66,.99)}.cm-s-solarized.cm-s-dark.CodeMirror ::selection{background:rgba(7,54,66,.99)}.cm-s-dark .CodeMirror-line>span::-moz-selection,.cm-s-dark .CodeMirror-line>span>span::-moz-selection,.cm-s-solarized.cm-s-dark .CodeMirror-line::-moz-selection{background:rgba(7,54,66,.99)}.cm-s-solarized.cm-s-light div.CodeMirror-selected{background:#eee8d5}.cm-s-light .CodeMirror-line>span::selection,.cm-s-light .CodeMirror-line>span>span::selection,.cm-s-solarized.cm-s-light .CodeMirror-line::selection{background:#eee8d5}.cm-s-light .CodeMirror-line>span::-moz-selection,.cm-s-light .CodeMirror-line>span>span::-moz-selection,.cm-s-solarized.cm-s-light .CodeMirror-line::-moz-selection{background:#eee8d5}.cm-s-solarized.CodeMirror{box-shadow:inset 7px 0 12px -6px #000}.cm-s-solarized .CodeMirror-gutters{border-right:0}.cm-s-solarized.cm-s-dark .CodeMirror-gutters{background-color:#073642}.cm-s-solarized.cm-s-dark .CodeMirror-linenumber{color:#586e75}.cm-s-solarized.cm-s-light .CodeMirror-gutters{background-color:#eee8d5}.cm-s-solarized.cm-s-light .CodeMirror-linenumber{color:#839496}.cm-s-solarized .CodeMirror-linenumber{padding:0 5px}.cm-s-solarized .CodeMirror-guttermarker-subtle{color:#586e75}.cm-s-solarized.cm-s-dark .CodeMirror-guttermarker{color:#ddd}.cm-s-solarized.cm-s-light .CodeMirror-guttermarker{color:#cb4b16}.cm-s-solarized .CodeMirror-gutter .CodeMirror-gutter-text{color:#586e75}.cm-s-solarized .CodeMirror-cursor{border-left:1px solid #819090}.cm-s-solarized.cm-s-light.cm-fat-cursor .CodeMirror-cursor{background:#7e7}.cm-s-solarized.cm-s-light .cm-animate-fat-cursor{background-color:#7e7}.cm-s-solarized.cm-s-dark.cm-fat-cursor .CodeMirror-cursor{background:#586e75}.cm-s-solarized.cm-s-dark .cm-animate-fat-cursor{background-color:#586e75}.cm-s-solarized.cm-s-dark .CodeMirror-activeline-background{background:hsla(0,0%,100%,.06)}.cm-s-solarized.cm-s-light .CodeMirror-activeline-background{background:rgba(0,0,0,.06)}.cm-s-ssms span.cm-keyword{color:blue}.cm-s-ssms span.cm-comment{color:#006400}.cm-s-ssms span.cm-string{color:red}.cm-s-ssms span.cm-def,.cm-s-ssms span.cm-variable,.cm-s-ssms span.cm-variable-2{color:#000}.cm-s-ssms span.cm-atom{color:#a9a9a9}.cm-s-ssms .CodeMirror-linenumber{color:teal}.cm-s-ssms .CodeMirror-activeline-background{background:#fff}.cm-s-ssms span.cm-string-2{color:#f0f}.cm-s-ssms span.cm-bracket,.cm-s-ssms span.cm-operator,.cm-s-ssms span.cm-punctuation{color:#a9a9a9}.cm-s-ssms .CodeMirror-gutters{background-color:#fff;border-right:3px solid #ffee62}.cm-s-ssms div.CodeMirror-selected{background:#add6ff}.cm-s-the-matrix.CodeMirror{background:#000;color:#0f0}.cm-s-the-matrix div.CodeMirror-selected{background:#2d2d2d}.cm-s-the-matrix .CodeMirror-line::selection,.cm-s-the-matrix .CodeMirror-line>span::selection,.cm-s-the-matrix .CodeMirror-line>span>span::selection{background:rgba(45,45,45,.99)}.cm-s-the-matrix .CodeMirror-line::-moz-selection,.cm-s-the-matrix .CodeMirror-line>span::-moz-selection,.cm-s-the-matrix .CodeMirror-line>span>span::-moz-selection{background:rgba(45,45,45,.99)}.cm-s-the-matrix .CodeMirror-gutters{background:#060;border-right:2px solid #0f0}.cm-s-the-matrix .CodeMirror-guttermarker{color:#0f0}.cm-s-the-matrix .CodeMirror-guttermarker-subtle,.cm-s-the-matrix .CodeMirror-linenumber{color:#fff}.cm-s-the-matrix .CodeMirror-cursor{border-left:1px solid #0f0}.cm-s-the-matrix span.cm-keyword{color:#008803;font-weight:700}.cm-s-the-matrix span.cm-atom{color:#3ff}.cm-s-the-matrix span.cm-number{color:#ffb94f}.cm-s-the-matrix span.cm-def{color:#99c}.cm-s-the-matrix span.cm-variable{color:#f6c}.cm-s-the-matrix span.cm-variable-2{color:#c6f}.cm-s-the-matrix span.cm-type,.cm-s-the-matrix span.cm-variable-3{color:#96f}.cm-s-the-matrix span.cm-property{color:#62ffa0}.cm-s-the-matrix span.cm-operator{color:#999}.cm-s-the-matrix span.cm-comment{color:#ccc}.cm-s-the-matrix span.cm-string{color:#39c}.cm-s-the-matrix span.cm-meta{color:#c9f}.cm-s-the-matrix span.cm-qualifier{color:#fff700}.cm-s-the-matrix span.cm-builtin{color:#30a}.cm-s-the-matrix span.cm-bracket{color:#cc7}.cm-s-the-matrix span.cm-tag{color:#ffbd40}.cm-s-the-matrix span.cm-attribute{color:#fff700}.cm-s-the-matrix span.cm-error{color:red}.cm-s-the-matrix .CodeMirror-activeline-background{background:#040}.cm-s-tomorrow-night-bright.CodeMirror{background:#000;color:#eaeaea}.cm-s-tomorrow-night-bright div.CodeMirror-selected{background:#424242}.cm-s-tomorrow-night-bright .CodeMirror-gutters{background:#000;border-right:0}.cm-s-tomorrow-night-bright .CodeMirror-guttermarker{color:#e78c45}.cm-s-tomorrow-night-bright .CodeMirror-guttermarker-subtle{color:#777}.cm-s-tomorrow-night-bright .CodeMirror-linenumber{color:#424242}.cm-s-tomorrow-night-bright .CodeMirror-cursor{border-left:1px solid #6a6a6a}.cm-s-tomorrow-night-bright span.cm-comment{color:#d27b53}.cm-s-tomorrow-night-bright span.cm-atom,.cm-s-tomorrow-night-bright span.cm-number{color:#a16a94}.cm-s-tomorrow-night-bright span.cm-attribute,.cm-s-tomorrow-night-bright span.cm-property{color:#9c9}.cm-s-tomorrow-night-bright span.cm-keyword{color:#d54e53}.cm-s-tomorrow-night-bright span.cm-string{color:#e7c547}.cm-s-tomorrow-night-bright span.cm-variable{color:#b9ca4a}.cm-s-tomorrow-night-bright span.cm-variable-2{color:#7aa6da}.cm-s-tomorrow-night-bright span.cm-def{color:#e78c45}.cm-s-tomorrow-night-bright span.cm-bracket{color:#eaeaea}.cm-s-tomorrow-night-bright span.cm-tag{color:#d54e53}.cm-s-tomorrow-night-bright span.cm-link{color:#a16a94}.cm-s-tomorrow-night-bright span.cm-error{background:#d54e53;color:#6a6a6a}.cm-s-tomorrow-night-bright .CodeMirror-activeline-background{background:#2a2a2a}.cm-s-tomorrow-night-bright .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-tomorrow-night-eighties.CodeMirror{background:#000;color:#ccc}.cm-s-tomorrow-night-eighties div.CodeMirror-selected{background:#2d2d2d}.cm-s-tomorrow-night-eighties .CodeMirror-line::selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span::selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span>span::selection{background:rgba(45,45,45,.99)}.cm-s-tomorrow-night-eighties .CodeMirror-line::-moz-selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span::-moz-selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span>span::-moz-selection{background:rgba(45,45,45,.99)}.cm-s-tomorrow-night-eighties .CodeMirror-gutters{background:#000;border-right:0}.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker{color:#f2777a}.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker-subtle{color:#777}.cm-s-tomorrow-night-eighties .CodeMirror-linenumber{color:#515151}.cm-s-tomorrow-night-eighties .CodeMirror-cursor{border-left:1px solid #6a6a6a}.cm-s-tomorrow-night-eighties span.cm-comment{color:#d27b53}.cm-s-tomorrow-night-eighties span.cm-atom,.cm-s-tomorrow-night-eighties span.cm-number{color:#a16a94}.cm-s-tomorrow-night-eighties span.cm-attribute,.cm-s-tomorrow-night-eighties span.cm-property{color:#9c9}.cm-s-tomorrow-night-eighties span.cm-keyword{color:#f2777a}.cm-s-tomorrow-night-eighties span.cm-string{color:#fc6}.cm-s-tomorrow-night-eighties span.cm-variable{color:#9c9}.cm-s-tomorrow-night-eighties span.cm-variable-2{color:#69c}.cm-s-tomorrow-night-eighties span.cm-def{color:#f99157}.cm-s-tomorrow-night-eighties span.cm-bracket{color:#ccc}.cm-s-tomorrow-night-eighties span.cm-tag{color:#f2777a}.cm-s-tomorrow-night-eighties span.cm-link{color:#a16a94}.cm-s-tomorrow-night-eighties span.cm-error{background:#f2777a;color:#6a6a6a}.cm-s-tomorrow-night-eighties .CodeMirror-activeline-background{background:#343600}.cm-s-tomorrow-night-eighties .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-ttcn .cm-quote{color:#090}.cm-s-ttcn .cm-header,.cm-strong{font-weight:700}.cm-s-ttcn .cm-header{color:#00f;font-weight:700}.cm-s-ttcn .cm-atom{color:#219}.cm-s-ttcn .cm-attribute{color:#00c}.cm-s-ttcn .cm-bracket{color:#997}.cm-s-ttcn .cm-comment{color:#333}.cm-s-ttcn .cm-def{color:#00f}.cm-s-ttcn .cm-em{font-style:italic}.cm-s-ttcn .cm-error{color:red}.cm-s-ttcn .cm-hr{color:#999}.cm-s-ttcn .cm-keyword{font-weight:700}.cm-s-ttcn .cm-link{color:#00c;text-decoration:underline}.cm-s-ttcn .cm-meta{color:#555}.cm-s-ttcn .cm-negative{color:#d44}.cm-s-ttcn .cm-positive{color:#292}.cm-s-ttcn .cm-qualifier{color:#555}.cm-s-ttcn .cm-strikethrough{text-decoration:line-through}.cm-s-ttcn .cm-string{color:#006400}.cm-s-ttcn .cm-string-2{color:#f50}.cm-s-ttcn .cm-strong{font-weight:700}.cm-s-ttcn .cm-tag{color:#170}.cm-s-ttcn .cm-variable{color:#8b2252}.cm-s-ttcn .cm-variable-2{color:#05a}.cm-s-ttcn .cm-type,.cm-s-ttcn .cm-variable-3{color:#085}.cm-s-ttcn .cm-invalidchar{color:red}.cm-s-ttcn .cm-accessTypes,.cm-s-ttcn .cm-compareTypes{color:#27408b}.cm-s-ttcn .cm-cmipVerbs{color:#8b2252}.cm-s-ttcn .cm-modifier{color:#d2691e}.cm-s-ttcn .cm-status{color:#8b4545}.cm-s-ttcn .cm-storage{color:#a020f0}.cm-s-ttcn .cm-tags{color:#006400}.cm-s-ttcn .cm-externalCommands{color:#8b4545;font-weight:700}.cm-s-ttcn .cm-fileNCtrlMaskOptions,.cm-s-ttcn .cm-sectionTitle{color:#2e8b57;font-weight:700}.cm-s-ttcn .cm-booleanConsts,.cm-s-ttcn .cm-otherConsts,.cm-s-ttcn .cm-verdictConsts{color:#006400}.cm-s-ttcn .cm-configOps,.cm-s-ttcn .cm-functionOps,.cm-s-ttcn .cm-portOps,.cm-s-ttcn .cm-sutOps,.cm-s-ttcn .cm-timerOps,.cm-s-ttcn .cm-verdictOps{color:#00f}.cm-s-ttcn .cm-preprocessor,.cm-s-ttcn .cm-templateMatch,.cm-s-ttcn .cm-ttcn3Macros{color:#27408b}.cm-s-ttcn .cm-types{color:brown;font-weight:700}.cm-s-ttcn .cm-visibilityModifiers{font-weight:700}.cm-s-twilight.CodeMirror{background:#141414;color:#f7f7f7}.cm-s-twilight div.CodeMirror-selected{background:#323232}.cm-s-twilight .CodeMirror-line::selection,.cm-s-twilight .CodeMirror-line>span::selection,.cm-s-twilight .CodeMirror-line>span>span::selection{background:rgba(50,50,50,.99)}.cm-s-twilight .CodeMirror-line::-moz-selection,.cm-s-twilight .CodeMirror-line>span::-moz-selection,.cm-s-twilight .CodeMirror-line>span>span::-moz-selection{background:rgba(50,50,50,.99)}.cm-s-twilight .CodeMirror-gutters{background:#222;border-right:1px solid #aaa}.cm-s-twilight .CodeMirror-guttermarker{color:#fff}.cm-s-twilight .CodeMirror-guttermarker-subtle,.cm-s-twilight .CodeMirror-linenumber{color:#aaa}.cm-s-twilight .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-twilight .cm-keyword{color:#f9ee98}.cm-s-twilight .cm-atom{color:#fc0}.cm-s-twilight .cm-number{color:#ca7841}.cm-s-twilight .cm-def{color:#8da6ce}.cm-s-twilight span.cm-def,.cm-s-twilight span.cm-tag,.cm-s-twilight span.cm-type,.cm-s-twilight span.cm-variable-2,.cm-s-twilight span.cm-variable-3{color:#607392}.cm-s-twilight .cm-operator{color:#cda869}.cm-s-twilight .cm-comment{color:#777;font-style:italic;font-weight:400}.cm-s-twilight .cm-string{color:#8f9d6a;font-style:italic}.cm-s-twilight .cm-string-2{color:#bd6b18}.cm-s-twilight .cm-meta{background-color:#141414;color:#f7f7f7}.cm-s-twilight .cm-builtin{color:#cda869}.cm-s-twilight .cm-tag{color:#997643}.cm-s-twilight .cm-attribute{color:#d6bb6d}.cm-s-twilight .cm-header{color:#ff6400}.cm-s-twilight .cm-hr{color:#aeaeae}.cm-s-twilight .cm-link{color:#ad9361;font-style:italic;text-decoration:none}.cm-s-twilight .cm-error{border-bottom:1px solid red}.cm-s-twilight .CodeMirror-activeline-background{background:#27282e}.cm-s-twilight .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-vibrant-ink.CodeMirror{background:#000;color:#fff}.cm-s-vibrant-ink div.CodeMirror-selected{background:#35493c}.cm-s-vibrant-ink .CodeMirror-line::selection,.cm-s-vibrant-ink .CodeMirror-line>span::selection,.cm-s-vibrant-ink .CodeMirror-line>span>span::selection{background:rgba(53,73,60,.99)}.cm-s-vibrant-ink .CodeMirror-line::-moz-selection,.cm-s-vibrant-ink .CodeMirror-line>span::-moz-selection,.cm-s-vibrant-ink .CodeMirror-line>span>span::-moz-selection{background:rgba(53,73,60,.99)}.cm-s-vibrant-ink .CodeMirror-gutters{background:#002240;border-right:1px solid #aaa}.cm-s-vibrant-ink .CodeMirror-guttermarker{color:#fff}.cm-s-vibrant-ink .CodeMirror-guttermarker-subtle,.cm-s-vibrant-ink .CodeMirror-linenumber{color:#d0d0d0}.cm-s-vibrant-ink .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-vibrant-ink .cm-keyword{color:#cc7832}.cm-s-vibrant-ink .cm-atom{color:#fc0}.cm-s-vibrant-ink .cm-number{color:#ffee98}.cm-s-vibrant-ink .cm-def{color:#8da6ce}.cm-s-vibrant span.cm-def,.cm-s-vibrant span.cm-tag,.cm-s-vibrant span.cm-type,.cm-s-vibrant-ink span.cm-variable-2,.cm-s-vibrant-ink span.cm-variable-3{color:#ffc66d}.cm-s-vibrant-ink .cm-operator{color:#888}.cm-s-vibrant-ink .cm-comment{color:gray;font-weight:700}.cm-s-vibrant-ink .cm-string{color:#a5c25c}.cm-s-vibrant-ink .cm-string-2{color:red}.cm-s-vibrant-ink .cm-meta{color:#d8fa3c}.cm-s-vibrant-ink .cm-attribute,.cm-s-vibrant-ink .cm-builtin,.cm-s-vibrant-ink .cm-tag{color:#8da6ce}.cm-s-vibrant-ink .cm-header{color:#ff6400}.cm-s-vibrant-ink .cm-hr{color:#aeaeae}.cm-s-vibrant-ink .cm-link{color:#5656f3}.cm-s-vibrant-ink .cm-error{border-bottom:1px solid red}.cm-s-vibrant-ink .CodeMirror-activeline-background{background:#27282e}.cm-s-vibrant-ink .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-xq-dark.CodeMirror{background:#0a001f;color:#f8f8f8}.cm-s-xq-dark div.CodeMirror-selected{background:#27007a}.cm-s-xq-dark .CodeMirror-line::selection,.cm-s-xq-dark .CodeMirror-line>span::selection,.cm-s-xq-dark .CodeMirror-line>span>span::selection{background:rgba(39,0,122,.99)}.cm-s-xq-dark .CodeMirror-line::-moz-selection,.cm-s-xq-dark .CodeMirror-line>span::-moz-selection,.cm-s-xq-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(39,0,122,.99)}.cm-s-xq-dark .CodeMirror-gutters{background:#0a001f;border-right:1px solid #aaa}.cm-s-xq-dark .CodeMirror-guttermarker{color:#ffbd40}.cm-s-xq-dark .CodeMirror-guttermarker-subtle,.cm-s-xq-dark .CodeMirror-linenumber{color:#f8f8f8}.cm-s-xq-dark .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-xq-dark span.cm-keyword{color:#ffbd40}.cm-s-xq-dark span.cm-atom{color:#6c8cd5}.cm-s-xq-dark span.cm-number{color:#164}.cm-s-xq-dark span.cm-def{color:#fff;text-decoration:underline}.cm-s-xq-dark span.cm-variable{color:#fff}.cm-s-xq-dark span.cm-variable-2{color:#eee}.cm-s-xq-dark span.cm-type,.cm-s-xq-dark span.cm-variable-3{color:#ddd}.cm-s-xq-dark span.cm-comment{color:gray}.cm-s-xq-dark span.cm-string{color:#9fee00}.cm-s-xq-dark span.cm-meta{color:#ff0}.cm-s-xq-dark span.cm-qualifier{color:#fff700}.cm-s-xq-dark span.cm-builtin{color:#30a}.cm-s-xq-dark span.cm-bracket{color:#cc7}.cm-s-xq-dark span.cm-tag{color:#ffbd40}.cm-s-xq-dark span.cm-attribute{color:#fff700}.cm-s-xq-dark span.cm-error{color:red}.cm-s-xq-dark .CodeMirror-activeline-background{background:#27282e}.cm-s-xq-dark .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-xq-light span.cm-keyword{color:#5a5cad;font-weight:700;line-height:1em}.cm-s-xq-light span.cm-atom{color:#6c8cd5}.cm-s-xq-light span.cm-number{color:#164}.cm-s-xq-light span.cm-def{text-decoration:underline}.cm-s-xq-light span.cm-type,.cm-s-xq-light span.cm-variable,.cm-s-xq-light span.cm-variable-2,.cm-s-xq-light span.cm-variable-3{color:#000}.cm-s-xq-light span.cm-comment{color:#0080ff;font-style:italic}.cm-s-xq-light span.cm-string{color:red}.cm-s-xq-light span.cm-meta{color:#ff0}.cm-s-xq-light span.cm-qualifier{color:grey}.cm-s-xq-light span.cm-builtin{color:#7ea656}.cm-s-xq-light span.cm-bracket{color:#cc7}.cm-s-xq-light span.cm-tag{color:#3f7f7f}.cm-s-xq-light span.cm-attribute{color:#7f007f}.cm-s-xq-light span.cm-error{color:red}.cm-s-xq-light .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-xq-light .CodeMirror-matchingbracket{background:#ff0;color:#000!important;outline:1px solid grey}.cm-s-yeti.CodeMirror{background-color:#eceae8!important;border:none;color:#d1c9c0!important}.cm-s-yeti .CodeMirror-gutters{background-color:#e5e1db;border:none;color:#adaba6}.cm-s-yeti .CodeMirror-cursor{border-left:thin solid #d1c9c0}.cm-s-yeti .CodeMirror-linenumber{color:#adaba6}.cm-s-yeti.CodeMirror-focused div.CodeMirror-selected{background:#dcd8d2}.cm-s-yeti .CodeMirror-line::selection,.cm-s-yeti .CodeMirror-line>span::selection,.cm-s-yeti .CodeMirror-line>span>span::selection{background:#dcd8d2}.cm-s-yeti .CodeMirror-line::-moz-selection,.cm-s-yeti .CodeMirror-line>span::-moz-selection,.cm-s-yeti .CodeMirror-line>span>span::-moz-selection{background:#dcd8d2}.cm-s-yeti span.cm-comment{color:#d4c8be}.cm-s-yeti span.cm-string,.cm-s-yeti span.cm-string-2{color:#96c0d8}.cm-s-yeti span.cm-number{color:#a074c4}.cm-s-yeti span.cm-variable{color:#55b5db}.cm-s-yeti span.cm-variable-2{color:#a074c4}.cm-s-yeti span.cm-def{color:#55b5db}.cm-s-yeti span.cm-keyword,.cm-s-yeti span.cm-operator{color:#9fb96e}.cm-s-yeti span.cm-atom{color:#a074c4}.cm-s-yeti span.cm-meta,.cm-s-yeti span.cm-tag{color:#96c0d8}.cm-s-yeti span.cm-attribute{color:#9fb96e}.cm-s-yeti span.cm-qualifier{color:#96c0d8}.cm-s-yeti span.cm-builtin,.cm-s-yeti span.cm-property{color:#a074c4}.cm-s-yeti span.cm-type,.cm-s-yeti span.cm-variable-3{color:#96c0d8}.cm-s-yeti .CodeMirror-activeline-background{background:#e7e4e0}.cm-s-yeti .CodeMirror-matchingbracket{text-decoration:underline}.cm-s-zenburn .CodeMirror-gutters{background:#3f3f3f!important}.CodeMirror-foldgutter-folded,.cm-s-zenburn .CodeMirror-foldgutter-open{color:#999}.cm-s-zenburn .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-zenburn.CodeMirror{background-color:#3f3f3f;color:#dcdccc}.cm-s-zenburn span.cm-builtin{color:#dcdccc;font-weight:700}.cm-s-zenburn span.cm-comment{color:#7f9f7f}.cm-s-zenburn span.cm-keyword{color:#f0dfaf;font-weight:700}.cm-s-zenburn span.cm-atom{color:#bfebbf}.cm-s-zenburn span.cm-def{color:#dcdccc}.cm-s-zenburn span.cm-variable{color:#dfaf8f}.cm-s-zenburn span.cm-variable-2{color:#dcdccc}.cm-s-zenburn span.cm-string,.cm-s-zenburn span.cm-string-2{color:#cc9393}.cm-s-zenburn span.cm-number{color:#dcdccc}.cm-s-zenburn span.cm-tag{color:#93e0e3}.cm-s-zenburn span.cm-attribute,.cm-s-zenburn span.cm-property{color:#dfaf8f}.cm-s-zenburn span.cm-qualifier{color:#7cb8bb}.cm-s-zenburn span.cm-meta{color:#f0dfaf}.cm-s-zenburn span.cm-header,.cm-s-zenburn span.cm-operator{color:#f0efd0}.cm-s-zenburn span.CodeMirror-matchingbracket{background:transparent;border-bottom:1px solid;box-sizing:border-box}.cm-s-zenburn span.CodeMirror-nonmatchingbracket{background:none;border-bottom:1px solid}.cm-s-zenburn .CodeMirror-activeline,.cm-s-zenburn .CodeMirror-activeline-background{background:#000}.cm-s-zenburn div.CodeMirror-selected{background:#545454}.cm-s-zenburn .CodeMirror-focused div.CodeMirror-selected{background:#4f4f4f}.form-control{box-sizing:border-box;height:2.25rem;line-height:1.5}.form-control::-moz-placeholder{color:rgba(var(--colors-gray-400))}.form-control::placeholder{color:rgba(var(--colors-gray-400))}.form-control:focus{outline:2px solid transparent;outline-offset:2px}:is(.dark .form-control)::-moz-placeholder{color:rgba(var(--colors-gray-600))}:is(.dark .form-control)::placeholder{color:rgba(var(--colors-gray-600))}.form-control-bordered{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-gray-950),0.1)}.form-control-bordered,.form-control-bordered:focus{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.form-control-bordered:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-500))}:is(.dark .form-control-bordered){--tw-ring-color:rgba(var(--colors-gray-100),0.1)}.form-control-bordered-error{--tw-ring-color:rgba(var(--colors-red-400))!important}:is(.dark .form-control-bordered-error){--tw-ring-color:rgba(var(--colors-red-500))!important}.form-control-focused{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-500));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.form-control:disabled,.form-control[data-disabled]{background-color:rgba(var(--colors-gray-50));color:rgba(var(--colors-gray-400));outline:2px solid transparent;outline-offset:2px}:is(.dark .form-control:disabled),:is(.dark .form-control[data-disabled]){background-color:rgba(var(--colors-gray-800))}.form-input{--tw-bg-opacity:1;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.25rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-gray-600));font-size:.875rem;line-height:1.25rem;padding-left:.75rem;padding-right:.75rem;width:100%}.form-input::-moz-placeholder{color:rgba(var(--colors-gray-400))}.form-input::placeholder{color:rgba(var(--colors-gray-400))}:is(.dark .form-input){background-color:rgba(var(--colors-gray-900));color:rgba(var(--colors-gray-400))}:is(.dark .form-input)::-moz-placeholder{color:rgba(var(--colors-gray-500))}:is(.dark .form-input)::placeholder{color:rgba(var(--colors-gray-500))}[dir=ltr] input[type=search]{padding-right:.5rem}[dir=rtl] input[type=search]{padding-left:.5rem}.dark .form-input,.dark input[type=search]{color-scheme:dark}.form-control+.form-select-arrow,.form-control>.form-select-arrow{position:absolute;top:15px}[dir=ltr] .form-control+.form-select-arrow,[dir=ltr] .form-control>.form-select-arrow{right:11px}[dir=rtl] .form-control+.form-select-arrow,[dir=rtl] .form-control>.form-select-arrow{left:11px}.fake-checkbox{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.25rem;color:rgba(var(--colors-primary-500));flex-shrink:0;height:1rem;-webkit-user-select:none;-moz-user-select:none;user-select:none;width:1rem}:is(.dark .fake-checkbox){background-color:rgba(var(--colors-gray-900))}.fake-checkbox{background-origin:border-box;border-color:rgba(var(--colors-gray-300));border-width:1px;display:inline-block;vertical-align:middle}:is(.dark .fake-checkbox){border-color:rgba(var(--colors-gray-700))}.checkbox{--tw-bg-opacity:1;-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.25rem;color:rgba(var(--colors-primary-500));display:inline-block;flex-shrink:0;height:1rem;-webkit-user-select:none;-moz-user-select:none;user-select:none;vertical-align:middle;width:1rem}:is(.dark .checkbox){background-color:rgba(var(--colors-gray-900))}.checkbox{color-adjust:exact;border-color:rgba(var(--colors-gray-300));border-width:1px;-webkit-print-color-adjust:exact}.checkbox:focus{border-color:rgba(var(--colors-primary-300))}:is(.dark .checkbox){border-color:rgba(var(--colors-gray-700))}:is(.dark .checkbox:focus){border-color:rgba(var(--colors-gray-500))}.checkbox:disabled{background-color:rgba(var(--colors-gray-300))}:is(.dark .checkbox:disabled){background-color:rgba(var(--colors-gray-700))}.checkbox:hover:enabled{cursor:pointer}.checkbox:active,.checkbox:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-200));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}:is(.dark .checkbox:active),:is(.dark .checkbox:focus){--tw-ring-color:rgba(var(--colors-gray-700))}.checkbox:checked,.fake-checkbox-checked{background-color:currentColor;background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E");background-position:50%;background-repeat:no-repeat;background-size:cover;border-color:transparent}.checkbox:indeterminate,.fake-checkbox-indeterminate{background-color:currentColor;background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E");background-position:50%;background-repeat:no-repeat;background-size:cover;border-color:transparent}html.dark .checkbox:indeterminate,html.dark .fake-checkbox-indeterminate{background-color:rgba(var(--colors-primary-500));background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E")}html.dark .checkbox:checked,html.dark .fake-checkbox-checked{background-color:rgba(var(--colors-primary-500));background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E")}.form-file{position:relative}.form-file-input{height:.1px;opacity:0;overflow:hidden;position:absolute;width:.1px;z-index:-1}.form-file-input+.form-file-btn:hover,.form-file-input:focus+.form-file-btn{background-color:rgba(var(--colors-primary-600));cursor:pointer}:root{accent-color:rgba(var(--colors-primary-500))}.visually-hidden{clip:rect(1px,1px,1px,1px);height:1px;overflow:hidden;position:absolute!important;width:1px}.visually-hidden:is(:focus,:focus-within)+label{outline:thin dotted}.v-popper--theme-Nova .v-popper__inner{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-gray-500))!important}:is(.dark .v-popper--theme-Nova .v-popper__inner){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity))!important}.v-popper--theme-Nova .v-popper__arrow-inner,.v-popper--theme-Nova .v-popper__arrow-outer{visibility:hidden}.v-popper--theme-tooltip .v-popper__inner{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-gray-500))!important}:is(.dark .v-popper--theme-tooltip .v-popper__inner){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity))!important}.v-popper--theme-tooltip .v-popper__arrow-outer{--tw-border-opacity:1!important;border-color:rgb(255 255 255/var(--tw-border-opacity))!important;visibility:hidden}.v-popper--theme-tooltip .v-popper__arrow-inner{visibility:hidden}.v-popper--theme-plain .v-popper__inner{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;border-radius:.5rem!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-gray-500))!important}:is(.dark .v-popper--theme-plain .v-popper__inner){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity))!important}.v-popper--theme-plain .v-popper__arrow-inner,.v-popper--theme-plain .v-popper__arrow-outer{visibility:hidden}.help-text{color:rgba(var(--colors-gray-500));font-size:.75rem;font-style:italic;line-height:1rem;line-height:1.5}.help-text-error{color:rgba(var(--colors-red-500))}.help-text a{color:rgba(var(--colors-primary-500));text-decoration-line:none}.toasted.alive{background-color:#fff;border-radius:2px;box-shadow:0 12px 44px 0 rgba(10,21,84,.24);color:#007fff;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.alive.success{color:#4caf50}.toasted.alive.error{color:#f44336}.toasted.alive.info{color:#3f51b5}.toasted.alive .action{color:#007fff}.toasted.alive .material-icons{color:#ffc107}.toasted.material{background-color:#353535;border-radius:2px;box-shadow:0 1px 3px rgba(0,0,0,.12),0 1px 2px rgba(0,0,0,.24);color:#fff;font-size:100%;font-weight:300;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.material.success{color:#4caf50}.toasted.material.error{color:#f44336}.toasted.material.info{color:#3f51b5}.toasted.material .action{color:#a1c2fa}.toasted.colombo{background:#fff;border:2px solid #7492b1;border-radius:6px;color:#7492b1;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.colombo:after{background-color:#5e7b9a;border-radius:100%;content:"";height:8px;position:absolute;top:-4px;width:8px}[dir=ltr] .toasted.colombo:after{left:-5px}[dir=rtl] .toasted.colombo:after{right:-5px}.toasted.colombo.success{color:#4caf50}.toasted.colombo.error{color:#f44336}.toasted.colombo.info{color:#3f51b5}.toasted.colombo .action{color:#007fff}.toasted.colombo .material-icons{color:#5dcccd}.toasted.bootstrap{background-color:#f9fbfd;border:1px solid #d9edf7;border-radius:.25rem;box-shadow:0 1px 3px rgba(0,0,0,.07);color:#31708f;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.bootstrap.success{background-color:#dff0d8;border-color:#d0e9c6;color:#3c763d}.toasted.bootstrap.error{background-color:#f2dede;border-color:#f2dede;color:#a94442}.toasted.bootstrap.info{background-color:#d9edf7;border-color:#d9edf7;color:#31708f}.toasted.venice{border-radius:30px;box-shadow:0 12px 44px 0 rgba(10,21,84,.24);color:#fff;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}[dir=ltr] .toasted.venice{background:linear-gradient(85deg,#5861bf,#a56be2)}[dir=rtl] .toasted.venice{background:linear-gradient(-85deg,#5861bf,#a56be2)}.toasted.venice.success{color:#4caf50}.toasted.venice.error{color:#f44336}.toasted.venice.info{color:#3f51b5}.toasted.venice .action{color:#007fff}.toasted.venice .material-icons{color:#fff}.toasted.bulma{background-color:#00d1b2;border-radius:3px;color:#fff;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.bulma.success{background-color:#23d160;color:#fff}.toasted.bulma.error{background-color:#ff3860;color:#a94442}.toasted.bulma.info{background-color:#3273dc;color:#fff}.toasted-container{position:fixed;z-index:10000}.toasted-container,.toasted-container.full-width{display:flex;flex-direction:column}.toasted-container.full-width{max-width:86%;width:100%}.toasted-container.full-width.fit-to-screen{min-width:100%}.toasted-container.full-width.fit-to-screen .toasted:first-child{margin-top:0}.toasted-container.full-width.fit-to-screen.top-right{top:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.top-right{right:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.top-right{left:0}.toasted-container.full-width.fit-to-screen.top-left{top:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.top-left{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.top-left{right:0}.toasted-container.full-width.fit-to-screen.top-center{top:0;transform:translateX(0)}[dir=ltr] .toasted-container.full-width.fit-to-screen.top-center{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.top-center{right:0}.toasted-container.full-width.fit-to-screen.bottom-right{bottom:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.bottom-right{right:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.bottom-right{left:0}.toasted-container.full-width.fit-to-screen.bottom-left{bottom:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.bottom-left{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.bottom-left{right:0}.toasted-container.full-width.fit-to-screen.bottom-center{bottom:0;transform:translateX(0)}[dir=ltr] .toasted-container.full-width.fit-to-screen.bottom-center{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.bottom-center{right:0}.toasted-container.top-right{top:10%}[dir=ltr] .toasted-container.top-right{right:7%}[dir=rtl] .toasted-container.top-right{left:7%}.toasted-container.top-right:not(.full-width){align-items:flex-end}.toasted-container.top-left{top:10%}[dir=ltr] .toasted-container.top-left{left:7%}[dir=rtl] .toasted-container.top-left{right:7%}.toasted-container.top-left:not(.full-width){align-items:flex-start}.toasted-container.top-center{align-items:center;top:10%}[dir=ltr] .toasted-container.top-center{left:50%;transform:translateX(-50%)}[dir=rtl] .toasted-container.top-center{right:50%;transform:translateX(50%)}.toasted-container.bottom-right{bottom:7%}[dir=ltr] .toasted-container.bottom-right{right:5%}[dir=rtl] .toasted-container.bottom-right{left:5%}.toasted-container.bottom-right:not(.full-width){align-items:flex-end}.toasted-container.bottom-left{bottom:7%}[dir=ltr] .toasted-container.bottom-left{left:5%}[dir=rtl] .toasted-container.bottom-left{right:5%}.toasted-container.bottom-left:not(.full-width){align-items:flex-start}.toasted-container.bottom-center{align-items:center;bottom:7%}[dir=ltr] .toasted-container.bottom-center{left:50%;transform:translateX(-50%)}[dir=rtl] .toasted-container.bottom-center{right:50%;transform:translateX(50%)}[dir=ltr] .toasted-container.bottom-left .toasted,[dir=ltr] .toasted-container.top-left .toasted{float:left}[dir=ltr] .toasted-container.bottom-right .toasted,[dir=ltr] .toasted-container.top-right .toasted,[dir=rtl] .toasted-container.bottom-left .toasted,[dir=rtl] .toasted-container.top-left .toasted{float:right}[dir=rtl] .toasted-container.bottom-right .toasted,[dir=rtl] .toasted-container.top-right .toasted{float:left}.toasted-container .toasted{align-items:center;box-sizing:inherit;clear:both;display:flex;height:auto;justify-content:space-between;margin-top:.8em;max-width:100%;position:relative;top:35px;width:auto;word-break:break-all}[dir=ltr] .toasted-container .toasted .material-icons{margin-left:-.4rem;margin-right:.5rem}[dir=ltr] .toasted-container .toasted .material-icons.after,[dir=rtl] .toasted-container .toasted .material-icons{margin-left:.5rem;margin-right:-.4rem}[dir=rtl] .toasted-container .toasted .material-icons.after{margin-left:-.4rem;margin-right:.5rem}[dir=ltr] .toasted-container .toasted .actions-wrapper{margin-left:.4em;margin-right:-1.2em}[dir=rtl] .toasted-container .toasted .actions-wrapper{margin-left:-1.2em;margin-right:.4em}.toasted-container .toasted .actions-wrapper .action{border-radius:3px;cursor:pointer;font-size:.9rem;font-weight:600;letter-spacing:.03em;padding:8px;text-decoration:none;text-transform:uppercase}[dir=ltr] .toasted-container .toasted .actions-wrapper .action{margin-right:.2rem}[dir=rtl] .toasted-container .toasted .actions-wrapper .action{margin-left:.2rem}.toasted-container .toasted .actions-wrapper .action.icon{align-items:center;display:flex;justify-content:center;padding:4px}[dir=ltr] .toasted-container .toasted .actions-wrapper .action.icon .material-icons{margin-left:4px;margin-right:0}[dir=rtl] .toasted-container .toasted .actions-wrapper .action.icon .material-icons{margin-left:0;margin-right:4px}.toasted-container .toasted .actions-wrapper .action.icon:hover{text-decoration:none}.toasted-container .toasted .actions-wrapper .action:hover{text-decoration:underline}@media only screen and (max-width:600px){#toasted-container{min-width:100%}#toasted-container .toasted:first-child{margin-top:0}#toasted-container.top-right{top:0}[dir=ltr] #toasted-container.top-right{right:0}[dir=rtl] #toasted-container.top-right{left:0}#toasted-container.top-left{top:0}[dir=ltr] #toasted-container.top-left{left:0}[dir=rtl] #toasted-container.top-left{right:0}#toasted-container.top-center{top:0;transform:translateX(0)}[dir=ltr] #toasted-container.top-center{left:0}[dir=rtl] #toasted-container.top-center{right:0}#toasted-container.bottom-right{bottom:0}[dir=ltr] #toasted-container.bottom-right{right:0}[dir=rtl] #toasted-container.bottom-right{left:0}#toasted-container.bottom-left{bottom:0}[dir=ltr] #toasted-container.bottom-left{left:0}[dir=rtl] #toasted-container.bottom-left{right:0}#toasted-container.bottom-center{bottom:0;transform:translateX(0)}[dir=ltr] #toasted-container.bottom-center{left:0}[dir=rtl] #toasted-container.bottom-center{right:0}#toasted-container.bottom-center,#toasted-container.top-center{align-items:stretch!important}#toasted-container.bottom-left .toasted,#toasted-container.bottom-right .toasted,#toasted-container.top-left .toasted,#toasted-container.top-right .toasted{float:none}#toasted-container .toasted{border-radius:0}}.link-default{border-radius:.25rem;color:rgba(var(--colors-primary-500));font-weight:700;text-decoration-line:none}.link-default:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-200));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}.link-default:hover{color:rgba(var(--colors-primary-400))}.link-default:active{color:rgba(var(--colors-primary-600))}:is(.dark .link-default){--tw-ring-color:rgba(var(--colors-gray-600))}.link-default-error{border-radius:.25rem;color:rgba(var(--colors-red-500));font-weight:700;text-decoration-line:none}.link-default-error:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-red-200));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}.link-default-error:hover{color:rgba(var(--colors-red-400))}.link-default-error:active{color:rgba(var(--colors-red-600))}:is(.dark .link-default-error){--tw-ring-color:rgba(var(--colors-gray-600))}.field-wrapper:last-child{border-style:none}.chartist-tooltip{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;border-radius:.25rem!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-primary-500))!important;font-family:Nunito Sans,ui-sans-serif,system-ui,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji!important}:is(.dark .chartist-tooltip){background-color:rgba(var(--colors-gray-900))!important}.chartist-tooltip{min-width:0!important;padding:.2em 1em!important;white-space:nowrap}.chartist-tooltip:before{border-top-color:rgba(var(--colors-white),1)!important;display:none}.ct-chart-line .ct-series-a .ct-area,.ct-chart-line .ct-series-a .ct-slice-donut-solid,.ct-chart-line .ct-series-a .ct-slice-pie{fill:rgba(var(--colors-primary-500))!important}.ct-series-b .ct-area,.ct-series-b .ct-slice-donut-solid,.ct-series-b .ct-slice-pie{fill:#f99037!important}.ct-series-c .ct-area,.ct-series-c .ct-slice-donut-solid,.ct-series-c .ct-slice-pie{fill:#f2cb22!important}.ct-series-d .ct-area,.ct-series-d .ct-slice-donut-solid,.ct-series-d .ct-slice-pie{fill:#8fc15d!important}.ct-series-e .ct-area,.ct-series-e .ct-slice-donut-solid,.ct-series-e .ct-slice-pie{fill:#098f56!important}.ct-series-f .ct-area,.ct-series-f .ct-slice-donut-solid,.ct-series-f .ct-slice-pie{fill:#47c1bf!important}.ct-series-g .ct-area,.ct-series-g .ct-slice-donut-solid,.ct-series-g .ct-slice-pie{fill:#1693eb!important}.ct-series-h .ct-area,.ct-series-h .ct-slice-donut-solid,.ct-series-h .ct-slice-pie{fill:#6474d7!important}.ct-series-i .ct-area,.ct-series-i .ct-slice-donut-solid,.ct-series-i .ct-slice-pie{fill:#9c6ade!important}.ct-series-j .ct-area,.ct-series-j .ct-slice-donut-solid,.ct-series-j .ct-slice-pie{fill:#e471de!important}.ct-series-a .ct-bar,.ct-series-a .ct-line,.ct-series-a .ct-point{stroke:rgba(var(--colors-primary-500))!important;stroke-width:2px}.ct-series-a .ct-area,.ct-series-a .ct-slice-pie{fill:rgba(var(--colors-primary-500))!important}.ct-point{stroke:rgba(var(--colors-primary-500))!important;stroke-width:6px!important}trix-editor{border-radius:.5rem}:is(.dark trix-editor){background-color:rgba(var(--colors-gray-900));border-color:rgba(var(--colors-gray-700))}trix-editor{--tw-ring-color:rgba(var(--colors-primary-100))}trix-editor:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}:is(.dark trix-editor){--tw-ring-color:rgba(var(--colors-gray-700))}:is(.dark trix-editor:focus){background-color:rgba(var(--colors-gray-900))}.disabled trix-editor,.disabled trix-toolbar{pointer-events:none}.disabled trix-editor{background-color:rgba(var(--colors-gray-50),1)}.dark .disabled trix-editor{background-color:rgba(var(--colors-gray-700),1)}.disabled trix-toolbar{display:none!important}trix-editor:empty:not(:focus):before{color:rgba(var(--colors-gray-500),1)}trix-editor.disabled{pointer-events:none}:is(.dark trix-toolbar .trix-button-row .trix-button-group){border-color:rgba(var(--colors-gray-900))}:is(.dark trix-toolbar .trix-button-row .trix-button-group .trix-button){background-color:rgba(var(--colors-gray-400));border-color:rgba(var(--colors-gray-900))}:is(.dark trix-toolbar .trix-button-row .trix-button-group .trix-button:hover){background-color:rgba(var(--colors-gray-300))}:is(.dark trix-toolbar .trix-button-row .trix-button-group .trix-button.trix-active){background-color:rgba(var(--colors-gray-500))}.modal .ap-dropdown-menu{position:relative!important}.key-value-items:last-child{background-clip:border-box;border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem;border-bottom-width:0}.key-value-items .key-value-item:last-child>.key-value-fields{border-bottom:none}.CodeMirror{background:unset!important;box-sizing:border-box;color:#fff!important;color:rgba(var(--colors-gray-500))!important;font:14px/1.5 Menlo,Consolas,Monaco,Andale Mono,monospace;height:auto;margin:auto;min-height:50px;position:relative;width:100%;z-index:0}:is(.dark .CodeMirror){color:rgba(var(--colors-gray-200))!important}.readonly>.CodeMirror{background-color:rgba(var(--colors-gray-100))!important}.CodeMirror-wrap{padding:.5rem 0}.markdown-fullscreen .markdown-content{height:calc(100vh - 30px)}.markdown-fullscreen .CodeMirror{height:100%}.CodeMirror-cursor{border-left:1px solid #000}:is(.dark .CodeMirror-cursor){--tw-border-opacity:1;border-color:rgb(255 255 255/var(--tw-border-opacity))}.cm-fat-cursor .CodeMirror-cursor{--tw-text-opacity:1;color:rgb(0 0 0/var(--tw-text-opacity))}:is(.dark .cm-fat-cursor .CodeMirror-cursor){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.cm-s-default .cm-header{color:rgba(var(--colors-gray-600))}:is(.dark .cm-s-default .cm-header){color:rgba(var(--colors-gray-300))}.cm-s-default .cm-comment,.cm-s-default .cm-quote,.cm-s-default .cm-string,.cm-s-default .cm-variable-2{color:rgba(var(--colors-gray-600))}:is(.dark .cm-s-default .cm-comment),:is(.dark .cm-s-default .cm-quote),:is(.dark .cm-s-default .cm-string),:is(.dark .cm-s-default .cm-variable-2){color:rgba(var(--colors-gray-300))}.cm-s-default .cm-link,.cm-s-default .cm-url{color:rgba(var(--colors-gray-500))}:is(.dark .cm-s-default .cm-link),:is(.dark .cm-s-default .cm-url){color:rgba(var(--colors-primary-400))}#nprogress{pointer-events:none}#nprogress .bar{background:rgba(var(--colors-primary-500),1);height:2px;position:fixed;top:0;width:100%;z-index:1031}[dir=ltr] #nprogress .bar{left:0}[dir=rtl] #nprogress .bar{right:0}.ap-footer-algolia svg,.ap-footer-osm svg{display:inherit}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}.sr-only{clip:rect(0,0,0,0);border-width:0;height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.pointer-events-none{pointer-events:none}.visible{visibility:visible}.invisible{visibility:hidden}.collapse{visibility:collapse}.static{position:static}.fixed{position:fixed}.absolute{position:absolute}.relative{position:relative}.inset-0{inset:0}[dir=ltr] .-right-\[50px\]{right:-50px}[dir=rtl] .-right-\[50px\]{left:-50px}.bottom-0{bottom:0}[dir=ltr] .left-0{left:0}[dir=rtl] .left-0{right:0}[dir=ltr] .left-\[15px\]{left:15px}[dir=rtl] .left-\[15px\]{right:15px}[dir=ltr] .right-0{right:0}[dir=rtl] .right-0{left:0}[dir=ltr] .right-\[-9px\]{right:-9px}[dir=rtl] .right-\[-9px\]{left:-9px}[dir=ltr] .right-\[11px\]{right:11px}[dir=rtl] .right-\[11px\]{left:11px}[dir=ltr] .right-\[16px\]{right:16px}[dir=rtl] .right-\[16px\]{left:16px}[dir=ltr] .right-\[3px\]{right:3px}[dir=rtl] .right-\[3px\]{left:3px}[dir=ltr] .right-\[4px\]{right:4px}[dir=rtl] .right-\[4px\]{left:4px}.top-0{top:0}.top-\[-10px\]{top:-10px}.top-\[-5px\]{top:-5px}.top-\[11px\]{top:11px}.top-\[13px\]{top:13px}.top-\[15px\]{top:15px}.top-\[20px\]{top:20px}.top-\[9px\]{top:9px}.isolate{isolation:isolate}.z-0{z-index:0}.z-10{z-index:10}.z-20{z-index:20}.z-30{z-index:30}.z-50{z-index:50}.z-\[35\]{z-index:35}.z-\[40\]{z-index:40}.z-\[49\]{z-index:49}.z-\[50\]{z-index:50}.z-\[55\]{z-index:55}.z-\[60\]{z-index:60}.m-0{margin:0}.-mx-2{margin-left:-.5rem;margin-right:-.5rem}.-mx-3{margin-left:-.75rem;margin-right:-.75rem}.-mx-6{margin-left:-1.5rem;margin-right:-1.5rem}.mx-0{margin-left:0;margin-right:0}.mx-2{margin-left:.5rem;margin-right:.5rem}.mx-4{margin-left:1rem;margin-right:1rem}.mx-auto{margin-left:auto;margin-right:auto}.my-1{margin-bottom:.25rem;margin-top:.25rem}.-mb-2{margin-bottom:-.5rem}[dir=ltr] .-ml-1{margin-left:-.25rem}[dir=rtl] .-ml-1{margin-right:-.25rem}[dir=ltr] .-ml-\[4px\]{margin-left:-4px}[dir=rtl] .-ml-\[4px\]{margin-right:-4px}[dir=ltr] .-mr-12{margin-right:-3rem}[dir=rtl] .-mr-12{margin-left:-3rem}[dir=ltr] .-mr-2{margin-right:-.5rem}[dir=rtl] .-mr-2{margin-left:-.5rem}[dir=ltr] .-mr-px{margin-right:-1px}[dir=rtl] .-mr-px{margin-left:-1px}.-mt-2{margin-top:-.5rem}.mb-1{margin-bottom:.25rem}.mb-2{margin-bottom:.5rem}.mb-3{margin-bottom:.75rem}.mb-4{margin-bottom:1rem}.mb-5{margin-bottom:1.25rem}.mb-6{margin-bottom:1.5rem}.mb-8{margin-bottom:2rem}[dir=ltr] .ml-0{margin-left:0}[dir=rtl] .ml-0{margin-right:0}[dir=ltr] .ml-1{margin-left:.25rem}[dir=rtl] .ml-1{margin-right:.25rem}[dir=ltr] .ml-12{margin-left:3rem}[dir=rtl] .ml-12{margin-right:3rem}[dir=ltr] .ml-2{margin-left:.5rem}[dir=rtl] .ml-2{margin-right:.5rem}[dir=ltr] .ml-3{margin-left:.75rem}[dir=rtl] .ml-3{margin-right:.75rem}[dir=ltr] .ml-auto{margin-left:auto}[dir=rtl] .ml-auto{margin-right:auto}[dir=ltr] .mr-0{margin-right:0}[dir=rtl] .mr-0{margin-left:0}[dir=ltr] .mr-1{margin-right:.25rem}[dir=rtl] .mr-1{margin-left:.25rem}[dir=ltr] .mr-11{margin-right:2.75rem}[dir=rtl] .mr-11{margin-left:2.75rem}[dir=ltr] .mr-2{margin-right:.5rem}[dir=rtl] .mr-2{margin-left:.5rem}[dir=ltr] .mr-3{margin-right:.75rem}[dir=rtl] .mr-3{margin-left:.75rem}[dir=ltr] .mr-4{margin-right:1rem}[dir=rtl] .mr-4{margin-left:1rem}[dir=ltr] .mr-6{margin-right:1.5rem}[dir=rtl] .mr-6{margin-left:1.5rem}[dir=ltr] .mr-auto{margin-right:auto}[dir=rtl] .mr-auto{margin-left:auto}.mt-1{margin-top:.25rem}.mt-2{margin-top:.5rem}.mt-3{margin-top:.75rem}.mt-6{margin-top:1.5rem}.mt-8{margin-top:2rem}.mt-auto{margin-top:auto}.block{display:block}.inline-block{display:inline-block}.inline{display:inline}.flex{display:flex}.inline-flex{display:inline-flex}.table{display:table}.grid{display:grid}.contents{display:contents}.hidden{display:none}.aspect-auto{aspect-ratio:auto}.aspect-square{aspect-ratio:1/1}.h-10{height:2.5rem}.h-11{height:2.75rem}.h-12{height:3rem}.h-14{height:3.5rem}.h-2{height:.5rem}.h-3{height:.75rem}.h-4{height:1rem}.h-5{height:1.25rem}.h-6{height:1.5rem}.h-7{height:1.75rem}.h-8{height:2rem}.h-9{height:2.25rem}.h-\[20px\]{height:20px}.h-\[5px\]{height:5px}.h-\[90px\]{height:90px}.h-auto{height:auto}.h-full{height:100%}.h-screen{height:100vh}.max-h-\[90px\]{max-height:90px}.max-h-\[calc\(100vh-5em\)\]{max-height:calc(100vh - 5em)}.min-h-40{min-height:10rem}.min-h-6{min-height:1.5rem}.min-h-8{min-height:2rem}.min-h-\[10rem\]{min-height:10rem}.min-h-\[90px\]{min-height:90px}.min-h-full{min-height:100%}.w-1\/2{width:50%}.w-1\/5{width:20%}.w-10{width:2.5rem}.w-11{width:2.75rem}.w-12{width:3rem}.w-14{width:3.5rem}.w-2{width:.5rem}.w-3{width:.75rem}.w-4{width:1rem}.w-48{width:12rem}.w-5{width:1.25rem}.w-6{width:1.5rem}.w-60{width:15rem}.w-7{width:1.75rem}.w-8{width:2rem}.w-9{width:2.25rem}.w-\[1\%\]{width:1%}.w-\[20rem\]{width:20rem}.w-\[21px\]{width:21px}.w-\[25rem\]{width:25rem}.w-\[5px\]{width:5px}.w-\[6rem\]{width:6rem}.w-\[90px\]{width:90px}.w-full{width:100%}.w-px{width:1px}.min-w-9{min-width:2.25rem}.min-w-\[24rem\]{min-width:24rem}.min-w-\[26px\]{min-width:26px}.\!max-w-full{max-width:100%!important}.max-w-2xl{max-width:42rem}.max-w-3xl{max-width:48rem}.max-w-4xl{max-width:56rem}.max-w-5xl{max-width:64rem}.max-w-6xl{max-width:72rem}.max-w-7xl{max-width:80rem}.max-w-\[25rem\]{max-width:25rem}.max-w-\[6rem\]{max-width:6rem}.max-w-lg{max-width:32rem}.max-w-md{max-width:28rem}.max-w-none{max-width:none}.max-w-sm{max-width:24rem}.max-w-xl{max-width:36rem}.max-w-xs{max-width:20rem}.max-w-xxs{max-width:15rem}.flex-1{flex:1 1 0%}.flex-auto{flex:1 1 auto}.flex-none{flex:none}.flex-shrink,.shrink{flex-shrink:1}.shrink-0{flex-shrink:0}.flex-grow{flex-grow:1}.rotate-90{--tw-rotate:90deg}.rotate-90,.transform{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}@keyframes spin{to{transform:rotate(1turn)}}.animate-spin{animation:spin 1s linear infinite}.\!cursor-default{cursor:default!important}.cursor-default{cursor:default}.cursor-not-allowed{cursor:not-allowed}.cursor-pointer{cursor:pointer}.cursor-text{cursor:text}.select-none{-webkit-user-select:none;-moz-user-select:none;user-select:none}.resize-none{resize:none}.appearance-none{-webkit-appearance:none;-moz-appearance:none;appearance:none}.grid-cols-4{grid-template-columns:repeat(4,minmax(0,1fr))}.flex-row{flex-direction:row}.flex-col{flex-direction:column}.flex-wrap{flex-wrap:wrap}.content-center{align-content:center}.items-start{align-items:flex-start}.items-center{align-items:center}.items-stretch{align-items:stretch}.justify-start{justify-content:flex-start}.justify-end{justify-content:flex-end}.justify-center{justify-content:center}.justify-between{justify-content:space-between}.gap-1{gap:.25rem}.gap-2{gap:.5rem}.gap-4{gap:1rem}.gap-6{gap:1.5rem}.gap-x-6{-moz-column-gap:1.5rem;column-gap:1.5rem}.gap-y-2{row-gap:.5rem}.space-x-0>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-0>:not([hidden])~:not([hidden]){margin-left:calc(0px*(1 - var(--tw-space-x-reverse)));margin-right:calc(0px*var(--tw-space-x-reverse))}[dir=rtl] .space-x-0>:not([hidden])~:not([hidden]){margin-left:calc(0px*var(--tw-space-x-reverse));margin-right:calc(0px*(1 - var(--tw-space-x-reverse)))}.space-x-1>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-1>:not([hidden])~:not([hidden]){margin-left:calc(.25rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.25rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-1>:not([hidden])~:not([hidden]){margin-left:calc(.25rem*var(--tw-space-x-reverse));margin-right:calc(.25rem*(1 - var(--tw-space-x-reverse)))}.space-x-2>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-2>:not([hidden])~:not([hidden]){margin-left:calc(.5rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.5rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-2>:not([hidden])~:not([hidden]){margin-left:calc(.5rem*var(--tw-space-x-reverse));margin-right:calc(.5rem*(1 - var(--tw-space-x-reverse)))}.space-x-3>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.75rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*var(--tw-space-x-reverse));margin-right:calc(.75rem*(1 - var(--tw-space-x-reverse)))}.space-x-4>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-4>:not([hidden])~:not([hidden]){margin-left:calc(1rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(1rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-4>:not([hidden])~:not([hidden]){margin-left:calc(1rem*var(--tw-space-x-reverse));margin-right:calc(1rem*(1 - var(--tw-space-x-reverse)))}.space-y-1>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.25rem*var(--tw-space-y-reverse));margin-top:calc(.25rem*(1 - var(--tw-space-y-reverse)))}.space-y-2>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.5rem*var(--tw-space-y-reverse));margin-top:calc(.5rem*(1 - var(--tw-space-y-reverse)))}.space-y-3>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.75rem*var(--tw-space-y-reverse));margin-top:calc(.75rem*(1 - var(--tw-space-y-reverse)))}.space-y-4>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1rem*var(--tw-space-y-reverse));margin-top:calc(1rem*(1 - var(--tw-space-y-reverse)))}.space-y-6>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1.5rem*var(--tw-space-y-reverse));margin-top:calc(1.5rem*(1 - var(--tw-space-y-reverse)))}.space-y-8>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(2rem*var(--tw-space-y-reverse));margin-top:calc(2rem*(1 - var(--tw-space-y-reverse)))}.divide-x>:not([hidden])~:not([hidden]){--tw-divide-x-reverse:0}[dir=ltr] .divide-x>:not([hidden])~:not([hidden]){border-left-width:calc(1px*(1 - var(--tw-divide-x-reverse)));border-right-width:calc(1px*var(--tw-divide-x-reverse))}[dir=rtl] .divide-x>:not([hidden])~:not([hidden]){border-left-width:calc(1px*var(--tw-divide-x-reverse));border-right-width:calc(1px*(1 - var(--tw-divide-x-reverse)))}.divide-y>:not([hidden])~:not([hidden]){--tw-divide-y-reverse:0;border-bottom-width:calc(1px*var(--tw-divide-y-reverse));border-top-width:calc(1px*(1 - var(--tw-divide-y-reverse)))}.divide-solid>:not([hidden])~:not([hidden]){border-style:solid}.divide-gray-100>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-100))}.divide-gray-200>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-200))}.divide-gray-700>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-700))}.overflow-auto{overflow:auto}.overflow-hidden{overflow:hidden}.overflow-x-auto{overflow-x:auto}.overflow-y-auto{overflow-y:auto}.overflow-x-hidden{overflow-x:hidden}.overflow-y-hidden{overflow-y:hidden}.overflow-y-scroll{overflow-y:scroll}.truncate{overflow:hidden;text-overflow:ellipsis}.truncate,.whitespace-nowrap{white-space:nowrap}.whitespace-pre-wrap{white-space:pre-wrap}.break-normal{overflow-wrap:normal;word-break:normal}.break-words{overflow-wrap:break-word}.break-all{word-break:break-all}.\!rounded{border-radius:.25rem!important}.rounded{border-radius:.25rem}.rounded-full{border-radius:9999px}.rounded-lg{border-radius:.5rem}.rounded-none{border-radius:0}.rounded-b{border-bottom-left-radius:.25rem;border-bottom-right-radius:.25rem}.rounded-b-lg{border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem}[dir=ltr] .rounded-l-none{border-bottom-left-radius:0;border-top-left-radius:0}[dir=ltr] .rounded-r-none,[dir=rtl] .rounded-l-none{border-bottom-right-radius:0;border-top-right-radius:0}[dir=rtl] .rounded-r-none{border-bottom-left-radius:0;border-top-left-radius:0}.rounded-t{border-top-left-radius:.25rem;border-top-right-radius:.25rem}.rounded-t-lg{border-top-left-radius:.5rem;border-top-right-radius:.5rem}[dir=ltr] .rounded-bl-lg{border-bottom-left-radius:.5rem}[dir=ltr] .rounded-br-lg,[dir=rtl] .rounded-bl-lg{border-bottom-right-radius:.5rem}[dir=rtl] .rounded-br-lg{border-bottom-left-radius:.5rem}.border{border-width:1px}.border-2{border-width:2px}.border-4{border-width:4px}.border-\[3px\]{border-width:3px}.border-b{border-bottom-width:1px}[dir=ltr] .border-l{border-left-width:1px}[dir=ltr] .border-r,[dir=rtl] .border-l{border-right-width:1px}[dir=rtl] .border-r{border-left-width:1px}[dir=ltr] .border-r-0{border-right-width:0}[dir=rtl] .border-r-0{border-left-width:0}.border-t{border-top-width:1px}.border-dashed{border-style:dashed}.border-none{border-style:none}.border-gray-100{border-color:rgba(var(--colors-gray-100))}.border-gray-200{border-color:rgba(var(--colors-gray-200))}.border-gray-300{border-color:rgba(var(--colors-gray-300))}.border-gray-600{border-color:rgba(var(--colors-gray-600))}.border-gray-700{border-color:rgba(var(--colors-gray-700))}.border-gray-950\/20{border-color:rgba(var(--colors-gray-950),.2)}.border-primary-300{border-color:rgba(var(--colors-primary-300))}.border-primary-500{border-color:rgba(var(--colors-primary-500))}.border-red-500{border-color:rgba(var(--colors-red-500))}.border-transparent{border-color:transparent}.border-white{--tw-border-opacity:1;border-color:rgb(255 255 255/var(--tw-border-opacity))}.\!bg-gray-600{background-color:rgba(var(--colors-gray-600))!important}.bg-black{--tw-bg-opacity:1;background-color:rgb(0 0 0/var(--tw-bg-opacity))}.bg-gray-100{background-color:rgba(var(--colors-gray-100))}.bg-gray-200{background-color:rgba(var(--colors-gray-200))}.bg-gray-300{background-color:rgba(var(--colors-gray-300))}.bg-gray-50{background-color:rgba(var(--colors-gray-50))}.bg-gray-500\/75{background-color:rgba(var(--colors-gray-500),.75)}.bg-gray-600\/75{background-color:rgba(var(--colors-gray-600),.75)}.bg-gray-700{background-color:rgba(var(--colors-gray-700))}.bg-gray-800{background-color:rgba(var(--colors-gray-800))}.bg-gray-900{background-color:rgba(var(--colors-gray-900))}.bg-gray-950{background-color:rgba(var(--colors-gray-950))}.bg-green-100{background-color:rgba(var(--colors-green-100))}.bg-green-300{background-color:rgba(var(--colors-green-300))}.bg-green-500{background-color:rgba(var(--colors-green-500))}.bg-primary-100{background-color:rgba(var(--colors-primary-100))}.bg-primary-50{background-color:rgba(var(--colors-primary-50))}.bg-primary-500{background-color:rgba(var(--colors-primary-500))}.bg-primary-900{background-color:rgba(var(--colors-primary-900))}.bg-red-100{background-color:rgba(var(--colors-red-100))}.bg-red-50{background-color:rgba(var(--colors-red-50))}.bg-red-50\/25{background-color:rgba(var(--colors-red-50),.25)}.bg-red-500{background-color:rgba(var(--colors-red-500))}.bg-sky-100{background-color:rgba(var(--colors-sky-100))}.bg-transparent{background-color:transparent}.bg-white{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity))}.bg-white\/75{background-color:hsla(0,0%,100%,.75)}.bg-yellow-100{background-color:rgba(var(--colors-yellow-100))}.bg-yellow-300{background-color:rgba(var(--colors-yellow-300))}.bg-yellow-500{background-color:rgba(var(--colors-yellow-500))}.bg-clip-border{background-clip:border-box}.fill-current{fill:currentColor}.fill-gray-300{fill:rgba(var(--colors-gray-300))}.fill-gray-500{fill:rgba(var(--colors-gray-500))}.stroke-current{stroke:currentColor}.object-scale-down{-o-object-fit:scale-down;object-fit:scale-down}.p-0{padding:0}.p-1{padding:.25rem}.p-2{padding:.5rem}.p-3{padding:.75rem}.p-4{padding:1rem}.p-6{padding:1.5rem}.p-8{padding:2rem}.p-\[0px\]{padding:0}.\!px-3{padding-left:.75rem!important;padding-right:.75rem!important}.px-0{padding-left:0;padding-right:0}.px-1{padding-left:.25rem;padding-right:.25rem}.px-1\.5{padding-left:.375rem;padding-right:.375rem}.px-2{padding-left:.5rem;padding-right:.5rem}.px-3{padding-left:.75rem;padding-right:.75rem}.px-4{padding-left:1rem;padding-right:1rem}.px-6{padding-left:1.5rem;padding-right:1.5rem}.px-8{padding-left:2rem;padding-right:2rem}.py-0{padding-bottom:0;padding-top:0}.py-0\.5{padding-bottom:.125rem;padding-top:.125rem}.py-1{padding-bottom:.25rem;padding-top:.25rem}.py-1\.5{padding-bottom:.375rem;padding-top:.375rem}.py-12{padding-bottom:3rem;padding-top:3rem}.py-2{padding-bottom:.5rem;padding-top:.5rem}.py-3{padding-bottom:.75rem;padding-top:.75rem}.py-4{padding-bottom:1rem;padding-top:1rem}.py-5{padding-bottom:1.25rem;padding-top:1.25rem}.py-6{padding-bottom:1.5rem;padding-top:1.5rem}.py-8{padding-bottom:2rem;padding-top:2rem}[dir=ltr] .\!pl-2{padding-left:.5rem!important}[dir=rtl] .\!pl-2{padding-right:.5rem!important}[dir=ltr] .\!pr-1{padding-right:.25rem!important}[dir=rtl] .\!pr-1{padding-left:.25rem!important}.pb-2{padding-bottom:.5rem}.pb-24{padding-bottom:6rem}.pb-3{padding-bottom:.75rem}.pb-4{padding-bottom:1rem}[dir=ltr] .pl-1{padding-left:.25rem}[dir=rtl] .pl-1{padding-right:.25rem}[dir=ltr] .pl-10{padding-left:2.5rem}[dir=rtl] .pl-10{padding-right:2.5rem}[dir=ltr] .pl-3{padding-left:.75rem}[dir=rtl] .pl-3{padding-right:.75rem}[dir=ltr] .pl-5{padding-left:1.25rem}[dir=rtl] .pl-5{padding-right:1.25rem}[dir=ltr] .pl-6{padding-left:1.5rem}[dir=rtl] .pl-6{padding-right:1.5rem}[dir=ltr] .pr-2{padding-right:.5rem}[dir=rtl] .pr-2{padding-left:.5rem}[dir=ltr] .pr-3{padding-right:.75rem}[dir=rtl] .pr-3{padding-left:.75rem}[dir=ltr] .pr-4{padding-right:1rem}[dir=rtl] .pr-4{padding-left:1rem}[dir=ltr] .pr-5{padding-right:1.25rem}[dir=rtl] .pr-5{padding-left:1.25rem}[dir=ltr] .pr-6{padding-right:1.5rem}[dir=rtl] .pr-6{padding-left:1.5rem}.pt-2{padding-top:.5rem}.pt-3{padding-top:.75rem}.pt-4{padding-top:1rem}[dir=ltr] .text-left{text-align:left}[dir=rtl] .text-left{text-align:right}.text-center{text-align:center}[dir=ltr] .text-right{text-align:right}[dir=rtl] .text-right{text-align:left}.align-middle{vertical-align:middle}.font-mono{font-family:ui-monospace,SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace}.font-sans{font-family:Nunito Sans,ui-sans-serif,system-ui,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji}.text-2xl{font-size:1.5rem;line-height:2rem}.text-3xl{font-size:1.875rem;line-height:2.25rem}.text-4xl{font-size:2.25rem;line-height:2.5rem}.text-\[5rem\]{font-size:5rem}.text-base{font-size:1rem;line-height:1.5rem}.text-lg{font-size:1.125rem;line-height:1.75rem}.text-sm{font-size:.875rem;line-height:1.25rem}.text-xl{font-size:1.25rem;line-height:1.75rem}.text-xs{font-size:.75rem;line-height:1rem}.text-xxs{font-size:11px}.font-black{font-weight:900}.font-bold{font-weight:700}.font-light{font-weight:300}.font-medium{font-weight:500}.font-normal{font-weight:400}.font-semibold{font-weight:600}.uppercase{text-transform:uppercase}.capitalize{text-transform:capitalize}.italic{font-style:italic}.leading-5{line-height:1.25rem}.leading-none{line-height:1}.leading-normal{line-height:1.5}.leading-tight{line-height:1.25}.tracking-normal{letter-spacing:0}.tracking-wide{letter-spacing:.025em}.tracking-widest{letter-spacing:.1em}.\!text-gray-400{color:rgba(var(--colors-gray-400))!important}.text-gray-200{color:rgba(var(--colors-gray-200))}.text-gray-300{color:rgba(var(--colors-gray-300))}.text-gray-400{color:rgba(var(--colors-gray-400))}.text-gray-500{color:rgba(var(--colors-gray-500))}.text-gray-600{color:rgba(var(--colors-gray-600))}.text-gray-700{color:rgba(var(--colors-gray-700))}.text-gray-800{color:rgba(var(--colors-gray-800))}.text-gray-900{color:rgba(var(--colors-gray-900))}.text-green-500{color:rgba(var(--colors-green-500))}.text-green-600{color:rgba(var(--colors-green-600))}.text-primary-500{color:rgba(var(--colors-primary-500))}.text-primary-600{color:rgba(var(--colors-primary-600))}.text-primary-800{color:rgba(var(--colors-primary-800))}.text-red-500{color:rgba(var(--colors-red-500))}.text-red-600{color:rgba(var(--colors-red-600))}.text-sky-500{color:rgba(var(--colors-sky-500))}.text-sky-600{color:rgba(var(--colors-sky-600))}.text-white{--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.text-yellow-500{color:rgba(var(--colors-yellow-500))}.text-yellow-600{color:rgba(var(--colors-yellow-600))}.no-underline{text-decoration-line:none}.antialiased{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.opacity-0{opacity:0}.opacity-100{opacity:1}.opacity-5{opacity:.05}.opacity-50{opacity:.5}.opacity-70{opacity:.7}.opacity-75{opacity:.75}.shadow{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)}.shadow,.shadow-lg{box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.shadow-lg{--tw-shadow:0 10px 15px -3px rgba(0,0,0,.1),0 4px 6px -4px rgba(0,0,0,.1);--tw-shadow-colored:0 10px 15px -3px var(--tw-shadow-color),0 4px 6px -4px var(--tw-shadow-color)}.outline-none{outline:2px solid transparent;outline-offset:2px}.outline{outline-style:solid}.ring{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring,.ring-1{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.ring-1{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring-inset{--tw-ring-inset:inset}.ring-gray-700{--tw-ring-color:rgba(var(--colors-gray-700))}.ring-gray-950\/10{--tw-ring-color:rgba(var(--colors-gray-950),0.1)}.ring-primary-100{--tw-ring-color:rgba(var(--colors-primary-100))}.ring-primary-200{--tw-ring-color:rgba(var(--colors-primary-200))}.ring-red-400{--tw-ring-color:rgba(var(--colors-red-400))}.ring-offset-2{--tw-ring-offset-width:2px}.blur{--tw-blur:blur(8px)}.blur,.filter{filter:var(--tw-blur) var(--tw-brightness) var(--tw-contrast) var(--tw-grayscale) var(--tw-hue-rotate) var(--tw-invert) var(--tw-saturate) var(--tw-sepia) var(--tw-drop-shadow)}.transition{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1)}.transition-colors{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke;transition-timing-function:cubic-bezier(.4,0,.2,1)}.duration-0{transition-duration:0s}.duration-100{transition-duration:.1s}.duration-200{transition-duration:.2s}.duration-300{transition-duration:.3s}.ease-in{transition-timing-function:cubic-bezier(.4,0,1,1)}.ease-out{transition-timing-function:cubic-bezier(0,0,.2,1)}.\@container\/modal{container-name:modal;container-type:inline-size}.\@container\/peekable{container-name:peekable;container-type:inline-size}:is(.dark .dark\:prose-invert){--tw-prose-body:var(--tw-prose-invert-body);--tw-prose-headings:var(--tw-prose-invert-headings);--tw-prose-lead:var(--tw-prose-invert-lead);--tw-prose-links:var(--tw-prose-invert-links);--tw-prose-bold:var(--tw-prose-invert-bold);--tw-prose-counters:var(--tw-prose-invert-counters);--tw-prose-bullets:var(--tw-prose-invert-bullets);--tw-prose-hr:var(--tw-prose-invert-hr);--tw-prose-quotes:var(--tw-prose-invert-quotes);--tw-prose-quote-borders:var(--tw-prose-invert-quote-borders);--tw-prose-captions:var(--tw-prose-invert-captions);--tw-prose-kbd:var(--tw-prose-invert-kbd);--tw-prose-kbd-shadows:var(--tw-prose-invert-kbd-shadows);--tw-prose-code:var(--tw-prose-invert-code);--tw-prose-pre-code:var(--tw-prose-invert-pre-code);--tw-prose-pre-bg:var(--tw-prose-invert-pre-bg);--tw-prose-th-borders:var(--tw-prose-invert-th-borders);--tw-prose-td-borders:var(--tw-prose-invert-td-borders)}.placeholder\:text-gray-400::-moz-placeholder{color:rgba(var(--colors-gray-400))}.placeholder\:text-gray-400::placeholder{color:rgba(var(--colors-gray-400))}.focus-within\:ring-2:focus-within{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus-within\:ring-primary-500:focus-within{--tw-ring-color:rgba(var(--colors-primary-500))}.hover\:border-gray-300:hover{border-color:rgba(var(--colors-gray-300))}.hover\:border-primary-500:hover{border-color:rgba(var(--colors-primary-500))}.hover\:bg-gray-100:hover{background-color:rgba(var(--colors-gray-100))}.hover\:bg-gray-200:hover{background-color:rgba(var(--colors-gray-200))}.hover\:bg-gray-50:hover{background-color:rgba(var(--colors-gray-50))}.hover\:bg-primary-400:hover{background-color:rgba(var(--colors-primary-400))}.hover\:fill-gray-700:hover{fill:rgba(var(--colors-gray-700))}.hover\:text-gray-300:hover{color:rgba(var(--colors-gray-300))}.hover\:text-gray-500:hover{color:rgba(var(--colors-gray-500))}.hover\:text-primary-400:hover{color:rgba(var(--colors-primary-400))}.hover\:text-primary-600:hover{color:rgba(var(--colors-primary-600))}.hover\:text-red-600:hover{color:rgba(var(--colors-red-600))}.hover\:opacity-50:hover{opacity:.5}.hover\:opacity-75:hover{opacity:.75}.focus\:\!border-primary-500:focus{border-color:rgba(var(--colors-primary-500))!important}.focus\:bg-gray-50:focus{background-color:rgba(var(--colors-gray-50))}.focus\:bg-white:focus{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity))}.focus\:text-primary-500:focus{color:rgba(var(--colors-primary-500))}.focus\:outline-none:focus{outline:2px solid transparent;outline-offset:2px}.focus\:ring:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.focus\:ring-2:focus,.focus\:ring:focus{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus\:ring-2:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.focus\:ring-inset:focus{--tw-ring-inset:inset}.focus\:ring-primary-200:focus{--tw-ring-color:rgba(var(--colors-primary-200))}.focus\:ring-white:focus{--tw-ring-opacity:1;--tw-ring-color:rgb(255 255 255/var(--tw-ring-opacity))}.focus\:ring-offset-4:focus{--tw-ring-offset-width:4px}.focus\:ring-offset-gray-100:focus{--tw-ring-offset-color:rgba(var(--colors-gray-100))}.active\:border-primary-400:active{border-color:rgba(var(--colors-primary-400))}.active\:bg-primary-600:active{background-color:rgba(var(--colors-primary-600))}.active\:fill-gray-800:active{fill:rgba(var(--colors-gray-800))}.active\:text-gray-500:active{color:rgba(var(--colors-gray-500))}.active\:text-gray-600:active{color:rgba(var(--colors-gray-600))}.active\:text-gray-900:active{color:rgba(var(--colors-gray-900))}.active\:text-primary-400:active{color:rgba(var(--colors-primary-400))}.active\:text-primary-600:active{color:rgba(var(--colors-primary-600))}.active\:outline-none:active{outline:2px solid transparent;outline-offset:2px}.active\:ring:active{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.enabled\:bg-gray-700\/5:enabled{background-color:rgba(var(--colors-gray-700),.05)}.disabled\:cursor-not-allowed:disabled{cursor:not-allowed}.disabled\:opacity-50:disabled{opacity:.5}.group:hover .group-hover\:bg-gray-50{background-color:rgba(var(--colors-gray-50))}.group[data-state=checked] .group-data-\[state\=checked\]\:border-primary-500,.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:border-primary-500{border-color:rgba(var(--colors-primary-500))}.group[data-state=checked] .group-data-\[state\=checked\]\:bg-primary-500,.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:bg-primary-500{background-color:rgba(var(--colors-primary-500))}.group[data-state=checked] .group-data-\[state\=checked\]\:opacity-0{opacity:0}.group[data-state=checked] .group-data-\[state\=checked\]\:opacity-100{opacity:1}.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:opacity-0{opacity:0}.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:opacity-100{opacity:1}.group[data-state=unchecked] .group-data-\[state\=unchecked\]\:opacity-0{opacity:0}.group[data-focus=true] .group-data-\[focus\=true\]\:ring-2{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.group[data-focus=true] .group-data-\[focus\=true\]\:ring-primary-500{--tw-ring-color:rgba(var(--colors-primary-500))}@container peekable (min-width: 24rem){.\@sm\/peekable\:w-1\/4{width:25%}.\@sm\/peekable\:w-3\/4{width:75%}.\@sm\/peekable\:flex-row{flex-direction:row}.\@sm\/peekable\:space-y-0>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(0px*var(--tw-space-y-reverse));margin-top:calc(0px*(1 - var(--tw-space-y-reverse)))}.\@sm\/peekable\:break-all{word-break:break-all}.\@sm\/peekable\:py-0{padding-bottom:0;padding-top:0}.\@sm\/peekable\:py-3{padding-bottom:.75rem;padding-top:.75rem}}@container modal (min-width: 28rem){.\@md\/modal\:mt-2{margin-top:.5rem}.\@md\/modal\:flex{display:flex}.\@md\/modal\:w-1\/4{width:25%}.\@md\/modal\:w-1\/5{width:20%}.\@md\/modal\:w-3\/4{width:75%}.\@md\/modal\:w-3\/5{width:60%}.\@md\/modal\:w-4\/5{width:80%}.\@md\/modal\:flex-row{flex-direction:row}.\@md\/modal\:flex-col{flex-direction:column}.\@md\/modal\:space-y-0>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(0px*var(--tw-space-y-reverse));margin-top:calc(0px*(1 - var(--tw-space-y-reverse)))}.\@md\/modal\:space-y-2>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.5rem*var(--tw-space-y-reverse));margin-top:calc(.5rem*(1 - var(--tw-space-y-reverse)))}.\@md\/modal\:\!px-4{padding-left:1rem!important;padding-right:1rem!important}.\@md\/modal\:\!px-6{padding-left:1.5rem!important;padding-right:1.5rem!important}.\@md\/modal\:px-8{padding-left:2rem;padding-right:2rem}.\@md\/modal\:py-0{padding-bottom:0;padding-top:0}.\@md\/modal\:py-3{padding-bottom:.75rem;padding-top:.75rem}}@container peekable (min-width: 28rem){.\@md\/peekable\:break-words{overflow-wrap:break-word}}@container modal (min-width: 32rem){.\@lg\/modal\:break-words{overflow-wrap:break-word}}:is(.dark .dark\:divide-gray-600)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:divide-gray-700)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:divide-gray-800)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:border-b){border-bottom-width:1px}:is(.dark .dark\:\!border-gray-500){border-color:rgba(var(--colors-gray-500))!important}:is(.dark .dark\:border-gray-500){border-color:rgba(var(--colors-gray-500))}:is(.dark .dark\:border-gray-600){border-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:border-gray-700){border-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:border-gray-800){border-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:border-gray-900){border-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:\!bg-gray-600){background-color:rgba(var(--colors-gray-600))!important}:is(.dark .dark\:bg-gray-700){background-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:bg-gray-800){background-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:bg-gray-800\/75){background-color:rgba(var(--colors-gray-800),.75)}:is(.dark .dark\:bg-gray-900){background-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:bg-gray-900\/30){background-color:rgba(var(--colors-gray-900),.3)}:is(.dark .dark\:bg-gray-900\/75){background-color:rgba(var(--colors-gray-900),.75)}:is(.dark .dark\:bg-gray-950){background-color:rgba(var(--colors-gray-950))}:is(.dark .dark\:bg-green-400){background-color:rgba(var(--colors-green-400))}:is(.dark .dark\:bg-green-500){background-color:rgba(var(--colors-green-500))}:is(.dark .dark\:bg-primary-500){background-color:rgba(var(--colors-primary-500))}:is(.dark .dark\:bg-red-400){background-color:rgba(var(--colors-red-400))}:is(.dark .dark\:bg-sky-600){background-color:rgba(var(--colors-sky-600))}:is(.dark .dark\:bg-transparent){background-color:transparent}:is(.dark .dark\:bg-yellow-300){background-color:rgba(var(--colors-yellow-300))}:is(.dark .dark\:fill-gray-300){fill:rgba(var(--colors-gray-300))}:is(.dark .dark\:fill-gray-400){fill:rgba(var(--colors-gray-400))}:is(.dark .dark\:fill-gray-500){fill:rgba(var(--colors-gray-500))}:is(.dark .dark\:text-gray-200){color:rgba(var(--colors-gray-200))}:is(.dark .dark\:text-gray-400){color:rgba(var(--colors-gray-400))}:is(.dark .dark\:text-gray-500){color:rgba(var(--colors-gray-500))}:is(.dark .dark\:text-gray-600){color:rgba(var(--colors-gray-600))}:is(.dark .dark\:text-gray-700){color:rgba(var(--colors-gray-700))}:is(.dark .dark\:text-gray-800){color:rgba(var(--colors-gray-800))}:is(.dark .dark\:text-gray-900){color:rgba(var(--colors-gray-900))}:is(.dark .dark\:text-green-900){color:rgba(var(--colors-green-900))}:is(.dark .dark\:text-primary-500){color:rgba(var(--colors-primary-500))}:is(.dark .dark\:text-primary-600){color:rgba(var(--colors-primary-600))}:is(.dark .dark\:text-red-900){color:rgba(var(--colors-red-900))}:is(.dark .dark\:text-red-950){color:rgba(var(--colors-red-950))}:is(.dark .dark\:text-sky-900){color:rgba(var(--colors-sky-900))}:is(.dark .dark\:text-white){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}:is(.dark .dark\:text-yellow-800){color:rgba(var(--colors-yellow-800))}:is(.dark .dark\:opacity-100){opacity:1}:is(.dark .dark\:ring-gray-100\/10){--tw-ring-color:rgba(var(--colors-gray-100),0.1)}:is(.dark .dark\:ring-gray-600){--tw-ring-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:ring-gray-700){--tw-ring-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:ring-red-500){--tw-ring-color:rgba(var(--colors-red-500))}:is(.dark .dark\:placeholder\:text-gray-500)::-moz-placeholder{color:rgba(var(--colors-gray-500))}:is(.dark .dark\:placeholder\:text-gray-500)::placeholder{color:rgba(var(--colors-gray-500))}:is(.dark .dark\:focus-within\:ring-gray-500:focus-within){--tw-ring-color:rgba(var(--colors-gray-500))}:is(.dark .dark\:hover\:border-gray-400:hover){border-color:rgba(var(--colors-gray-400))}:is(.dark .dark\:hover\:border-gray-600:hover){border-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:hover\:bg-gray-700:hover){background-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:hover\:bg-gray-800:hover){background-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:hover\:bg-gray-900:hover){background-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:hover\:fill-gray-600:hover){fill:rgba(var(--colors-gray-600))}:is(.dark .dark\:hover\:text-gray-300:hover){color:rgba(var(--colors-gray-300))}:is(.dark .dark\:hover\:text-gray-400:hover){color:rgba(var(--colors-gray-400))}:is(.dark .dark\:hover\:opacity-50:hover){opacity:.5}:is(.dark .dark\:focus\:bg-gray-800:focus){background-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:focus\:bg-gray-900:focus){background-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:focus\:ring-gray-600:focus){--tw-ring-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:focus\:ring-offset-gray-800:focus){--tw-ring-offset-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:focus\:ring-offset-gray-900:focus){--tw-ring-offset-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:active\:border-gray-300:active){border-color:rgba(var(--colors-gray-300))}:is(.dark .dark\:active\:text-gray-500:active){color:rgba(var(--colors-gray-500))}:is(.dark .dark\:active\:text-gray-600:active){color:rgba(var(--colors-gray-600))}:is(.dark .dark\:enabled\:bg-gray-950:enabled){background-color:rgba(var(--colors-gray-950))}:is(.dark .dark\:enabled\:text-gray-400:enabled){color:rgba(var(--colors-gray-400))}:is(.dark .dark\:enabled\:hover\:text-gray-300:hover:enabled){color:rgba(var(--colors-gray-300))}:is(.dark .group:hover .dark\:group-hover\:bg-gray-900){background-color:rgba(var(--colors-gray-900))}.group[data-focus] :is(.dark .group-data-\[focus\]\:dark\:ring-offset-gray-950){--tw-ring-offset-color:rgba(var(--colors-gray-950))}@media (min-width:640px){.sm\:px-8{padding-left:2rem;padding-right:2rem}}@media (min-width:768px){.md\:col-span-12{grid-column:span 12/span 12}.md\:col-span-3{grid-column:span 3/span 3}.md\:col-span-4{grid-column:span 4/span 4}.md\:col-span-6{grid-column:span 6/span 6}.md\:col-span-8{grid-column:span 8/span 8}.md\:col-span-9{grid-column:span 9/span 9}[dir=ltr] .md\:ml-2{margin-left:.5rem}[dir=rtl] .md\:ml-2{margin-right:.5rem}[dir=ltr] .md\:ml-3{margin-left:.75rem}[dir=rtl] .md\:ml-3{margin-right:.75rem}[dir=ltr] .md\:mr-2{margin-right:.5rem}[dir=rtl] .md\:mr-2{margin-left:.5rem}.md\:mt-0{margin-top:0}.md\:mt-2{margin-top:.5rem}.md\:mt-6{margin-top:1.5rem}.md\:inline-block{display:inline-block}.md\:inline{display:inline}.md\:flex{display:flex}.md\:grid{display:grid}.md\:hidden{display:none}.md\:w-1\/3{width:33.333333%}.md\:w-1\/4{width:25%}.md\:w-1\/5{width:20%}.md\:w-3\/4{width:75%}.md\:w-3\/5{width:60%}.md\:w-4\/5{width:80%}.md\:w-\[20rem\]{width:20rem}.md\:shrink-0{flex-shrink:0}.md\:grid-cols-12{grid-template-columns:repeat(12,minmax(0,1fr))}.md\:grid-cols-2{grid-template-columns:repeat(2,minmax(0,1fr))}.md\:flex-row{flex-direction:row}.md\:flex-col{flex-direction:column}.md\:items-center{align-items:center}.md\:justify-end{justify-content:flex-end}.md\:space-x-20>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .md\:space-x-20>:not([hidden])~:not([hidden]){margin-left:calc(5rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(5rem*var(--tw-space-x-reverse))}[dir=rtl] .md\:space-x-20>:not([hidden])~:not([hidden]){margin-left:calc(5rem*var(--tw-space-x-reverse));margin-right:calc(5rem*(1 - var(--tw-space-x-reverse)))}.md\:space-x-3>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .md\:space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.75rem*var(--tw-space-x-reverse))}[dir=rtl] .md\:space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*var(--tw-space-x-reverse));margin-right:calc(.75rem*(1 - var(--tw-space-x-reverse)))}.md\:space-y-0>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(0px*var(--tw-space-y-reverse));margin-top:calc(0px*(1 - var(--tw-space-y-reverse)))}.md\:space-y-2>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.5rem*var(--tw-space-y-reverse));margin-top:calc(.5rem*(1 - var(--tw-space-y-reverse)))}.md\:space-y-4>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1rem*var(--tw-space-y-reverse));margin-top:calc(1rem*(1 - var(--tw-space-y-reverse)))}.md\:border-b-0{border-bottom-width:0}.md\/modal\:py-3{padding-bottom:.75rem;padding-top:.75rem}.md\:\!px-4{padding-left:1rem!important;padding-right:1rem!important}.md\:\!px-6{padding-left:1.5rem!important;padding-right:1.5rem!important}.md\:px-0{padding-left:0;padding-right:0}.md\:px-12{padding-left:3rem;padding-right:3rem}.md\:px-2{padding-left:.5rem;padding-right:.5rem}.md\:px-3{padding-left:.75rem;padding-right:.75rem}.md\:px-8{padding-left:2rem;padding-right:2rem}.md\:py-0{padding-bottom:0;padding-top:0}.md\:py-3{padding-bottom:.75rem;padding-top:.75rem}.md\:py-6{padding-bottom:1.5rem;padding-top:1.5rem}.md\:py-8{padding-bottom:2rem;padding-top:2rem}[dir=ltr] .md\:pr-3{padding-right:.75rem}[dir=rtl] .md\:pr-3{padding-left:.75rem}.md\:text-2xl{font-size:1.5rem;line-height:2rem}.md\:text-\[4rem\]{font-size:4rem}.md\:text-xl{font-size:1.25rem;line-height:1.75rem}}@media (min-width:1024px){.lg\:absolute{position:absolute}.lg\:bottom-auto{bottom:auto}.lg\:top-\[56px\]{top:56px}[dir=ltr] .lg\:ml-60{margin-left:15rem}[dir=rtl] .lg\:ml-60{margin-right:15rem}.lg\:block{display:block}.lg\:inline-block{display:inline-block}.lg\:hidden{display:none}.lg\:w-60{width:15rem}.lg\:max-w-lg{max-width:32rem}.lg\:break-words{overflow-wrap:break-word}.lg\:px-12{padding-left:3rem;padding-right:3rem}.lg\:px-6{padding-left:1.5rem;padding-right:1.5rem}}.ltr\:-rotate-90:where([dir=ltr],[dir=ltr] *){--tw-rotate:-90deg;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:rotate-90:where([dir=rtl],[dir=rtl] *){--tw-rotate:90deg;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.hover\:\[\&\:not\(\:disabled\)\]\:border-primary-400:not(:disabled):hover{border-color:rgba(var(--colors-primary-400))}.hover\:\[\&\:not\(\:disabled\)\]\:border-red-400:not(:disabled):hover{border-color:rgba(var(--colors-red-400))}.hover\:\[\&\:not\(\:disabled\)\]\:bg-gray-700\/5:not(:disabled):hover{background-color:rgba(var(--colors-gray-700),.05)}.hover\:\[\&\:not\(\:disabled\)\]\:bg-primary-400:not(:disabled):hover{background-color:rgba(var(--colors-primary-400))}.hover\:\[\&\:not\(\:disabled\)\]\:bg-red-400:not(:disabled):hover{background-color:rgba(var(--colors-red-400))}.hover\:\[\&\:not\(\:disabled\)\]\:text-gray-400:not(:disabled):hover{color:rgba(var(--colors-gray-400))}.hover\:\[\&\:not\(\:disabled\)\]\:text-primary-400:not(:disabled):hover{color:rgba(var(--colors-primary-400))}.hover\:\[\&\:not\(\:disabled\)\]\:text-primary-500:not(:disabled):hover{color:rgba(var(--colors-primary-500))}.hover\:\[\&\:not\(\:disabled\)\]\:text-red-400:not(:disabled):hover{color:rgba(var(--colors-red-400))}:is(.dark .dark\:hover\:\[\&\:not\(\:disabled\)\]\:bg-gray-950:not(:disabled):hover){background-color:rgba(var(--colors-gray-950))}:is(.dark .dark\:hover\:\[\&\:not\(\:disabled\)\]\:text-primary-500:not(:disabled):hover){color:rgba(var(--colors-primary-500))} +/*! tailwindcss v3.4.1 | MIT License | https://tailwindcss.com*/*,:after,:before{border-color:rgba(var(--colors-gray-200));border-style:solid;border-width:0;box-sizing:border-box}:after,:before{--tw-content:""}:host,html{-webkit-text-size-adjust:100%;font-feature-settings:normal;-webkit-tap-highlight-color:transparent;font-family:Nunito Sans,ui-sans-serif,system-ui,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji;font-variation-settings:normal;line-height:1.5;-moz-tab-size:4;-o-tab-size:4;tab-size:4}body{line-height:inherit;margin:0}hr{border-top-width:1px;color:inherit;height:0}abbr:where([title]){-webkit-text-decoration:underline dotted;text-decoration:underline dotted}h1,h2,h3,h4,h5,h6{font-size:inherit;font-weight:inherit}a{color:inherit;text-decoration:inherit}b,strong{font-weight:bolder}code,kbd,pre,samp{font-feature-settings:normal;font-family:ui-monospace,SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace;font-size:1em;font-variation-settings:normal}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sub{bottom:-.25em}sup{top:-.5em}table{border-collapse:collapse;border-color:inherit;text-indent:0}button,input,optgroup,select,textarea{font-feature-settings:inherit;color:inherit;font-family:inherit;font-size:100%;font-variation-settings:inherit;font-weight:inherit;line-height:inherit;margin:0;padding:0}button,select{text-transform:none}[type=button],[type=reset],[type=submit],button{-webkit-appearance:button;background-color:transparent;background-image:none}:-moz-focusring{outline:auto}:-moz-ui-invalid{box-shadow:none}progress{vertical-align:baseline}::-webkit-inner-spin-button,::-webkit-outer-spin-button{height:auto}[type=search]{-webkit-appearance:textfield;outline-offset:-2px}::-webkit-search-decoration{-webkit-appearance:none}::-webkit-file-upload-button{-webkit-appearance:button;font:inherit}summary{display:list-item}blockquote,dd,dl,figure,h1,h2,h3,h4,h5,h6,hr,p,pre{margin:0}fieldset{margin:0}fieldset,legend{padding:0}menu,ol,ul{list-style:none;margin:0;padding:0}dialog{padding:0}textarea{resize:vertical}input::-moz-placeholder,textarea::-moz-placeholder{color:rgba(var(--colors-gray-400));opacity:1}input::placeholder,textarea::placeholder{color:rgba(var(--colors-gray-400));opacity:1}[role=button],button{cursor:pointer}:disabled{cursor:default}audio,canvas,embed,iframe,img,object,svg,video{display:block;vertical-align:middle}img,video{height:auto;max-width:100%}[hidden]{display:none}:root{--colors-primary-50:240,249,255;--colors-primary-100:224,242,254;--colors-primary-200:186,230,253;--colors-primary-300:125,211,252;--colors-primary-400:56,189,248;--colors-primary-500:14,165,233;--colors-primary-600:2,132,199;--colors-primary-700:3,105,161;--colors-primary-800:7,89,133;--colors-primary-900:12,74,110;--colors-primary-950:8,47,73;--colors-inherit:inherit;--colors-current:currentColor;--colors-transparent:transparent;--colors-black:0,0,0;--colors-white:255,255,255;--colors-slate-50:248,250,252;--colors-slate-100:241,245,249;--colors-slate-200:226,232,240;--colors-slate-300:203,213,225;--colors-slate-400:148,163,184;--colors-slate-500:100,116,139;--colors-slate-600:71,85,105;--colors-slate-700:51,65,85;--colors-slate-800:30,41,59;--colors-slate-900:15,23,42;--colors-slate-950:2,6,23;--colors-gray-50:248,250,252;--colors-gray-100:241,245,249;--colors-gray-200:226,232,240;--colors-gray-300:203,213,225;--colors-gray-400:148,163,184;--colors-gray-500:100,116,139;--colors-gray-600:71,85,105;--colors-gray-700:51,65,85;--colors-gray-800:30,41,59;--colors-gray-900:15,23,42;--colors-gray-950:2,6,23;--colors-zinc-50:250,250,250;--colors-zinc-100:244,244,245;--colors-zinc-200:228,228,231;--colors-zinc-300:212,212,216;--colors-zinc-400:161,161,170;--colors-zinc-500:113,113,122;--colors-zinc-600:82,82,91;--colors-zinc-700:63,63,70;--colors-zinc-800:39,39,42;--colors-zinc-900:24,24,27;--colors-zinc-950:9,9,11;--colors-neutral-50:250,250,250;--colors-neutral-100:245,245,245;--colors-neutral-200:229,229,229;--colors-neutral-300:212,212,212;--colors-neutral-400:163,163,163;--colors-neutral-500:115,115,115;--colors-neutral-600:82,82,82;--colors-neutral-700:64,64,64;--colors-neutral-800:38,38,38;--colors-neutral-900:23,23,23;--colors-neutral-950:10,10,10;--colors-stone-50:250,250,249;--colors-stone-100:245,245,244;--colors-stone-200:231,229,228;--colors-stone-300:214,211,209;--colors-stone-400:168,162,158;--colors-stone-500:120,113,108;--colors-stone-600:87,83,78;--colors-stone-700:68,64,60;--colors-stone-800:41,37,36;--colors-stone-900:28,25,23;--colors-stone-950:12,10,9;--colors-red-50:254,242,242;--colors-red-100:254,226,226;--colors-red-200:254,202,202;--colors-red-300:252,165,165;--colors-red-400:248,113,113;--colors-red-500:239,68,68;--colors-red-600:220,38,38;--colors-red-700:185,28,28;--colors-red-800:153,27,27;--colors-red-900:127,29,29;--colors-red-950:69,10,10;--colors-orange-50:255,247,237;--colors-orange-100:255,237,213;--colors-orange-200:254,215,170;--colors-orange-300:253,186,116;--colors-orange-400:251,146,60;--colors-orange-500:249,115,22;--colors-orange-600:234,88,12;--colors-orange-700:194,65,12;--colors-orange-800:154,52,18;--colors-orange-900:124,45,18;--colors-orange-950:67,20,7;--colors-amber-50:255,251,235;--colors-amber-100:254,243,199;--colors-amber-200:253,230,138;--colors-amber-300:252,211,77;--colors-amber-400:251,191,36;--colors-amber-500:245,158,11;--colors-amber-600:217,119,6;--colors-amber-700:180,83,9;--colors-amber-800:146,64,14;--colors-amber-900:120,53,15;--colors-amber-950:69,26,3;--colors-yellow-50:254,252,232;--colors-yellow-100:254,249,195;--colors-yellow-200:254,240,138;--colors-yellow-300:253,224,71;--colors-yellow-400:250,204,21;--colors-yellow-500:234,179,8;--colors-yellow-600:202,138,4;--colors-yellow-700:161,98,7;--colors-yellow-800:133,77,14;--colors-yellow-900:113,63,18;--colors-yellow-950:66,32,6;--colors-lime-50:247,254,231;--colors-lime-100:236,252,203;--colors-lime-200:217,249,157;--colors-lime-300:190,242,100;--colors-lime-400:163,230,53;--colors-lime-500:132,204,22;--colors-lime-600:101,163,13;--colors-lime-700:77,124,15;--colors-lime-800:63,98,18;--colors-lime-900:54,83,20;--colors-lime-950:26,46,5;--colors-green-50:240,253,244;--colors-green-100:220,252,231;--colors-green-200:187,247,208;--colors-green-300:134,239,172;--colors-green-400:74,222,128;--colors-green-500:34,197,94;--colors-green-600:22,163,74;--colors-green-700:21,128,61;--colors-green-800:22,101,52;--colors-green-900:20,83,45;--colors-green-950:5,46,22;--colors-emerald-50:236,253,245;--colors-emerald-100:209,250,229;--colors-emerald-200:167,243,208;--colors-emerald-300:110,231,183;--colors-emerald-400:52,211,153;--colors-emerald-500:16,185,129;--colors-emerald-600:5,150,105;--colors-emerald-700:4,120,87;--colors-emerald-800:6,95,70;--colors-emerald-900:6,78,59;--colors-emerald-950:2,44,34;--colors-teal-50:240,253,250;--colors-teal-100:204,251,241;--colors-teal-200:153,246,228;--colors-teal-300:94,234,212;--colors-teal-400:45,212,191;--colors-teal-500:20,184,166;--colors-teal-600:13,148,136;--colors-teal-700:15,118,110;--colors-teal-800:17,94,89;--colors-teal-900:19,78,74;--colors-teal-950:4,47,46;--colors-cyan-50:236,254,255;--colors-cyan-100:207,250,254;--colors-cyan-200:165,243,252;--colors-cyan-300:103,232,249;--colors-cyan-400:34,211,238;--colors-cyan-500:6,182,212;--colors-cyan-600:8,145,178;--colors-cyan-700:14,116,144;--colors-cyan-800:21,94,117;--colors-cyan-900:22,78,99;--colors-cyan-950:8,51,68;--colors-sky-50:240,249,255;--colors-sky-100:224,242,254;--colors-sky-200:186,230,253;--colors-sky-300:125,211,252;--colors-sky-400:56,189,248;--colors-sky-500:14,165,233;--colors-sky-600:2,132,199;--colors-sky-700:3,105,161;--colors-sky-800:7,89,133;--colors-sky-900:12,74,110;--colors-sky-950:8,47,73;--colors-blue-50:239,246,255;--colors-blue-100:219,234,254;--colors-blue-200:191,219,254;--colors-blue-300:147,197,253;--colors-blue-400:96,165,250;--colors-blue-500:59,130,246;--colors-blue-600:37,99,235;--colors-blue-700:29,78,216;--colors-blue-800:30,64,175;--colors-blue-900:30,58,138;--colors-blue-950:23,37,84;--colors-indigo-50:238,242,255;--colors-indigo-100:224,231,255;--colors-indigo-200:199,210,254;--colors-indigo-300:165,180,252;--colors-indigo-400:129,140,248;--colors-indigo-500:99,102,241;--colors-indigo-600:79,70,229;--colors-indigo-700:67,56,202;--colors-indigo-800:55,48,163;--colors-indigo-900:49,46,129;--colors-indigo-950:30,27,75;--colors-violet-50:245,243,255;--colors-violet-100:237,233,254;--colors-violet-200:221,214,254;--colors-violet-300:196,181,253;--colors-violet-400:167,139,250;--colors-violet-500:139,92,246;--colors-violet-600:124,58,237;--colors-violet-700:109,40,217;--colors-violet-800:91,33,182;--colors-violet-900:76,29,149;--colors-violet-950:46,16,101;--colors-purple-50:250,245,255;--colors-purple-100:243,232,255;--colors-purple-200:233,213,255;--colors-purple-300:216,180,254;--colors-purple-400:192,132,252;--colors-purple-500:168,85,247;--colors-purple-600:147,51,234;--colors-purple-700:126,34,206;--colors-purple-800:107,33,168;--colors-purple-900:88,28,135;--colors-purple-950:59,7,100;--colors-fuchsia-50:253,244,255;--colors-fuchsia-100:250,232,255;--colors-fuchsia-200:245,208,254;--colors-fuchsia-300:240,171,252;--colors-fuchsia-400:232,121,249;--colors-fuchsia-500:217,70,239;--colors-fuchsia-600:192,38,211;--colors-fuchsia-700:162,28,175;--colors-fuchsia-800:134,25,143;--colors-fuchsia-900:112,26,117;--colors-fuchsia-950:74,4,78;--colors-pink-50:253,242,248;--colors-pink-100:252,231,243;--colors-pink-200:251,207,232;--colors-pink-300:249,168,212;--colors-pink-400:244,114,182;--colors-pink-500:236,72,153;--colors-pink-600:219,39,119;--colors-pink-700:190,24,93;--colors-pink-800:157,23,77;--colors-pink-900:131,24,67;--colors-pink-950:80,7,36;--colors-rose-50:255,241,242;--colors-rose-100:255,228,230;--colors-rose-200:254,205,211;--colors-rose-300:253,164,175;--colors-rose-400:251,113,133;--colors-rose-500:244,63,94;--colors-rose-600:225,29,72;--colors-rose-700:190,18,60;--colors-rose-800:159,18,57;--colors-rose-900:136,19,55;--colors-rose-950:76,5,25}*,:after,:before{--tw-border-spacing-x:0;--tw-border-spacing-y:0;--tw-translate-x:0;--tw-translate-y:0;--tw-rotate:0;--tw-skew-x:0;--tw-skew-y:0;--tw-scale-x:1;--tw-scale-y:1;--tw-pan-x: ;--tw-pan-y: ;--tw-pinch-zoom: ;--tw-scroll-snap-strictness:proximity;--tw-gradient-from-position: ;--tw-gradient-via-position: ;--tw-gradient-to-position: ;--tw-ordinal: ;--tw-slashed-zero: ;--tw-numeric-figure: ;--tw-numeric-spacing: ;--tw-numeric-fraction: ;--tw-ring-inset: ;--tw-ring-offset-width:0px;--tw-ring-offset-color:#fff;--tw-ring-color:rgba(var(--colors-blue-500),0.5);--tw-ring-offset-shadow:0 0 #0000;--tw-ring-shadow:0 0 #0000;--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;--tw-blur: ;--tw-brightness: ;--tw-contrast: ;--tw-grayscale: ;--tw-hue-rotate: ;--tw-invert: ;--tw-saturate: ;--tw-sepia: ;--tw-drop-shadow: ;--tw-backdrop-blur: ;--tw-backdrop-brightness: ;--tw-backdrop-contrast: ;--tw-backdrop-grayscale: ;--tw-backdrop-hue-rotate: ;--tw-backdrop-invert: ;--tw-backdrop-opacity: ;--tw-backdrop-saturate: ;--tw-backdrop-sepia: }::backdrop{--tw-border-spacing-x:0;--tw-border-spacing-y:0;--tw-translate-x:0;--tw-translate-y:0;--tw-rotate:0;--tw-skew-x:0;--tw-skew-y:0;--tw-scale-x:1;--tw-scale-y:1;--tw-pan-x: ;--tw-pan-y: ;--tw-pinch-zoom: ;--tw-scroll-snap-strictness:proximity;--tw-gradient-from-position: ;--tw-gradient-via-position: ;--tw-gradient-to-position: ;--tw-ordinal: ;--tw-slashed-zero: ;--tw-numeric-figure: ;--tw-numeric-spacing: ;--tw-numeric-fraction: ;--tw-ring-inset: ;--tw-ring-offset-width:0px;--tw-ring-offset-color:#fff;--tw-ring-color:rgba(var(--colors-blue-500),0.5);--tw-ring-offset-shadow:0 0 #0000;--tw-ring-shadow:0 0 #0000;--tw-shadow:0 0 #0000;--tw-shadow-colored:0 0 #0000;--tw-blur: ;--tw-brightness: ;--tw-contrast: ;--tw-grayscale: ;--tw-hue-rotate: ;--tw-invert: ;--tw-saturate: ;--tw-sepia: ;--tw-drop-shadow: ;--tw-backdrop-blur: ;--tw-backdrop-brightness: ;--tw-backdrop-contrast: ;--tw-backdrop-grayscale: ;--tw-backdrop-hue-rotate: ;--tw-backdrop-invert: ;--tw-backdrop-opacity: ;--tw-backdrop-saturate: ;--tw-backdrop-sepia: }.container{width:100%}@media (min-width:640px){.container{max-width:640px}}@media (min-width:768px){.container{max-width:768px}}@media (min-width:1024px){.container{max-width:1024px}}@media (min-width:1280px){.container{max-width:1280px}}@media (min-width:1536px){.container{max-width:1536px}}.prose{color:var(--tw-prose-body);max-width:65ch}.prose :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-lead);font-size:1.25em;line-height:1.6;margin-bottom:1.2em;margin-top:1.2em}.prose :where(a):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-links);font-weight:500;text-decoration:underline}.prose :where(strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-bold);font-weight:600}.prose :where(a strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(blockquote strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(thead th strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:decimal;margin-bottom:1.25em;margin-top:1.25em}[dir=ltr] .prose :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.625em}[dir=rtl] .prose :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.625em}.prose :where(ol[type=A]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-alpha}.prose :where(ol[type=a]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-alpha}.prose :where(ol[type=A s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-alpha}.prose :where(ol[type=a s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-alpha}.prose :where(ol[type=I]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-roman}.prose :where(ol[type=i]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-roman}.prose :where(ol[type=I s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:upper-roman}.prose :where(ol[type=i s]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:lower-roman}.prose :where(ol[type="1"]):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:decimal}.prose :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){list-style-type:disc;margin-bottom:1.25em;margin-top:1.25em}[dir=ltr] .prose :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.625em}[dir=rtl] .prose :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.625em}.prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *))::marker{color:var(--tw-prose-counters);font-weight:400}.prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *))::marker{color:var(--tw-prose-bullets)}.prose :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;margin-top:1.25em}.prose :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){border-color:var(--tw-prose-hr);border-top-width:1px;margin-bottom:3em;margin-top:3em}.prose :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-quotes);font-style:italic;font-weight:500;margin-bottom:1.6em;margin-top:1.6em;quotes:"\201C""\201D""\2018""\2019"}[dir=ltr] .prose :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){border-left-color:var(--tw-prose-quote-borders);border-left-width:.25rem;padding-left:1em}[dir=rtl] .prose :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){border-right-color:var(--tw-prose-quote-borders);border-right-width:.25rem;padding-right:1em}.prose :where(blockquote p:first-of-type):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:open-quote}.prose :where(blockquote p:last-of-type):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:close-quote}.prose :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:2.25em;font-weight:800;line-height:1.1111111;margin-bottom:.8888889em;margin-top:0}.prose :where(h1 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:900}.prose :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:1.5em;font-weight:700;line-height:1.3333333;margin-bottom:1em;margin-top:2em}.prose :where(h2 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:800}.prose :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-size:1.25em;font-weight:600;line-height:1.6;margin-bottom:.6em;margin-top:1.6em}.prose :where(h3 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:700}.prose :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;line-height:1.5;margin-bottom:.5em;margin-top:1.5em}.prose :where(h4 strong):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-weight:700}.prose :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){display:block;margin-bottom:2em;margin-top:2em}.prose :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;box-shadow:0 0 0 1px rgb(var(--tw-prose-kbd-shadows)/10%),0 3px 0 rgb(var(--tw-prose-kbd-shadows)/10%);color:var(--tw-prose-kbd);font-family:inherit;font-size:.875em;font-weight:500;padding:.1875em .375em}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-code);font-size:.875em;font-weight:600}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:"`"}.prose :where(code):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:"`"}.prose :where(a code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(h1 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-size:.875em}.prose :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit;font-size:.9em}.prose :where(h4 code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(blockquote code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(thead th code):not(:where([class~=not-prose],[class~=not-prose] *)){color:inherit}.prose :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){background-color:var(--tw-prose-pre-bg);border-radius:.375rem;color:var(--tw-prose-pre-code);font-size:.875em;font-weight:400;line-height:1.7142857;margin-bottom:1.7142857em;margin-top:1.7142857em;overflow-x:auto;padding:.8571429em 1.1428571em}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)){background-color:transparent;border-radius:0;border-width:0;color:inherit;font-family:inherit;font-size:inherit;font-weight:inherit;line-height:inherit;padding:0}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)):before{content:none}.prose :where(pre code):not(:where([class~=not-prose],[class~=not-prose] *)):after{content:none}.prose :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.875em;line-height:1.7142857;margin-bottom:2em;margin-top:2em;table-layout:auto;width:100%}[dir=ltr] .prose :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){text-align:left}[dir=rtl] .prose :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){text-align:right}.prose :where(thead):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-color:var(--tw-prose-th-borders);border-bottom-width:1px}.prose :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-headings);font-weight:600;padding-bottom:.5714286em;padding-left:.5714286em;padding-right:.5714286em;vertical-align:bottom}.prose :where(tbody tr):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-color:var(--tw-prose-td-borders);border-bottom-width:1px}.prose :where(tbody tr:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){border-bottom-width:0}.prose :where(tbody td):not(:where([class~=not-prose],[class~=not-prose] *)){vertical-align:baseline}.prose :where(tfoot):not(:where([class~=not-prose],[class~=not-prose] *)){border-top-color:var(--tw-prose-th-borders);border-top-width:1px}.prose :where(tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){vertical-align:top}.prose :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){color:var(--tw-prose-captions);font-size:.875em;line-height:1.4285714;margin-top:.8571429em}.prose{--tw-prose-body:#374151;--tw-prose-headings:#111827;--tw-prose-lead:#4b5563;--tw-prose-links:#111827;--tw-prose-bold:#111827;--tw-prose-counters:#6b7280;--tw-prose-bullets:#d1d5db;--tw-prose-hr:#e5e7eb;--tw-prose-quotes:#111827;--tw-prose-quote-borders:#e5e7eb;--tw-prose-captions:#6b7280;--tw-prose-kbd:#111827;--tw-prose-kbd-shadows:17 24 39;--tw-prose-code:#111827;--tw-prose-pre-code:#e5e7eb;--tw-prose-pre-bg:#1f2937;--tw-prose-th-borders:#d1d5db;--tw-prose-td-borders:#e5e7eb;--tw-prose-invert-body:#d1d5db;--tw-prose-invert-headings:#fff;--tw-prose-invert-lead:#9ca3af;--tw-prose-invert-links:#fff;--tw-prose-invert-bold:#fff;--tw-prose-invert-counters:#9ca3af;--tw-prose-invert-bullets:#4b5563;--tw-prose-invert-hr:#374151;--tw-prose-invert-quotes:#f3f4f6;--tw-prose-invert-quote-borders:#374151;--tw-prose-invert-captions:#9ca3af;--tw-prose-invert-kbd:#fff;--tw-prose-invert-kbd-shadows:255 255 255;--tw-prose-invert-code:#fff;--tw-prose-invert-pre-code:#d1d5db;--tw-prose-invert-pre-bg:rgba(0,0,0,.5);--tw-prose-invert-th-borders:#4b5563;--tw-prose-invert-td-borders:#374151;font-size:1rem;line-height:1.75}.prose :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5em;margin-top:.5em}[dir=ltr] .prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.375em}[dir=rtl] .prose :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.375em}[dir=ltr] .prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.375em}[dir=rtl] .prose :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.375em}.prose :where(.prose>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose :where(.prose>ul>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose :where(.prose>ul>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose :where(.prose>ol>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.25em}.prose :where(.prose>ol>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em}.prose :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.75em;margin-top:.75em}.prose :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.25em;margin-top:1.25em}.prose :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.5em}[dir=ltr] .prose :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.625em}[dir=rtl] .prose :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.625em}.prose :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}[dir=ltr] .prose :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding:.5714286em}[dir=ltr] .prose :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2em;margin-top:2em}.prose :where(.prose>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose :where(.prose>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.prose-sm{font-size:.875rem;line-height:1.7142857}.prose-sm :where(p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}.prose-sm :where([class~=lead]):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.2857143em;line-height:1.5555556;margin-bottom:.8888889em;margin-top:.8888889em}.prose-sm :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.3333333em;margin-top:1.3333333em}[dir=ltr] .prose-sm :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.1111111em}[dir=rtl] .prose-sm :where(blockquote):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.1111111em}.prose-sm :where(h1):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:2.1428571em;line-height:1.2;margin-bottom:.8em;margin-top:0}.prose-sm :where(h2):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.4285714em;line-height:1.4;margin-bottom:.8em;margin-top:1.6em}.prose-sm :where(h3):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:1.2857143em;line-height:1.5555556;margin-bottom:.4444444em;margin-top:1.5555556em}.prose-sm :where(h4):not(:where([class~=not-prose],[class~=not-prose] *)){line-height:1.4285714;margin-bottom:.5714286em;margin-top:1.4285714em}.prose-sm :where(img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(picture):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(picture>img):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-sm :where(video):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(kbd):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.3125rem;font-size:.8571429em;padding:.1428571em .3571429em}.prose-sm :where(code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em}.prose-sm :where(h2 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.9em}.prose-sm :where(h3 code):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8888889em}.prose-sm :where(pre):not(:where([class~=not-prose],[class~=not-prose] *)){border-radius:.25rem;font-size:.8571429em;line-height:1.6666667;margin-bottom:1.6666667em;margin-top:1.6666667em;padding:.6666667em 1em}.prose-sm :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}[dir=ltr] .prose-sm :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.5714286em}[dir=rtl] .prose-sm :where(ol):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.5714286em}.prose-sm :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}[dir=ltr] .prose-sm :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.5714286em}[dir=rtl] .prose-sm :where(ul):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.5714286em}.prose-sm :where(li):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.2857143em;margin-top:.2857143em}[dir=ltr] .prose-sm :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.4285714em}[dir=rtl] .prose-sm :where(ol>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.4285714em}[dir=ltr] .prose-sm :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:.4285714em}[dir=rtl] .prose-sm :where(ul>li):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:.4285714em}.prose-sm :where(.prose-sm>ul>li p):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5714286em;margin-top:.5714286em}.prose-sm :where(.prose-sm>ul>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(.prose-sm>ul>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em}.prose-sm :where(.prose-sm>ol>li>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(.prose-sm>ol>li>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em}.prose-sm :where(ul ul,ul ol,ol ul,ol ol):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:.5714286em;margin-top:.5714286em}.prose-sm :where(dl):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.1428571em;margin-top:1.1428571em}.prose-sm :where(dt):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:1.1428571em}.prose-sm :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:.2857143em}[dir=ltr] .prose-sm :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:1.5714286em}[dir=rtl] .prose-sm :where(dd):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:1.5714286em}.prose-sm :where(hr):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:2.8571429em;margin-top:2.8571429em}.prose-sm :where(hr+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h2+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h3+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(h4+*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(table):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em;line-height:1.5}.prose-sm :where(thead th):not(:where([class~=not-prose],[class~=not-prose] *)){padding-bottom:.6666667em;padding-left:1em;padding-right:1em}[dir=ltr] .prose-sm :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose-sm :where(thead th:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose-sm :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose-sm :where(thead th:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose-sm :where(tbody td,tfoot td):not(:where([class~=not-prose],[class~=not-prose] *)){padding:.6666667em 1em}[dir=ltr] .prose-sm :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}[dir=rtl] .prose-sm :where(tbody td:first-child,tfoot td:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=ltr] .prose-sm :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-right:0}[dir=rtl] .prose-sm :where(tbody td:last-child,tfoot td:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){padding-left:0}.prose-sm :where(figure):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:1.7142857em;margin-top:1.7142857em}.prose-sm :where(figure>*):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0;margin-top:0}.prose-sm :where(figcaption):not(:where([class~=not-prose],[class~=not-prose] *)){font-size:.8571429em;line-height:1.3333333;margin-top:.6666667em}.prose-sm :where(.prose-sm>:first-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-top:0}.prose-sm :where(.prose-sm>:last-child):not(:where([class~=not-prose],[class~=not-prose] *)){margin-bottom:0}.nova,.toasted.default{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);font-weight:700;padding:.5rem 1.25rem}.toasted.default{background-color:rgba(var(--colors-primary-100));color:rgba(var(--colors-primary-500))}.toasted.success{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-green-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-green-600));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.success){background-color:rgba(var(--colors-green-900));color:rgba(var(--colors-green-400))}.toasted.error{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-red-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-red-500));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.error){background-color:rgba(var(--colors-red-900));color:rgba(var(--colors-red-400))}.toasted.\!error{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-red-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-red-500));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.\!error){background-color:rgba(var(--colors-red-900));color:rgba(var(--colors-red-400))}.toasted.info{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-primary-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-primary-500));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.info){background-color:rgba(var(--colors-primary-900));color:rgba(var(--colors-primary-400))}.toasted.warning{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);background-color:rgba(var(--colors-yellow-50));border-radius:.5rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-yellow-600));font-weight:700;padding:.5rem 1.25rem}:is(.dark .toasted.warning){background-color:rgba(var(--colors-yellow-600));color:rgba(var(--colors-yellow-900))}.toasted .\!action,.toasted .action{font-weight:600!important;padding-bottom:0!important;padding-top:0!important}.CodeMirror{color:#000;direction:ltr;font-family:monospace;height:300px}.CodeMirror-lines{padding:4px 0}.CodeMirror pre.CodeMirror-line,.CodeMirror pre.CodeMirror-line-like{padding:0 4px}.CodeMirror-gutter-filler,.CodeMirror-scrollbar-filler{background-color:#fff}.CodeMirror-gutters{background-color:#f7f7f7;border-right:1px solid #ddd;white-space:nowrap}.CodeMirror-linenumber{color:#999;min-width:20px;padding:0 3px 0 5px;text-align:right;white-space:nowrap}.CodeMirror-guttermarker{color:#000}.CodeMirror-guttermarker-subtle{color:#999}.CodeMirror-cursor{border-right:none;width:0}.CodeMirror div.CodeMirror-secondarycursor{border-left:1px solid silver}.cm-fat-cursor .CodeMirror-cursor{background:#7e7;border:0!important;width:auto}.cm-fat-cursor div.CodeMirror-cursors{z-index:1}.cm-fat-cursor .CodeMirror-line::selection,.cm-fat-cursor .CodeMirror-line>span::selection,.cm-fat-cursor .CodeMirror-line>span>span::selection{background:transparent}.cm-fat-cursor .CodeMirror-line::-moz-selection,.cm-fat-cursor .CodeMirror-line>span::-moz-selection,.cm-fat-cursor .CodeMirror-line>span>span::-moz-selection{background:transparent}.cm-fat-cursor{caret-color:transparent}@keyframes blink{50%{background-color:transparent}}.cm-tab{display:inline-block;text-decoration:inherit}.CodeMirror-rulers{bottom:0;left:0;overflow:hidden;position:absolute;right:0;top:-50px}.CodeMirror-ruler{border-left:1px solid #ccc;bottom:0;position:absolute;top:0}.cm-s-default .cm-header{color:blue}.cm-s-default .cm-quote{color:#090}.cm-negative{color:#d44}.cm-positive{color:#292}.cm-header,.cm-strong{font-weight:700}.cm-em{font-style:italic}.cm-link{text-decoration:underline}.cm-strikethrough{text-decoration:line-through}.cm-s-default .cm-keyword{color:#708}.cm-s-default .cm-atom{color:#219}.cm-s-default .cm-number{color:#164}.cm-s-default .cm-def{color:#00f}.cm-s-default .cm-variable-2{color:#05a}.cm-s-default .cm-type,.cm-s-default .cm-variable-3{color:#085}.cm-s-default .cm-comment{color:#a50}.cm-s-default .cm-string{color:#a11}.cm-s-default .cm-string-2{color:#f50}.cm-s-default .cm-meta,.cm-s-default .cm-qualifier{color:#555}.cm-s-default .cm-builtin{color:#30a}.cm-s-default .cm-bracket{color:#997}.cm-s-default .cm-tag{color:#170}.cm-s-default .cm-attribute{color:#00c}.cm-s-default .cm-hr{color:#999}.cm-s-default .cm-link{color:#00c}.cm-invalidchar,.cm-s-default .cm-error{color:red}.CodeMirror-composing{border-bottom:2px solid}div.CodeMirror span.CodeMirror-matchingbracket{color:#0b0}div.CodeMirror span.CodeMirror-nonmatchingbracket{color:#a22}.CodeMirror-matchingtag{background:rgba(255,150,0,.3)}.CodeMirror-activeline-background{background:#e8f2ff}.CodeMirror{background:#fff;overflow:hidden}.CodeMirror-scroll{height:100%;margin-bottom:-50px;margin-right:-50px;outline:none;overflow:scroll!important;padding-bottom:50px;position:relative;z-index:0}.CodeMirror-sizer{border-right:50px solid transparent;position:relative}.CodeMirror-gutter-filler,.CodeMirror-hscrollbar,.CodeMirror-scrollbar-filler,.CodeMirror-vscrollbar{display:none;outline:none;position:absolute;z-index:6}.CodeMirror-vscrollbar{overflow-x:hidden;overflow-y:scroll;right:0;top:0}.CodeMirror-hscrollbar{bottom:0;left:0;overflow-x:scroll;overflow-y:hidden}.CodeMirror-scrollbar-filler{bottom:0;right:0}.CodeMirror-gutter-filler{bottom:0;left:0}.CodeMirror-gutters{left:0;min-height:100%;position:absolute;top:0;z-index:3}.CodeMirror-gutter{display:inline-block;height:100%;margin-bottom:-50px;vertical-align:top;white-space:normal}.CodeMirror-gutter-wrapper{background:none!important;border:none!important;position:absolute;z-index:4}.CodeMirror-gutter-background{bottom:0;position:absolute;top:0;z-index:4}.CodeMirror-gutter-elt{cursor:default;position:absolute;z-index:4}.CodeMirror-gutter-wrapper ::selection{background-color:transparent}.CodeMirror-gutter-wrapper ::-moz-selection{background-color:transparent}.CodeMirror-lines{cursor:text;min-height:1px}.CodeMirror pre.CodeMirror-line,.CodeMirror pre.CodeMirror-line-like{word-wrap:normal;-webkit-tap-highlight-color:transparent;background:transparent;border-radius:0;border-width:0;color:inherit;font-family:inherit;font-size:inherit;font-variant-ligatures:contextual;line-height:inherit;margin:0;overflow:visible;position:relative;white-space:pre;z-index:2}.CodeMirror-wrap pre.CodeMirror-line,.CodeMirror-wrap pre.CodeMirror-line-like{word-wrap:break-word;white-space:pre-wrap;word-break:normal}.CodeMirror-linebackground{bottom:0;left:0;position:absolute;right:0;top:0;z-index:0}.CodeMirror-linewidget{padding:.1px;position:relative;z-index:2}.CodeMirror-rtl pre{direction:rtl}.CodeMirror-code{outline:none}.CodeMirror-gutter,.CodeMirror-gutters,.CodeMirror-linenumber,.CodeMirror-scroll,.CodeMirror-sizer{box-sizing:content-box}.CodeMirror-measure{height:0;overflow:hidden;position:absolute;visibility:hidden;width:100%}.CodeMirror-cursor{pointer-events:none;position:absolute}.CodeMirror-measure pre{position:static}div.CodeMirror-cursors{position:relative;visibility:hidden;z-index:3}.CodeMirror-focused div.CodeMirror-cursors,div.CodeMirror-dragcursors{visibility:visible}.CodeMirror-selected{background:#d9d9d9}.CodeMirror-focused .CodeMirror-selected{background:#d7d4f0}.CodeMirror-crosshair{cursor:crosshair}.CodeMirror-line::selection,.CodeMirror-line>span::selection,.CodeMirror-line>span>span::selection{background:#d7d4f0}.CodeMirror-line::-moz-selection,.CodeMirror-line>span::-moz-selection,.CodeMirror-line>span>span::-moz-selection{background:#d7d4f0}.cm-searching{background-color:#ffa;background-color:rgba(255,255,0,.4)}.cm-force-border{padding-right:.1px}@media print{.CodeMirror div.CodeMirror-cursors{visibility:hidden}}.cm-tab-wrap-hack:after{content:""}span.CodeMirror-selectedtext{background:none}.cm-s-3024-day.CodeMirror{background:#f7f7f7;color:#3a3432}.cm-s-3024-day div.CodeMirror-selected{background:#d6d5d4}.cm-s-3024-day .CodeMirror-line::-moz-selection,.cm-s-3024-day .CodeMirror-line>span::-moz-selection,.cm-s-3024-day .CodeMirror-line>span>span::-moz-selection{background:#d6d5d4}.cm-s-3024-day .CodeMirror-line::selection,.cm-s-3024-day .CodeMirror-line>span::selection,.cm-s-3024-day .CodeMirror-line>span>span::selection{background:#d6d5d4}.cm-s-3024-day .CodeMirror-line>span>span::-moz-selection{background:#d9d9d9}.cm-s-3024-day .CodeMirror-line::-moz-selection,.cm-s-3024-day .CodeMirror-line>span::-moz-selection,.cm-s-3024-day .CodeMirror-line>span>span::selection{background:#d9d9d9}.cm-s-3024-day .CodeMirror-gutters{background:#f7f7f7;border-right:0}.cm-s-3024-day .CodeMirror-guttermarker{color:#db2d20}.cm-s-3024-day .CodeMirror-guttermarker-subtle,.cm-s-3024-day .CodeMirror-linenumber{color:#807d7c}.cm-s-3024-day .CodeMirror-cursor{border-left:1px solid #5c5855}.cm-s-3024-day span.cm-comment{color:#cdab53}.cm-s-3024-day span.cm-atom,.cm-s-3024-day span.cm-number{color:#a16a94}.cm-s-3024-day span.cm-attribute,.cm-s-3024-day span.cm-property{color:#01a252}.cm-s-3024-day span.cm-keyword{color:#db2d20}.cm-s-3024-day span.cm-string{color:#fded02}.cm-s-3024-day span.cm-variable{color:#01a252}.cm-s-3024-day span.cm-variable-2{color:#01a0e4}.cm-s-3024-day span.cm-def{color:#e8bbd0}.cm-s-3024-day span.cm-bracket{color:#3a3432}.cm-s-3024-day span.cm-tag{color:#db2d20}.cm-s-3024-day span.cm-link{color:#a16a94}.cm-s-3024-day span.cm-error{background:#db2d20;color:#5c5855}.cm-s-3024-day .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-3024-day .CodeMirror-matchingbracket{color:#a16a94!important;text-decoration:underline}.cm-s-3024-night.CodeMirror{background:#090300;color:#d6d5d4}.cm-s-3024-night div.CodeMirror-selected{background:#3a3432}.cm-s-3024-night .CodeMirror-line::selection,.cm-s-3024-night .CodeMirror-line>span::selection,.cm-s-3024-night .CodeMirror-line>span>span::selection{background:rgba(58,52,50,.99)}.cm-s-3024-night .CodeMirror-line::-moz-selection,.cm-s-3024-night .CodeMirror-line>span::-moz-selection,.cm-s-3024-night .CodeMirror-line>span>span::-moz-selection{background:rgba(58,52,50,.99)}.cm-s-3024-night .CodeMirror-gutters{background:#090300;border-right:0}.cm-s-3024-night .CodeMirror-guttermarker{color:#db2d20}.cm-s-3024-night .CodeMirror-guttermarker-subtle,.cm-s-3024-night .CodeMirror-linenumber{color:#5c5855}.cm-s-3024-night .CodeMirror-cursor{border-left:1px solid #807d7c}.cm-s-3024-night span.cm-comment{color:#cdab53}.cm-s-3024-night span.cm-atom,.cm-s-3024-night span.cm-number{color:#a16a94}.cm-s-3024-night span.cm-attribute,.cm-s-3024-night span.cm-property{color:#01a252}.cm-s-3024-night span.cm-keyword{color:#db2d20}.cm-s-3024-night span.cm-string{color:#fded02}.cm-s-3024-night span.cm-variable{color:#01a252}.cm-s-3024-night span.cm-variable-2{color:#01a0e4}.cm-s-3024-night span.cm-def{color:#e8bbd0}.cm-s-3024-night span.cm-bracket{color:#d6d5d4}.cm-s-3024-night span.cm-tag{color:#db2d20}.cm-s-3024-night span.cm-link{color:#a16a94}.cm-s-3024-night span.cm-error{background:#db2d20;color:#807d7c}.cm-s-3024-night .CodeMirror-activeline-background{background:#2f2f2f}.cm-s-3024-night .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-abcdef.CodeMirror{background:#0f0f0f;color:#defdef}.cm-s-abcdef div.CodeMirror-selected{background:#515151}.cm-s-abcdef .CodeMirror-line::selection,.cm-s-abcdef .CodeMirror-line>span::selection,.cm-s-abcdef .CodeMirror-line>span>span::selection{background:rgba(56,56,56,.99)}.cm-s-abcdef .CodeMirror-line::-moz-selection,.cm-s-abcdef .CodeMirror-line>span::-moz-selection,.cm-s-abcdef .CodeMirror-line>span>span::-moz-selection{background:rgba(56,56,56,.99)}.cm-s-abcdef .CodeMirror-gutters{background:#555;border-right:2px solid #314151}.cm-s-abcdef .CodeMirror-guttermarker{color:#222}.cm-s-abcdef .CodeMirror-guttermarker-subtle{color:azure}.cm-s-abcdef .CodeMirror-linenumber{color:#fff}.cm-s-abcdef .CodeMirror-cursor{border-left:1px solid #0f0}.cm-s-abcdef span.cm-keyword{color:#b8860b;font-weight:700}.cm-s-abcdef span.cm-atom{color:#77f}.cm-s-abcdef span.cm-number{color:violet}.cm-s-abcdef span.cm-def{color:#fffabc}.cm-s-abcdef span.cm-variable{color:#abcdef}.cm-s-abcdef span.cm-variable-2{color:#cacbcc}.cm-s-abcdef span.cm-type,.cm-s-abcdef span.cm-variable-3{color:#def}.cm-s-abcdef span.cm-property{color:#fedcba}.cm-s-abcdef span.cm-operator{color:#ff0}.cm-s-abcdef span.cm-comment{color:#7a7b7c;font-style:italic}.cm-s-abcdef span.cm-string{color:#2b4}.cm-s-abcdef span.cm-meta{color:#c9f}.cm-s-abcdef span.cm-qualifier{color:#fff700}.cm-s-abcdef span.cm-builtin{color:#30aabc}.cm-s-abcdef span.cm-bracket{color:#8a8a8a}.cm-s-abcdef span.cm-tag{color:#fd4}.cm-s-abcdef span.cm-attribute{color:#df0}.cm-s-abcdef span.cm-error{color:red}.cm-s-abcdef span.cm-header{color:#7fffd4;font-weight:700}.cm-s-abcdef span.cm-link{color:#8a2be2}.cm-s-abcdef .CodeMirror-activeline-background{background:#314151}.cm-s-ambiance.CodeMirror{box-shadow:none}.cm-s-ambiance .cm-header{color:blue}.cm-s-ambiance .cm-quote{color:#24c2c7}.cm-s-ambiance .cm-keyword{color:#cda869}.cm-s-ambiance .cm-atom{color:#cf7ea9}.cm-s-ambiance .cm-number{color:#78cf8a}.cm-s-ambiance .cm-def{color:#aac6e3}.cm-s-ambiance .cm-variable{color:#ffb795}.cm-s-ambiance .cm-variable-2{color:#eed1b3}.cm-s-ambiance .cm-type,.cm-s-ambiance .cm-variable-3{color:#faded3}.cm-s-ambiance .cm-property{color:#eed1b3}.cm-s-ambiance .cm-operator{color:#fa8d6a}.cm-s-ambiance .cm-comment{color:#555;font-style:italic}.cm-s-ambiance .cm-string{color:#8f9d6a}.cm-s-ambiance .cm-string-2{color:#9d937c}.cm-s-ambiance .cm-meta{color:#d2a8a1}.cm-s-ambiance .cm-qualifier{color:#ff0}.cm-s-ambiance .cm-builtin{color:#99c}.cm-s-ambiance .cm-bracket{color:#24c2c7}.cm-s-ambiance .cm-tag{color:#fee4ff}.cm-s-ambiance .cm-attribute{color:#9b859d}.cm-s-ambiance .cm-hr{color:pink}.cm-s-ambiance .cm-link{color:#f4c20b}.cm-s-ambiance .cm-special{color:#ff9d00}.cm-s-ambiance .cm-error{color:#af2018}.cm-s-ambiance .CodeMirror-matchingbracket{color:#0f0}.cm-s-ambiance .CodeMirror-nonmatchingbracket{color:#f22}.cm-s-ambiance div.CodeMirror-selected{background:hsla(0,0%,100%,.15)}.cm-s-ambiance.CodeMirror-focused div.CodeMirror-selected{background:hsla(0,0%,100%,.1)}.cm-s-ambiance .CodeMirror-line::selection,.cm-s-ambiance .CodeMirror-line>span::selection,.cm-s-ambiance .CodeMirror-line>span>span::selection{background:hsla(0,0%,100%,.1)}.cm-s-ambiance .CodeMirror-line::-moz-selection,.cm-s-ambiance .CodeMirror-line>span::-moz-selection,.cm-s-ambiance .CodeMirror-line>span>span::-moz-selection{background:hsla(0,0%,100%,.1)}.cm-s-ambiance.CodeMirror{background-color:#202020;box-shadow:inset 0 0 10px #000;color:#e6e1dc;line-height:1.4em}.cm-s-ambiance .CodeMirror-gutters{background:#3d3d3d;border-right:1px solid #4d4d4d;box-shadow:0 10px 20px #000}.cm-s-ambiance .CodeMirror-linenumber{color:#111;padding:0 5px;text-shadow:0 1px 1px #4d4d4d}.cm-s-ambiance .CodeMirror-guttermarker{color:#aaa}.cm-s-ambiance .CodeMirror-guttermarker-subtle{color:#111}.cm-s-ambiance .CodeMirror-cursor{border-left:1px solid #7991e8}.cm-s-ambiance .CodeMirror-activeline-background{background:none repeat scroll 0 0 hsla(0,0%,100%,.031)}.cm-s-ambiance .CodeMirror-gutters,.cm-s-ambiance.CodeMirror{background-image:url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAMgAAADICAQAAAAHUWYVAABFFUlEQVQYGbzBCeDVU/74/6fj9HIcx/FRHx9JCFmzMyGRURhLZIkUsoeRfUjS2FNDtr6WkMhO9sm+S8maJfu+Jcsg+/o/c+Z4z/t97/vezy3z+z8ekGlnYICG/o7gdk+wmSHZ1z4pJItqapjoKXWahm8NmV6eOTbWUOp6/6a/XIg6GQqmenJ2lDHyvCFZ2cBDbmtHA043VFhHwXxClWmeYAdLhV00Bd85go8VmaFCkbVkzlQENzfBDZ5gtN7HwF0KDrTwJ0dypSOzpaKCMwQHKTIreYIxlmhXTzTWkVm+LTynZhiSBT3RZQ7aGfjGEd3qyXQ1FDymqbKxpspERQN2MiRjNZlFFQXfCNFm9nM1zpAsoYjmtRTc5ajwuaXc5xrWskT97RaKzAGe5ARHhVUsDbjKklziiX5WROcJwSNCNI+9w1Jwv4Zb2r7lCMZ4oq5C0EdTx+2GzNuKpJ+iFf38JEWkHJn9DNF7mmBDITrWEg0VWL3pHU20tSZnuqWu+R3BtYa8XxV1HO7GyD32UkOpL/yDloINFTmvtId+nmAjxRw40VMwVKiwrKLE4bK5UOVntYwhOcSSXKrJHKPJedocpGjVz/ZMIbnYUPB10/eKCrs5apqpgVmWzBYWpmtKHecJPjaUuEgRDDaU0oZghCJ6zNMQ5ZhDYx05r5v2muQdM0EILtXUsaKiQX9WMEUotagQzFbUNN6NUPC2nm5pxEWGCjMc3GdJHjSU2kORLK/JGSrkfGEIjncU/CYUnOipoYemwj8tST9NsJmB7TUVXtbUtXATJVZXBMvYeTXJfobgJUPmGMP/yFaWonaa6BcFO3nqcIqCozSZoZoSr1g4zJOzuyGnxTEX3lUEJ7WcZgme8ddaWvWJo2AJR9DZU3CUIbhCSG6ybSwN6qtJVnCU2svDTP2ZInOw2cBTrqtQahtNZn9NcJ4l2NaSmSkkP1noZWnVwkLmdUPOwLZEwy2Z3S3R+4rIG9hcbpPXHFVWcQdZkn2FOta3cKWQnNRC5g1LsJah4GCzSVsKnCOY5OAFRTBekyyryeyilhFKva75r4Mc0aWanGEaThcy31s439KKxTzJYY5WTHPU1FtIHjQU3Oip4xlNzj/lBw23dYZVliQa7WAXf4shetcQfatI+jWRDBPmyNeW6A1P5kdDgyYJlba0BIM8BZu1JfrFwItyjcAMR3K0BWOIrtMEXyhyrlVEx3ui5dUBjmB/Q3CXW85R4mBD0s7B+4q5tKUjOlb9qqmhi5AZ6GFIC5HXtOobdYGlVdMVbNJ8toNTFcHxnoL+muBagcctjWnbNMuR00uI7nQESwg5q2qqrKWIfrNUmeQocY6HuyxJV02wj36w00yhpmUFenv4p6fUkZYqLyuinx2RGOjhCXYyJF84oiU00YMOOhhquNdfbOB7gU88pY4xJO8LVdp6/q2voeB4R04vIdhSE40xZObx1HGGJ/ja0LBthFInKaLPPFzuCaYaoj8JjPME8yoyxo6zlBqkiUZYgq00OYMswbWO5NGmq+xhipxHLRW29ARjNKXO0wRnear8XSg4XFPLKEPUS1GqvyLwiuBUoa7zpZ0l5xxFwWmWZC1H5h5FwU8eQ7K+g8UcVY6TMQreVQT/8uQ8Z+ALIXnSEa2pYZQneE9RZbSBNYXfWYJzW/h/4j4Dp1tYVcFIC5019Vyi4ThPqSFCzjGWaHQTBU8q6vrVwgxP9Lkm840imWKpcLCjYTtrKuwvsKSnrvHCXGkSMk9p6lhckfRpIeis+N2PiszT+mFLspyGleUhDwcLrZqmyeylxwjBcKHEapqkmyangyLZRVOijwOtCY5SsG5zL0OwlCJ4y5KznF3EUNDDrinwiyLZRzOXtlBbK5ITHFGLp8Q0R6ab6mS7enI2cFrxOyHvOCFaT1HThS1krjCwqWeurCkk+willhCC+RSZnRXBiZaC5RXRIZYKp2lyfrHwiKPKR0JDzrdU2EFgpidawlFDR6FgXUMNa+g1FY3bUQh2cLCwosRdnuQTS/S+JVrGLeWIvtQUvONJxlqSQYYKpwoN2kaocLjdVsis4Mk80ESF2YpSkzwldjHkjFCUutI/r+EHDU8oCs6yzL3PhWiEooZdFMkymlas4AcI3KmoMMNSQ3tHzjGWCrcJJdYyZC7QFGwjRL9p+MrRkAGWzIaWCn9W0F3TsK01c2ZvQw0byvxuQU0r1lM0qJO7wW0kRIMdDTtXEdzi4VIh+EoIHm0mWtAtpCixlabgn83fKTI7anJe9ST7WIK1DMGpQmYeA58ImV6ezOGOzK2Kgq01pd60cKWiUi9Lievb/0vIDPHQ05Kzt4ddPckQBQtoaurjyHnek/nKzpQLrVgKPjIkh2v4uyezpv+Xoo7fPFXaGFp1vaLKxQ4uUpQQS5VuQs7BCq4xRJv7fwpVvvFEB3j+620haOuocqMhWd6TTPAEx+mdFNGHdranFe95WrWmIvlY4F1Dle2ECgc6cto7SryuqGGGha0tFQ5V53migUKmg6XKAo4qS3mik+0OZpAhOLeZKicacgaYcyx5hypYQE02ZA4xi/pNhOQxR4klNKyqacj+mpxnLTnnGSo85++3ZCZq6lrZkXlGEX3o+C9FieccJbZWVFjC0Yo1FZnJhoYMFoI1hEZ9r6hwg75HwzBNhbZCdJEfJwTPGzJvaKImw1yYX1HDAmpXR+ZJQ/SmgqMNVQb5vgamGwLtt7VwvP7Qk1xpiM5x5Cyv93E06MZmgs0Nya2azIKOYKCGBQQW97RmhKNKF02JZqHEJ4o58qp7X5EcZmc56trXEqzjCBZ1MFGR87Ql2tSTs6CGxS05PTzRQorkbw7aKoKXFDXsYW42VJih/q+FP2BdTzDTwVqOYB13liM50vG7wy28qagyuIXMeQI/Oqq8bcn5wJI50xH00CRntyfpL1T4hydYpoXgNiFzoIUTDZnLNRzh4TBHwbYGDvZkxmlyJloyr6tRihpeUG94GnKtIznREF0tzJG/OOr73JBcrSh1k6WuTprgLU+mnSGnv6Zge0NNz+kTDdH8nuAuTdJDCNb21LCiIuqlYbqGzT3RAoZofQfjFazkqeNWdYaGvYTM001EW2oKPvVk1ldUGSgUtHFwjKM1h9jnFcmy5lChoLNaQMGGDsYbKixlaMBmmsx1QjCfflwTfO/gckW0ruZ3jugKR3R5W9hGUWqCgxuFgsuaCHorotGKzGaeZB9DMsaTnKCpMtwTvOzhYk0rdrArKCqcaWmVk1+F372ur1YkKxgatI8Qfe1gIX9wE9FgS8ESmuABIXnRUbCapcKe+nO7slClSZFzpV/LkLncEb1qiO42fS3R855Su2mCLh62t1SYZZYVmKwIHjREF2uihTzB20JOkz7dkxzYQnK0UOU494wh+VWRc6Un2kpTaVgLDFEkJ/uhzRcI0YKGgpGWOlocBU/a4fKoJ/pEaNV6jip3+Es9VXY078rGnmAdf7t9ylPXS34RBSuYPs1UecZTU78WanhBCHpZ5sAoTz0LGZKjPf9TRypqWEiTvOFglL1fCEY3wY/++rbk7C8bWebA6p6om6PgOL2kp44TFJlVNBXae2rqqdZztOJpT87GQsE9jqCPIe9VReZuQ/CIgacsyZdCpIScSYqcZk8r+nsyCzhyfhOqHGOIvrLknC8wTpFcaYiGC/RU1NRbUeUpocQOnkRpGOrIOcNRx+1uA0UrzhSSt+VyS3SJpnFWkzNDqOFGIWcfR86DnmARTQ1HKIL33ExPiemeOhYSSjzlSUZZuE4TveoJLnBUOFof6KiysCbnAEcZgcUNTDOwkqWu3RWtmGpZwlHhJENdZ3miGz0lJlsKnjbwqSHQjpxnFDlTLLwqJPMZMjd7KrzkSG7VsxXBZE+F8YZkb01Oe00yyRK9psh5SYh29ySPKBo2ylNht7ZkZnsKenjKNJu9PNEyZpaCHv4Kt6RQsLvAVp7M9kIimmCUwGeWqLMmGuIotYMmWNpSahkhZw9FqZsVnKJhsjAHvtHMsTM9fCI06Dx/u3vfUXCqfsKRc4oFY2jMsoo/7DJDwZ1CsIKnJu+J9ldkpmiCxQx1rWjI+T9FwcWWzOuaYH0Hj7klNRVWEQpmaqosakiGNTFHdjS/qnUdmf0NJW5xsL0HhimCCZZSRzmSPTXJQ4aaztAwtZnoabebJ+htCaZ7Cm535ByoqXKbX1WRc4Eh2MkRXWzImVc96Cj4VdOKVxR84VdQsIUM8Psoou2byVHyZFuq7O8otbSQ2UAoeEWTudATLGSpZzVLlXVkPU2Jc+27lsw2jmg5T5VhbeE3BT083K9WsTTkFU/Osi0rC5lRlpwRHUiesNS0sOvmqGML1aRbPAxTJD9ZKtxuob+hhl8cwYGWpJ8nub7t5p6coYbMovZ1BTdaKn1jYD6h4GFDNFyT/Kqe1XCXphXHOKLZmuRSRdBPEfVUXQzJm5YGPGGJdvAEr7hHNdGZnuBvrpciGmopOLf5N0uVMy0FfYToJk90uUCbJupaVpO53UJXR2bVpoU00V2KOo4zMFrBd0Jtz2pa0clT5Q5L8IpQ177mWQejPMEJhuQjS10ref6HHjdEhy1P1EYR7GtO0uSsKJQYLiTnG1rVScj5lyazpqWGl5uBbRWl7m6ixGOOnEsMJR7z8J0n6KMnCdxhiNYQCoZ6CmYLnO8omC3MkW3bktlPmEt/VQQHejL3+dOE5FlPdK/Mq8hZxxJtLyRrepLThYKbLZxkSb5W52vYxNOaOxUF0yxMUPwBTYqCzy01XayYK0sJyWBLqX0MwU5CzoymRzV0EjjeUeLgDpTo6ij42ZAzvD01dHUUTPLU96MdLbBME8nFBn7zJCMtJcZokn8YoqU0FS5WFKyniHobguMcmW8N0XkWZjkyN3hqOMtS08r+/xTBwpZSZ3qiVRX8SzMHHjfUNFjgHEPmY9PL3ykEzxkSre/1ZD6z/NuznuB0RcE1TWTm9zRgfUWVJiG6yrzgmWPXC8EAR4Wxhlad0ZbgQyEz3pG5RVEwwDJH2mgKpjcTiCOzn1lfUWANFbZ2BA8balnEweJC9J0iuaeZoI+ippFCztEKVvckR2iice1JvhVytrQwUAZpgsubCPaU7xUe9vWnaOpaSBEspalykhC9bUlOMpT42ZHca6hyrqKmw/wMR8H5ZmdFoBVJb03O4UL0tSNnvIeRmkrLWqrs78gcrEn2tpcboh0UPOW3UUR9PMk4T4nnNKWmCjlrefhCwxRNztfmIQVdDElvS4m1/WuOujoZCs5XVOjtKPGokJzsYCtFYoWonSPT21DheU/wWhM19FcElwqNGOsp9Q8N/cwXaiND1MmeL1Q5XROtYYgGeFq1aTMsoMmcrKjQrOFQTQ1fmBYhmW6o8Jkjc7iDJRTBIo5kgJD5yMEYA3srCg7VFKwiVJkmRCc5ohGOKhsYMn/XBLdo5taZjlb9YAlGWRimqbCsoY7HFAXLa5I1HPRxMMsQDHFkWtRNniqT9UEeNjcE7RUlrCJ4R2CSJuqlKHWvJXjAUNcITYkenuBRB84TbeepcqTj3zZyFJzgYQdHnqfgI0ddUwS6GqWpsKWhjq9cV0vBAEMN2znq+EBfIWT+pClYw5xsTlJU6GeIBsjGmmANTzJZiIYpgrM0Oa8ZMjd7NP87jxhqGOhJlnQtjuQpB+8aEE00wZFznSJPyHxgH3HkPOsJFvYk8zqCHzTs1BYOa4J3PFU+UVRZxlHDM4YavlNUuMoRveiZA2d7grMNc2g+RbSCEKzmgYsUmWmazFJyoiOZ4KnyhKOGRzWJa0+moyV4TVHDzn51Awtqaphfk/lRQ08FX1iiqxTB/kLwd0VynKfEvI6cd4XMV5bMhZ7gZUWVzYQ6Nm2BYzxJbw3bGthEUUMfgbGeorae6DxHtJoZ6alhZ0+ytiVoK1R4z5PTrOECT/SugseEOlb1MMNR4VRNcJy+V1Hg9ONClSZFZjdHlc6W6FBLdJja2MC5hhpu0DBYEY1TFGwiFAxRRCsYkiM9JRb0JNMVkW6CZYT/2EiTGWmo8k+h4FhDNE7BvppoTSFnmCV5xZKzvcCdDo7VVPnIU+I+Rc68juApC90MwcFCsJ5hDqxgScYKreruyQwTqrzoqDCmhWi4IbhB0Yrt3RGa6GfDv52rKXWhh28dyZaWUvcZeMTBaZoSGyiCtRU5J8iviioHaErs7Jkj61syVzTTgOcUOQ8buFBTYWdL5g3T4qlpe0+wvD63heAXRfCCIed9RbCsp2CiI7raUOYOTU13N8PNHvpaGvayo4a3LLT1lDrVEPT2zLUlheB1R+ZTRfKWJ+dcocLJfi11vyJ51lLqJ0WD7tRwryezjiV5W28uJO9qykzX8JDe2lHl/9oyBwa2UMfOngpXCixvKdXTk3wrsKmiVYdZIqsoWEERjbcUNDuiaQomGoIbFdEHmsyWnuR+IeriKDVLnlawlyNHKwKlSU631PKep8J4Q+ayjkSLKYLhalNHlYvttb6fHm0p6OApsZ4l2VfdqZkjuysy6ysKLlckf1KUutCTs39bmCgEyyoasIWlVaMF7mgmWtBT8Kol5xpH9IGllo8cJdopcvZ2sImlDmMIbtDk3KIpeNiS08lQw11NFPTwVFlPP6pJ2gvRfI7gQUfmNAtf6Gs0wQxDsKGlVBdF8rCa3jzdwMaGHOsItrZk7hAyOzpK9VS06j5F49b0VNGOOfKs3lDToMsMBe9ZWtHFEgxTJLs7qrygKZjUnmCYoeAqeU6jqWuLJup4WghOdvCYJnrSkSzoyRkm5M2StQwVltPkfCAk58tET/CSg+8MUecmotMEnhBKfWBIZsg2ihruMJQaoIm+tkTLKEqspMh00w95gvFCQRtDwTT1gVDDSEVdlwqZfxoQRbK0g+tbiBZxzKlpnpypejdDwTaeOvorMk/IJE10h9CqRe28hhLbe0pMsdSwv4ZbhKivo2BjDWfL8UKJgeavwlwb5KlwhyE4u4XkGE2ytZCznKLCDZZq42VzT8HLCrpruFbIfOIINmh/qCdZ1ZBc65kLHR1Bkyf5zn6pN3SvGKIlFNGplhrO9QSXanLOMQTLCa0YJCRrCZm/CZmrLTm7WzCK4GJDiWUdFeYx1LCFg3NMd0XmCuF3Y5rITLDUsYS9zoHVzwnJoYpSTQoObyEzr4cFBNqYTopoaU/wkyLZ2lPhX/5Y95ulxGTV7KjhWrOZgl8MyUUafjYraNjNU1N3IWcjT5WzWqjwtoarHSUObGYO3GCJZpsBlnJGPd6ZYLyl1GdCA2625IwwJDP8GUKymbzuyPlZlvTUsaUh5zFDhRWFzPKKZLAlWdcQbObgF9tOqOsmB1dqcqYJmWstFbZRRI9poolmqiLnU0POvxScpah2iSL5UJNzgScY5+AuIbpO0YD3NCW+dLMszFSdFCWGqG6eVq2uYVNDdICGD6W7EPRWZEY5gpsE9rUkS3mijzzJnm6UpUFXG1hCUeVoS5WfNcFpblELL2qqrCvMvRfd45oalvKU2tiQ6ePJOVMRXase9iTtLJztPxJKLWpo2CRDcJwn2sWSLKIO1WQWNTCvpVUvOZhgSC40JD0dOctaSqzkCRbXsKlb11Oip6PCJ0IwSJM31j3akRxlP7Rwn6aGaUL0qiLnJkvB3xWZ2+Q1TfCwpQH3G0o92UzmX4o/oJNQMMSQc547wVHhdk+VCw01DFYEnTxzZKAm74QmeNNR1w6WzEhNK15VJzuCdxQ53dRUDws5KvwgBMOEgpcVNe0hZI6RXT1Jd0cyj5nsaEAHgVmGaJIlWdsc5Ui2ElrRR6jrRAttNMEAIWrTDFubkZaok7/AkzfIwfuWVq0jHzuCK4QabtLUMVPB3kJ0oyHTSVFlqMALilJf2Rf8k5aaHtMfayocLBS8L89oKoxpJvnAkDPa0qp5DAUTHKWmCcnthlou8iCKaFFLHWcINd1nyIwXqrSxMNmSs6KmoL2QrKuWtlQ5V0120xQ5vRyZS1rgFkWwhiOwiuQbR0OOVhQM9iS3tiXp4RawRPMp5tDletOOBL95MpM01dZTBM9pkn5qF010rIeHFcFZhmSGpYpTsI6nwhqe5C9ynhlpp5ophuRb6WcJFldkVnVEwwxVfrVkvnWUuNLCg5bgboFHPDlDPDmnK7hUrWiIbjadDclujlZcaokOFup4Ri1kacV6jmrrK1hN9bGwpKEBQ4Q6DvIUXOmo6U5LqQM6EPyiKNjVkPnJkDPNEaxhiFay5ExW1NXVUGqcpYYdPcGiCq7z/TSlbhL4pplWXKd7NZO5QQFrefhRQW/NHOsqcIglc4UhWklR8K0QzbAw08CBDnpbgqXdeD/QUsM4RZXDFBW6WJKe/mFPdH0LtBgiq57wFLzlyQzz82qYx5D5WJP5yVJDW01BfyHnS6HKO/reZqId1WGa4Hkh2kWodJ8i6KoIPlAj2hPt76CzXsVR6koPRzWTfKqIentatYpQw2me4AA3y1Kind3SwoOKZDcFXTwl9tWU6mfgRk9d71sKtlNwrjnYw5tC5n5LdKiGry3JKNlHEd3oaMCFHrazBPMp/uNJ+V7IudcSbeOIdjUEdwl0VHCOZo5t6YluEuaC9mQeMgSfOyKnYGFHcIeQ84yQWbuJYJpZw5CzglDH7gKnWqqM9ZTaXcN0TeYhR84eQtJT76JJ1lREe7WnnvsMmRc9FQ7SBBM9mV3lCUdmHk/S2RAMt0QjFNFqQpWjDPQ01DXWUdDBkXziKPjGEP3VP+zIWU2t7im41FOloyWzn/L6dkUy3VLDaZ6appgDLHPjJEsyvJngWEPUyVBiAaHCTEXwrLvSEbV1e1gKJniicWorC1MUrVjB3uDhJE/wgSOzk1DXpk0k73qCM8xw2UvD5kJmDUfOomqMpWCkJRlvKXGmoeBm18USjVIk04SClxTB6YrgLAPLWYK9HLUt5cmc0vYES8GnTeRc6skZbQkWdxRsIcyBRzx1DbTk9FbU0caTPOgJHhJKnOGIVhQqvKmo0llRw9sabrZkDtdg3PqaKi9oatjY8B+G371paMg6+mZFNNtQ04mWBq3rYLOmtWWQp8KJnpy9DdFensyjdqZ+yY40VJlH8wcdLzC8PZnvHMFUTZUrDTkLyQaGus5X5LzpYAf3i+e/ZlhqGqWhh6Ou6xTR9Z6oi5AZZtp7Mj2EEm8oSpxiYZCHU/1fbGdNNNRRoZMhmilEb2gqHOEJDtXkHK/JnG6IrvbPCwV3NhONVdS1thBMs1T4QOBcTWa2IzhMk2nW5Kyn9tXUtpv9RsG2msxk+ZsQzRQacJncpgke0+T8y5Fzj8BiGo7XlJjaTIlpQs7KFjpqGnKuoyEPeIKnFMkZHvopgh81ySxNFWvJWcKRs70j2FOT012IllEEO1n4pD1513Yg2ssQPOThOkvyrqHUdEXOSEsihmBbTbKX1kLBPWqWkLOqJbjB3GBIZmoa8qWl4CG/iZ7oiA72ZL7TJNeZUY7kFQftDcHHluBzRbCegzMtrRjVQpX2lgoPKKLJAkcbMl01XK2p7yhL8pCBbQ3BN2avJgKvttcrWDK3CiUOVxQ8ZP+pqXKyIxnmBymCg5vJjNfkPK4+c8cIfK8ocVt7kmfd/I5SR1hKvCzUtb+lhgc00ZaO6CyhIQP1Uv4yIZjload72PXX0OIJvnFU+0Zf6MhsJwTfW0r0UwQfW4LNLZl5HK261JCZ4qnBaAreVAS3WrjV0LBnNDUNNDToCEeFfwgcb4gOEqLRhirWkexrCEYKVV711DLYEE1XBEsp5tpTGjorkomKYF9FDXv7fR3BGwbettSxnyL53MBPjsxDZjMh+VUW9NRxq1DhVk+FSxQcaGjV9Pawv6eGByw5qzoy7xk4RsOShqjJwWKe/1pEEfzkobeD/dQJmpqedcyBTy2sr4nGNRH0c0SPWTLrqAc0OQcb/gemKgqucQT7ySWKCn2EUotoCvpZct7RO2sy/QW0IWcXd7pQRQyZVwT2USRO87uhjioTLKV2brpMUcMQRbKH/N2T+UlTpaMls6cmc6CCNy3JdYYSUzzJQ4oSD3oKLncULOiJvjBEC2oqnCJkJluCYy2ZQ5so9YYlZ1VLlQU1mXEW1jZERwj/MUSRc24TdexlqLKfQBtDTScJUV8FszXBEY5ktpD5Ur9hYB4Nb1iikw3JoYpkKX+RodRKFt53MMuRnKSpY31PwYaGaILh3wxJGz9TkTPEETxoCWZrgvOlmyMzxFEwVJE5xZKzvyJ4WxEc16Gd4Xe3Weq4XH2jKRikqOkGQ87hQnC7wBmGYLAnesX3M+S87eFATauuN+Qcrh7xIxXJbUIdMw3JGE3ylCWzrieaqCn4zhGM19TQ3z1oH1AX+pWEqIc7wNGAkULBo/ZxRaV9NNyh4Br3rCHZzbzmSfawBL0dNRwpW1kK9mxPXR9povcdrGSZK9c2k0xwFGzjuniCtRSZCZ6ccZ7gaktmgAOtKbG/JnOkJrjcQTdFMsxRQ2cLY3WTIrlCw1eWKn8R6pvt4GFDso3QoL4a3nLk3G6JrtME3dSenpx7PNFTmga0EaJTLQ061sEeQoWXhSo9LTXsaSjoJQRXeZLtDclbCrYzfzHHeaKjHCVOUkQHO3JeEepr56mhiyaYYKjjNU+Fed1wS5VlhWSqI/hYUdDOkaxiKehoyOnrCV5yBHtbWFqTHCCwtpDcYolesVR5yUzTZBb3RNMd0d6WP+SvhuBmRcGxnuQzT95IC285cr41cLGQ6aJJhmi4TMGempxeimBRQw1tFKV+8jd6KuzoSTqqDxzRtpZkurvKEHxlqXKRIjjfUNNXQsNOsRScoWFLT+YeRZVD3GRN0MdQcKqQjHDMrdGGVu3iYJpQx3WGUvfbmxwFfR20WBq0oYY7LMFhhgYtr8jpaEnaOzjawWWaTP8mMr0t/EPDPoqcnxTBI5o58L7uoWnMrpoqPwgVrlAUWE+V+TQl9rawoyP6QGAlQw2TPRX+YSkxyBC8Z6jhHkXBgQL7WII3DVFnRfCrBfxewv9D6xsyjys4VkhWb9pUU627JllV0YDNHMku/ldNMMXDEo4aFnAkk4U6frNEU4XgZUPmEKHUl44KrzmYamjAbh0JFvGnaTLPu1s9jPCwjFpYiN7z1DTOk/nc07CfDFzmCf7i+bfNHXhDtLeBXzTBT5rkMvWOIxpl4EMh2LGJBu2syDnAEx2naEhHDWMMzPZEhygyS1mS5RTJr5ZkoKbEUoYqr2kqdDUE8ztK7OaIntJkFrIECwv8LJTaVx5XJE86go8dFeZ3FN3rjabCAYpoYEeC9zzJVULBbmZhDyd7ko09ydpNZ3nm2Kee4FPPXHnYEF1nqOFEC08LUVcDvYXkJHW8gTaKCk9YGOeIJhqiE4ToPEepdp7IWFjdwnWaufGMwJJCMtUTTBBK9BGCOy2tGGrJTHIwyEOzp6aPzNMOtlZkDvcEWpP5SVNhfkvDxhmSazTJXYrM9U1E0xwFVwqZQwzJxw6+kGGGUj2FglGGmnb1/G51udRSMNlTw6GGnCcUwVcOpmsqTHa06o72sw1RL02p9z0VbnMLOaIX3QKaYKSCFQzBKEUNHTSc48k53RH9wxGMtpQa5KjjW0W0n6XCCCG4yxNNdhQ4R4l1Ff+2sSd6UFHiIEOyqqFgT01mEUMD+joy75jPhOA+oVVLm309FR4yVOlp4RhLiScNmSmaYF5Pw0STrOIoWMSR2UkRXOMp+M4SHW8o8Zoi6OZgjKOaFar8zZDzkWzvKOjkKBjmCXby8JahhjXULY4KlzgKLvAwxVGhvyd4zxB1d9T0piazmKLCVZY5sKiD0y2ZSYrkUEPUbIk+dlQ4SJHTR50k1DPaUWIdTZW9NJwnJMOECgd7ou/MnppMJ02O1VT4Wsh85MnZzcFTngpXGKo84qmwgKbCL/orR/SzJ2crA+t6Mp94KvxJUeIbT3CQu1uIdlQEOzlKfS3UMcrTiFmOuroocrZrT2AcmamOKg8YomeEKm/rlT2sociMaybaUlFhuqHCM2qIJ+rg4EcDFymiDSxzaHdPcpE62pD5kyM5SBMoA1PaUtfIthS85ig1VPiPPYXgYEMNk4Qq7TXBgo7oT57gPUdwgCHzhIVFPFU6OYJzHAX9m5oNrVjeE61miDrqQ4VSa1oiURTsKHC0IfjNwU2WzK6eqK8jWln4g15TVBnqmDteCJ501PGAocJhhqjZdtBEB6lnhLreFJKxmlKbeGrqLiSThVIbCdGzloasa6lpMQXHCME2boLpJgT7yWaemu6wBONbqGNVRS0PKIL7LckbjmQtR7K8I5qtqel+T/ChJTNIKLjdUMNIRyvOEko9YYl2cwQveBikCNawJKcLBbc7+JM92mysNvd/Fqp8a0k6CNEe7cnZrxlW0wQXaXjaktnRwNOGZKYiONwS7a1JVheq3WgJHlQUGKHKmp4KAxXR/ULURcNgoa4zhKSLpZR3kxRRb0NmD0OFn+UCS7CzI1nbP6+o4x47QZE5xRCt3ZagnYcvmpYQktXdk5YKXTzBC57kKEe0VVuiSYqapssMS3C9p2CKkHOg8B8Pa8p5atrIw3qezIWanMGa5HRDNF6RM9wcacl0N+Q8Z8hsIkSnaIIdHRUOEebAPy1zbCkhM062FCJtif7PU+UtoVXzWKqM1PxXO8cfdruhFQ/a6x3JKYagvVDhQEtNiyiiSQ7OsuRsZUku0CRNDs4Sog6KKjsZgk2bYJqijgsEenoKeniinRXBn/U3lgpPdyDZynQx8IiioMnCep5Ky8mjGs6Wty0l1hUQTcNWswS3WRp2kCNZwJG8omG8JphPUaFbC8lEfabwP7VtM9yoaNCAjpR41VNhrD9LkbN722v0CoZMByFzhaW+MyzRYEWFDQwN2M4/JiT76PuljT3VU/A36eaIThb+R9oZGOAJ9tewkgGvqOMNRWYjT/Cwu99Q8LqDE4TgbLWxJ1jaDDAERsFOFrobgjUsBScaguXU8kKm2RL19tRypSHnHNlHiIZqgufs4opgQdVdwxBNNFBR6kVFqb8ogimOzB6a6HTzrlDHEpYaxjiiA4TMQobkDg2vejjfwJGWmnbVFAw3H3hq2NyQfG7hz4aC+w3BbwbesG0swYayvpAs6++Ri1Vfzx93mFChvyN5xVHTS+0p9aqCAxyZ6ZacZyw5+7uuQkFPR9DDk9NOiE7X1PCYJVjVUqq7JlrHwWALF5nfHNGjApdpqgzx5OwilDhCiDYTgnc9waGW4BdLNNUQvOtpzDOWHDH8D7TR/A/85KljEQu3NREc4Pl/6B1Hhc8Umb5CsKMmGC9EPcxoT2amwHNCmeOEnOPbklnMkbOgIvO5UMOpQrS9UGVdt6iH/fURjhI/WOpaW9OKLYRod6HCUEdOX000wpDZQ6hwg6LgZfOqo1RfT/CrJzjekXOGhpc1VW71ZLbXyyp+93ILbC1kPtIEYx0FIx1VDrLoVzXRKRYWk809yYlC9ImcrinxtabKnzRJk3lAU1OLEN1j2zrYzr2myHRXJFf4h4QKT1qSTzTB5+ZNTzTRkAxX8FcLV2uS8eoQQ2aAkFzvCM72sJIcJET3WPjRk5wi32uSS9rfZajpWEvj9hW42F4o5NytSXYy8IKHay10VYdrcl4SkqscrXpMwyGOgtkajheSxdQqmpxP1L3t4R5PqasFnrQEjytq6qgp9Y09Qx9o4S1FzhUCn1kyHSzBWLemoSGvOqLNhZyBjmCaAUYpMgt4Ck7wBBMMwWKWgjsUwTaGVsxWC1mYoKiyqqeGKYqonSIRQ3KIkHO0pmAxTdBHkbOvfllfr+AA+7gnc50huVKYK393FOyg7rbPO/izI7hE4CnHHHnJ0ogNPRUGeUpsrZZTBJcrovUcJe51BPsr6GkJdhCCsZ6aTtMEb2pqWkqeVtDXE/QVggsU/Nl86d9RMF3DxvZTA58agu810RWawCiSzzXBeU3MMW9oyJUedvNEvQyNu1f10BSMddR1vaLCYpYa/mGocLSiYDcLbQz8aMn5iyF4xBNMs1P0QEOV7o5gaWGuzSeLue4tt3ro7y4Tgm4G/mopdZgl6q0o6KzJWE3mMksNr3r+a6CbT8g5wZNzT9O7fi/zpaOmnz3BRoqos+tv9zMbdpxsqDBOEewtJLt7cg5wtKKbvldpSzRRCD43VFheCI7yZLppggMVBS/KMAdHODJvOwq2NQSbKKKPLdFWQs7Fqo+mpl01JXYRgq8dnGLhTiFzqmWsUMdpllZdbKlyvSdYxhI9YghOtxR8LgSLWHK62mGGVoxzBE8LNWzqH9CUesQzFy5RQzTc56mhi6fgXEWwpKfE5Z7M05ZgZUPmo6auiv8YKzDYwWBLMErIbKHJvOwIrvEdhOBcQ9JdU1NHQ7CXn2XIDFBKU2WAgcX9UAUzDXWd5alwuyJ41Z9rjKLCL4aCp4WarhPm2rH+SaHUYE001JDZ2ZAzXPjdMpZWvC9wmqIB2lLhQ01D5jO06hghWMndbM7yRJMsoCj1vYbnFQVrW9jak3OlEJ3s/96+p33dEPRV5GxiqaGjIthUU6FFEZyqCa5qJrpBdzSw95IUnOPIrCUUjRZQFrbw5PR0R1qiYx3cb6nrWUMrBmmiBQxVHtTew5ICP/ip6g4hed/Akob/32wvBHsIOX83cI8hGeNeNPCIkPmXe8fPKx84OMSRM1MTdXSwjCZ4S30jVGhvqTRak/OVhgGazHuOCud5onEO1lJr6ecVyaOK6H7zqlBlIaHE0oroCgfvGJIdPcmfLNGLjpz7hZwZQpUbFME0A1cIJa7VNORkgfsMBatbKgwwJM9bSvQXeNOvbIjelg6WWvo5kvbKaJJNHexkKNHL9xRyFlH8Ti2riB5wVPhUk7nGkJnoCe428LR/wRGdYIlmWebCyxou1rCk4g/ShugBDX0V0ZQWkh0dOVsagkM0yV6OoLd5ye+pRlsCr0n+KiQrGuq5yJDzrTAXHtLUMduTDBVKrSm3eHL+6ijxhFDX9Z5gVU/wliHYTMiMFpKLNMEywu80wd3meoFmt6VbRMPenhrOc6DVe4pgXU8DnnHakLOIIrlF4FZPIw6R+zxBP0dyq6OOZ4Q5sLKCcz084ok+VsMMyQhNZmmBgX5xIXOEJTmi7VsGTvMTNdHHhpzdbE8Du2oKxgvBqQKdDDnTFOylCFaxR1syz2iqrOI/FEpNc3C6f11/7+ASS6l2inq2ciTrCCzgyemrCL5SVPjQkdPZUmGy2c9Sw9FtR1sS30RmsKPCS4rkIC/2U0MduwucYolGaPjKEyhzmiPYXagyWbYz8LWBDdzRimAXzxx4z8K9hpzlhLq+NiQ97HuKorMUfK/OVvC2JfiHUPCQI/q7J2gjK+tTDNxkCc4TMssqCs4TGtLVwQihyoAWgj9bosU80XGW6Ac9TJGziaUh5+hnFcHOnlaM1iRn29NaqGENTTTSUHCH2tWTeV0osUhH6psuVLjRUmGWhm6OZEshGeNowABHcJ2Bpy2ZszRcKkRXd2QuKVEeXnbfaEq825FguqfgfE2whlChSRMdron+LATTPQ2Z369t4B9C5gs/ylzv+CMmepIDPclFQl13W0rspPd1JOcbghGOEutqCv5qacURQl3dDKyvyJlqKXGPgcM9FfawJAMVmdcspcYKOZc4GjDYkFlK05olNMHyHn4zFNykyOxt99RkHlfwmiHo60l2EKI+mhreEKp080Tbug08BVPcgoqC5zWt+NLDTZ7oNSF51N1qie7Va3uCCwyZbkINf/NED6jzOsBdZjFN8oqG3wxVunqCSYYKf3EdhJyf9YWGf7tRU2oH3VHgPr1fe5J9hOgHd7xQ0y7qBwXr23aGErP0cm64JVjZwsOGqL+mhNgZmhJLW2oY4UhedsyBgzrCKrq7BmcpNVhR6jBPq64Vgi+kn6XE68pp8J5/+0wRHGOpsKenQn9DZntPzjRLZpDAdD2fnSgkG9tmIXnUwQ6WVighs7Yi2MxQ0N3CqYaCXkJ0oyOztMDJjmSSpcpvlrk0RMMOjmArQ04PRV1DO1FwhCVaUVPpKUM03JK5SxPsIWRu8/CGHi8UHChiqGFDTbSRJWeYUDDcH6vJWUxR4k1FXbMUwV6e4AJFXS8oMqsZKqzvYQ9DDQdZckY4aGsIhtlubbd2r3j4QBMoTamdPZk7O/Bf62lacZwneNjQoGcdVU7zJOd7ghsUHOkosagic6cnWc8+4gg285R6zZP5s1/LUbCKIznTwK36PkdwlOrl4U1LwfdCCa+IrvFkmgw1PCAUXKWo0sURXWcI2muKJlgyFzhynCY4RBOsqCjoI1R5zREco0n2Vt09BQtYSizgKNHfUmUrQ5UOCh51BFcLmY7umhYqXKQomOop8bUnWNNQcIiBcYaC6xzMNOS8JQQfeqKBmmglB+97ok/lfk3ygaHSyZaCRTzRxQo6GzLfa2jWBPepw+UmT7SQEJyiyRkhBLMVOfcoMjcK0eZChfUNzFAUzCsEN5vP/X1uP/n/aoMX+K+nw/Hjr/9xOo7j7Pju61tLcgvJpTWXNbfN5jLpi6VfCOviTktKlFusQixdEKWmEBUKNaIpjZRSSOXSgzaaKLdabrm1/9nZ+/f+vd/vz/v9+Xy+zZ7PRorYoZqyLrCwQdEAixxVOEXNNnjX2nUSRlkqGmWowk8lxR50JPy9Bo6qJXaXwNvREBvnThPEPrewryLhcAnj5WE15Fqi8W7R1sAuEu86S4ENikItFN4xkv9Af4nXSnUVcLiA9xzesFpivRRVeFKtsMRaKBhuSbjOELnAUtlSQUpXgdfB4Z1oSbnFEetbQ0IrAe+Y+pqnDcEJFj6S8LDZzZHwY4e3XONNlARraomNEt2bkvGsosA3ioyHm+6jCMbI59wqt4eeara28IzEmyPgoRaUOEDhTVdEJhmCoTWfC0p8aNkCp0oYqih2iqGi4yXeMkOsn4LdLLnmKfh/YogjNsPebeFGR4m9BJHLzB61XQ3BtpISfS2FugsK9FAtLWX1dCRcrCnUp44CNzuCowUZmxSRgYaE6Za0W2u/E7CVXCiI/UOR8aAm1+OSyE3mOUcwyc1zBBeoX1kiKy0Zfxck1Gsyulti11i83QTBF5Kg3pDQThFMVHiPSlK+0cSedng/VaS8bOZbtsBcTcZAR8JP5KeqQ1OYKAi20njdNNRpgnsU//K+JnaXJaGTomr7aYIphoRn9aeShJWKEq9LcozSF7QleEfDI5LYm5bgVkFkRwVDBCVu0DDIkGupo8TZBq+/pMQURYErJQmPKGKjNDkWOLx7Jd5QizdUweIaKrlP7SwJDhZvONjLkOsBBX9UpGxnydhXkfBLQ8IxgojQbLFnJf81JytSljclYYyEFyx0kVBvKWOFJmONpshGAcsduQY5giVNCV51eOdJYo/pLhbvM0uDHSevNKRcrKZIqnCtJeEsO95RoqcgGK4ocZcho1tTYtcZvH41pNQ7vA0WrhIfOSraIIntIAi+NXWCErdbkvrWwjRLrt0NKUdL6KSOscTOdMSOUtBHwL6OLA0vNSdynaWQEnCpIvKaIrJJEbvHkmuNhn6OjM8VkSGSqn1uYJCGHnq9I3aLhNME3t6GjIkO7xrNFumpyTNX/NrwX7CrIRiqqWijI9JO4d1iieykyfiposQIQ8YjjsjlBh6oHWbwRjgYJQn2NgSnNycmJAk3NiXhx44Sxykihxm8ybUwT1OVKySc7vi3OXVkdBJ4AyXBeksDXG0IhgtYY0lY5ahCD0ehborIk5aUWRJviMA7Xt5kyRjonrXENkm8yYqgs8VzgrJmClK20uMM3jRJ0FiQICQF9hdETlLQWRIb5ki6WDfWRPobvO6a4GP5mcOrNzDFELtTkONLh9dXE8xypEg7z8A9jkhrQ6Fhjlg/QVktJXxt4WXzT/03Q8IaQWSqIuEvloQ2mqC9Jfi7wRul4RX3pSPlzpoVlmCtI2jvKHCFhjcM3sN6lqF6HxnKelLjXWbwrpR4xzuCrTUZx2qq9oAh8p6ixCUGr78g8oyjRAtB5CZFwi80VerVpI0h+IeBxa6Zg6kWvpDHaioYYuEsRbDC3eOmC2JvGYLeioxGknL2UATNJN6hmtj1DlpLvDVmocYbrGCVJKOrg4X6DgddLA203BKMFngdJJFtFd7vJLm6KEpc5yjQrkk7M80SGe34X24nSex1Ra5Omgb71JKyg8SrU3i/kARKwWpH0kOGhKkObyfd0ZGjvyXlAkVZ4xRbYJ2irFMkFY1SwyWxr2oo4zlNiV+7zmaweFpT4kR3kaDAFW6xpSqzJay05FtYR4HmZhc9UxKbbfF2V8RG1MBmSaE+kmC6JnaRXK9gsiXhJHl/U0qM0WTcbyhwkYIvFGwjSbjfwhiJt8ZSQU+Bd5+marPMOkVkD0muxYLIfEuhh60x/J92itguihJSEMySVPQnTewnEm+620rTQEMsOfo4/kP/0ARvWjitlpSX7GxBgcMEsd3EEeYWvdytd+Saawi6aCIj1CkGb6Aj9rwhx16Cf3vAwFy5pyLhVonXzy51FDpdEblbkdJbUcEPDEFzQ8qNmhzzLTmmKWKbFCXeEuRabp6rxbvAtLF442QjQ+wEA9eL1xSR7Q0JXzlSHjJ4exq89yR0laScJ/FW6z4a73pFMEfDiRZvuvijIt86RaSFOl01riV2mD1UEvxGk/Geg5aWwGki1zgKPG9J2U8PEg8qYvMsZeytiTRXBMslCU8JSlxi8EabjwUldlDNLfzTUmCgxWsjqWCOHavYAqsknKFIO0yQ61VL5AVFxk6WhEaCAkdJgt9aSkzXlKNX2jEa79waYuc7gq0N3GDJGCBhoiTXUEPsdknCUE1CK0fwsiaylSF2uiDyO4XX3pFhNd7R4itFGc0k/ElBZwWvq+GC6szVeEoS/MZ+qylwpKNKv9Z469UOjqCjwlusicyTxG6VpNxcQ8IncoR4RhLbR+NdpGGmJWOcIzJGUuKPGpQg8rrG21dOMqQssJQ4RxH5jaUqnZuQ0F4Q+cjxLwPtpZbIAk3QTJHQWBE5S1BokoVtDd6lhqr9UpHSUxMcIYl9pojsb8h4SBOsMQcqvOWC2E8EVehqiJ1hrrAEbQxeK0NGZ0Gkq+guSRgniM23bIHVkqwx4hiHd7smaOyglyIyQuM978j4VS08J/A2G1KeMBRo4fBaSNhKUEZfQewVQ/C1I+MgfbEleEzCUw7mKXI0M3hd1EESVji8x5uQ41nxs1q4RMJCCXs7Iq9acpxn22oSDnQ/sJTxsCbHIYZiLyhY05TY0ZLIOQrGaSJDDN4t8pVaIrsqqFdEegtizc1iTew5Q4ayBDMUsQMkXocaYkc0hZua412siZ1rSXlR460zRJ5SlHGe5j801RLMlJTxtaOM3Q1pvxJ45zUlWFD7rsAbpfEm1JHxG0eh8w2R7QQVzBUw28FhFp5QZzq8t2rx2joqulYTWSuJdTYfWwqMFMcovFmSyJPNyLhE4E10pHzYjOC3huArRa571ZsGajQpQx38SBP5pyZB6lMU3khDnp0MBV51BE9o2E+TY5Ml2E8S7C0o6w1xvCZjf0HkVEHCzFoyNmqC+9wdcqN+Tp7jSDheE9ws8Y5V0NJCn2bk2tqSY4okdrEhx1iDN8cSudwepWmAGXKcJXK65H9to8jYQRH7SBF01ESUJdd0TayVInaWhLkOjlXE5irKGOnI6GSWGCJa482zBI9rCr0jyTVcEuzriC1vcr6mwFGSiqy5zMwxBH/TJHwjSPhL8+01kaaSUuMFKTcLEvaUePcrSmwn8DZrgikWb7CGPxkSjhQwrRk57tctmxLsb9sZvL9LSlyuSLlWkqOjwduo8b6Uv1DkmudIeFF2dHCgxVtk8dpIvHpBxhEOdhKk7OLIUSdJ+cSRY57B+0DgGUUlNfpthTfGkauzxrvTsUUaCVhlKeteTXCoJDCa2NOKhOmC4G1H8JBd4OBZReSRGkqcb/CO1PyLJTLB4j1q8JYaIutEjSLX8YKM+a6phdMsdLFUoV5RTm9JSkuDN8WcIon0NZMNZWh1q8C7SJEwV5HxrmnnTrf3KoJBlmCYI2ilSLlfEvlE4011NNgjgthzEua0oKK7JLE7HZHlEl60BLMVFewg4EWNt0ThrVNEVkkiTwpKXSWJzdRENgvKGq4IhjsiezgSFtsfCUq8qki5S1LRQeYQQ4nemmCkImWMw3tFUoUBZk4NOeZYEp4XRKTGa6wJjrWNHBVJR4m3FCnbuD6aak2WsMTh3SZImGCIPKNgsDpVwnsa70K31lCFJZYcwwSMFcQulGTsZuEaSdBXkPGZhu0FsdUO73RHjq8MPGGIfaGIbVTk6iuI3GFgucHrIQkmWSJdBd7BBu+uOryWAhY7+Lki9rK5wtEQzWwvtbqGhIMFwWRJsElsY4m9IIg9L6lCX0VklaPAYkfkZEGDnOWowlBJjtMUkcGK4Lg6EtoZInMUBVYLgn0UsdmCyCz7gIGHFfk+k1QwTh5We7A9x+IdJ6CvIkEagms0hR50eH9UnTQJ+2oiKyVlLFUE+8gBGu8MQ3CppUHesnjTHN4QB/UGPhCTHLFPHMFrCqa73gqObUJGa03wgbhHkrCfpEpzNLE7JDS25FMKhlhKKWKfCgqstLCPu1zBXy0J2ztwjtixBu8UTRn9LVtkmCN2iyFhtME70JHRQ1KVZXqKI/KNIKYMCYs1GUMEKbM1bKOI9LDXC7zbHS+bt+1MTWS9odA9DtrYtpbImQJ2VHh/lisEwaHqUk1kjKTAKknkBEXkbkdMGwq0dnhzLJF3NJH3JVwrqOB4Sca2hti75nmJN0WzxS6UxDYoEpxpa4htVlRjkYE7DZGzJVU72uC9IyhQL4i8YfGWSYLLNcHXloyz7QhNifmKSE9JgfGmuyLhc403Xm9vqcp6gXe3xuuv8F6VJNxkyTHEkHG2g0aKXL0MsXc1bGfgas2//dCONXiNLCX+5mB7eZIl1kHh7ajwpikyzlUUWOVOsjSQlsS+M0R+pPje/dzBXRZGO0rMtgQrLLG9VSu9n6CMXS3BhwYmSoIBhsjNBmZbgusE9BCPCP5triU4VhNbJfE+swSP27aayE8tuTpYYjtrYjMVGZdp2NpS1s6aBnKSHDsbKuplKbHM4a0wMFd/5/DmGyKrJSUaW4IBrqUhx0vyfzTBBLPIUcnZdrAkNsKR0sWRspumSns6Ch0v/qqIbBYUWKvPU/CFoyrDJGwSNFhbA/MlzKqjrO80hRbpKx0Jewsi/STftwGSlKc1JZyAzx05dhLEdnfQvhZOqiHWWEAHC7+30FuRcZUgaO5gpaIK+xsiHRUsqaPElTV40xQZQ107Q9BZE1nryDVGU9ZSQ47bmhBpLcYpUt7S+xuK/FiT8qKjwXYw5ypS2iuCv7q1gtgjhuBuB8LCFY5cUuCNtsQOFcT+4Ih9JX+k8Ea6v0iCIRZOtCT0Et00JW5UeC85Cg0ScK0k411HcG1zKtre3SeITBRk7WfwDhEvaYLTHP9le0m8By0JDwn4TlLW/aJOvGHxdjYUes+ScZigCkYQdNdEOhkiezgShqkx8ueKjI8lDfK2oNiOFvrZH1hS+tk7NV7nOmLHicGWEgubkXKdwdtZknCLJXaCpkrjZBtLZFsDP9CdxWsSr05Sxl6CMmoFbCOgryX40uDtamB7SVmXW4Ihlgpmq+00tBKUUa83WbjLUNkzDmY7cow1JDygyPGlhgGKYKz4vcV7QBNbJIgM11TUqZaMdwTeSguH6rOaw1JRKzaaGyxVm2EJ/uCIrVWUcZUkcp2grMsEjK+DMwS59jQk3Kd6SEq1d0S6uVmO4Bc1lDXTUcHjluCXEq+1OlBDj1pi9zgiXxnKuE0SqTXwhqbETW6RggMEnGl/q49UT2iCzgJvRwVXS2K/d6+ZkyUl7jawSVLit46EwxVljDZwoSQ20sDBihztHfk2yA8NVZghiXwrYHQdfKAOtzsayjhY9bY0yE2CWEeJ9xfzO423xhL5syS2TFJofO2pboHob0nY4GiAgRrvGQEDa/FWSsoaaYl0syRsEt3kWoH3B01shCXhTUWe9w3Bt44SC9QCh3eShQctwbaK2ApLroGCMlZrYqvlY3qYhM0aXpFkPOuoqJ3Dm6fxXrGwVF9gCWZagjPqznfkuMKQ8DPTQRO8ZqG1hPGKEm9IgpGW4DZDgTNriTxvFiq+Lz+0cKfp4wj6OCK9JSnzNSn9LFU7UhKZZMnYwcJ8s8yRsECScK4j5UOB95HFO0CzhY4xJxuCix0lDlEUeMdS6EZBkTsUkZ4K74dugyTXS7aNgL8aqjDfkCE0ZbwkCXpaWCKhl8P7VD5jxykivSyxyZrYERbe168LYu9ZYh86IkscgVLE7tWPKmJv11CgoyJltMEbrohtVAQfO4ImltiHEroYEs7RxAarVpY8AwXMcMReFOTYWe5iiLRQxJ5Q8DtJ8LQhWOhIeFESPGsILhbNDRljNbHzNRlTFbk2S3L0NOS6V1KFJYKUbSTcIIhM0wQ/s2TM0SRMNcQmSap3jCH4yhJZKSkwyRHpYYgsFeQ4U7xoCB7VVOExhXepo9ABBsYbvGWKXPME3lyH95YioZ0gssQRWWbI+FaSMkXijZXwgiTlYdPdkNLaETxlyDVIwqeaEus0aTcYcg0RVOkpR3CSJqIddK+90JCxzsDVloyrFd5ZAr4TBKfaWa6boEA7C7s6EpYaeFPjveooY72mjIccLHJ9HUwVlDhKkmutJDJBwnp1rvulJZggKDRfbXAkvC/4l3ozQOG9a8lxjx0i7nV4jSXc7vhe3OwIxjgSHjdEhhsif9YkPGlus3iLFDnWOFhtCZbJg0UbQcIaR67JjthoCyMEZRwhiXWyxO5QxI6w5NhT4U1WsJvDO60J34fW9hwzwlKij6ZAW9ne4L0s8C6XeBMEkd/LQy1VucBRot6QMlbivaBhoBgjqGiCJNhsqVp/S2SsG6DIONCR0dXhvWbJ+MRRZJkkuEjgDXJjFQW6SSL7GXK8Z2CZg7cVsbWGoKmEpzQ5elpiy8Ryg7dMkLLUEauzeO86CuwlSOlgYLojZWeJ9xM3S1PWfEfKl5ISLQ0MEKR8YOB2QfCxJBjrKPCN4f9MkaSsqoVXJBmP7EpFZ9UQfOoOFwSzBN4MQ8LsGrymlipcJQhmy0GaQjPqCHaXRwuCZwRbqK2Fg9wlClZqYicrIgMdZfxTQ0c7TBIbrChxmuzoKG8XRaSrIhhiyNFJkrC7oIAWMEOQa5aBekPCRknCo4IKPrYkvCDI8aYmY7WFtprgekcJZ3oLIqssCSMtFbQTJKwXYy3BY5oCh2iKPCpJOE+zRdpYgi6O2KmOAgvVCYaU4ySRek1sgyFhJ403QFHiVEmJHwtybO1gs8Hr5+BETQX3War0qZngYGgtVZtoqd6vFSk/UwdZElYqyjrF4HXUeFspIi9IGKf4j92pKGAdCYMVsbcV3kRF0N+R8LUd5PCsIGWoxDtBkCI0nKofdJQxT+LtZflvuc8Q3CjwWkq8KwUpHzkK/NmSsclCL0nseQdj5FRH5CNHSgtLiW80Of5HU9Hhlsga9bnBq3fEVltKfO5IaSTmGjjc4J0otcP7QsJUSQM8pEj5/wCuUuC2DWz8AAAAAElFTkSuQmCC")}.cm-s-base16-dark.CodeMirror{background:#151515;color:#e0e0e0}.cm-s-base16-dark div.CodeMirror-selected{background:#303030}.cm-s-base16-dark .CodeMirror-line::selection,.cm-s-base16-dark .CodeMirror-line>span::selection,.cm-s-base16-dark .CodeMirror-line>span>span::selection{background:rgba(48,48,48,.99)}.cm-s-base16-dark .CodeMirror-line::-moz-selection,.cm-s-base16-dark .CodeMirror-line>span::-moz-selection,.cm-s-base16-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(48,48,48,.99)}.cm-s-base16-dark .CodeMirror-gutters{background:#151515;border-right:0}.cm-s-base16-dark .CodeMirror-guttermarker{color:#ac4142}.cm-s-base16-dark .CodeMirror-guttermarker-subtle,.cm-s-base16-dark .CodeMirror-linenumber{color:#505050}.cm-s-base16-dark .CodeMirror-cursor{border-left:1px solid #b0b0b0}.cm-s-base16-dark .cm-animate-fat-cursor,.cm-s-base16-dark.cm-fat-cursor .CodeMirror-cursor{background-color:#8e8d8875!important}.cm-s-base16-dark span.cm-comment{color:#8f5536}.cm-s-base16-dark span.cm-atom,.cm-s-base16-dark span.cm-number{color:#aa759f}.cm-s-base16-dark span.cm-attribute,.cm-s-base16-dark span.cm-property{color:#90a959}.cm-s-base16-dark span.cm-keyword{color:#ac4142}.cm-s-base16-dark span.cm-string{color:#f4bf75}.cm-s-base16-dark span.cm-variable{color:#90a959}.cm-s-base16-dark span.cm-variable-2{color:#6a9fb5}.cm-s-base16-dark span.cm-def{color:#d28445}.cm-s-base16-dark span.cm-bracket{color:#e0e0e0}.cm-s-base16-dark span.cm-tag{color:#ac4142}.cm-s-base16-dark span.cm-link{color:#aa759f}.cm-s-base16-dark span.cm-error{background:#ac4142;color:#b0b0b0}.cm-s-base16-dark .CodeMirror-activeline-background{background:#202020}.cm-s-base16-dark .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-base16-light.CodeMirror{background:#f5f5f5;color:#202020}.cm-s-base16-light div.CodeMirror-selected{background:#e0e0e0}.cm-s-base16-light .CodeMirror-line::selection,.cm-s-base16-light .CodeMirror-line>span::selection,.cm-s-base16-light .CodeMirror-line>span>span::selection{background:#e0e0e0}.cm-s-base16-light .CodeMirror-line::-moz-selection,.cm-s-base16-light .CodeMirror-line>span::-moz-selection,.cm-s-base16-light .CodeMirror-line>span>span::-moz-selection{background:#e0e0e0}.cm-s-base16-light .CodeMirror-gutters{background:#f5f5f5;border-right:0}.cm-s-base16-light .CodeMirror-guttermarker{color:#ac4142}.cm-s-base16-light .CodeMirror-guttermarker-subtle,.cm-s-base16-light .CodeMirror-linenumber{color:#b0b0b0}.cm-s-base16-light .CodeMirror-cursor{border-left:1px solid #505050}.cm-s-base16-light span.cm-comment{color:#8f5536}.cm-s-base16-light span.cm-atom,.cm-s-base16-light span.cm-number{color:#aa759f}.cm-s-base16-light span.cm-attribute,.cm-s-base16-light span.cm-property{color:#90a959}.cm-s-base16-light span.cm-keyword{color:#ac4142}.cm-s-base16-light span.cm-string{color:#f4bf75}.cm-s-base16-light span.cm-variable{color:#90a959}.cm-s-base16-light span.cm-variable-2{color:#6a9fb5}.cm-s-base16-light span.cm-def{color:#d28445}.cm-s-base16-light span.cm-bracket{color:#202020}.cm-s-base16-light span.cm-tag{color:#ac4142}.cm-s-base16-light span.cm-link{color:#aa759f}.cm-s-base16-light span.cm-error{background:#ac4142;color:#505050}.cm-s-base16-light .CodeMirror-activeline-background{background:#dddcdc}.cm-s-base16-light .CodeMirror-matchingbracket{background-color:#6a9fb5!important;color:#f5f5f5!important}.cm-s-bespin.CodeMirror{background:#28211c;color:#9d9b97}.cm-s-bespin div.CodeMirror-selected{background:#59554f!important}.cm-s-bespin .CodeMirror-gutters{background:#28211c;border-right:0}.cm-s-bespin .CodeMirror-linenumber{color:#666}.cm-s-bespin .CodeMirror-cursor{border-left:1px solid #797977!important}.cm-s-bespin span.cm-comment{color:#937121}.cm-s-bespin span.cm-atom,.cm-s-bespin span.cm-number{color:#9b859d}.cm-s-bespin span.cm-attribute,.cm-s-bespin span.cm-property{color:#54be0d}.cm-s-bespin span.cm-keyword{color:#cf6a4c}.cm-s-bespin span.cm-string{color:#f9ee98}.cm-s-bespin span.cm-variable{color:#54be0d}.cm-s-bespin span.cm-variable-2{color:#5ea6ea}.cm-s-bespin span.cm-def{color:#cf7d34}.cm-s-bespin span.cm-error{background:#cf6a4c;color:#797977}.cm-s-bespin span.cm-bracket{color:#9d9b97}.cm-s-bespin span.cm-tag{color:#cf6a4c}.cm-s-bespin span.cm-link{color:#9b859d}.cm-s-bespin .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-bespin .CodeMirror-activeline-background{background:#404040}.cm-s-blackboard.CodeMirror{background:#0c1021;color:#f8f8f8}.cm-s-blackboard div.CodeMirror-selected{background:#253b76}.cm-s-blackboard .CodeMirror-line::selection,.cm-s-blackboard .CodeMirror-line>span::selection,.cm-s-blackboard .CodeMirror-line>span>span::selection{background:rgba(37,59,118,.99)}.cm-s-blackboard .CodeMirror-line::-moz-selection,.cm-s-blackboard .CodeMirror-line>span::-moz-selection,.cm-s-blackboard .CodeMirror-line>span>span::-moz-selection{background:rgba(37,59,118,.99)}.cm-s-blackboard .CodeMirror-gutters{background:#0c1021;border-right:0}.cm-s-blackboard .CodeMirror-guttermarker{color:#fbde2d}.cm-s-blackboard .CodeMirror-guttermarker-subtle,.cm-s-blackboard .CodeMirror-linenumber{color:#888}.cm-s-blackboard .CodeMirror-cursor{border-left:1px solid #a7a7a7}.cm-s-blackboard .cm-keyword{color:#fbde2d}.cm-s-blackboard .cm-atom,.cm-s-blackboard .cm-number{color:#d8fa3c}.cm-s-blackboard .cm-def{color:#8da6ce}.cm-s-blackboard .cm-variable{color:#ff6400}.cm-s-blackboard .cm-operator{color:#fbde2d}.cm-s-blackboard .cm-comment{color:#aeaeae}.cm-s-blackboard .cm-string,.cm-s-blackboard .cm-string-2{color:#61ce3c}.cm-s-blackboard .cm-meta{color:#d8fa3c}.cm-s-blackboard .cm-attribute,.cm-s-blackboard .cm-builtin,.cm-s-blackboard .cm-tag{color:#8da6ce}.cm-s-blackboard .cm-header{color:#ff6400}.cm-s-blackboard .cm-hr{color:#aeaeae}.cm-s-blackboard .cm-link{color:#8da6ce}.cm-s-blackboard .cm-error{background:#9d1e15;color:#f8f8f8}.cm-s-blackboard .CodeMirror-activeline-background{background:#3c3636}.cm-s-blackboard .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-cobalt.CodeMirror{background:#002240;color:#fff}.cm-s-cobalt div.CodeMirror-selected{background:#b36539}.cm-s-cobalt .CodeMirror-line::selection,.cm-s-cobalt .CodeMirror-line>span::selection,.cm-s-cobalt .CodeMirror-line>span>span::selection{background:rgba(179,101,57,.99)}.cm-s-cobalt .CodeMirror-line::-moz-selection,.cm-s-cobalt .CodeMirror-line>span::-moz-selection,.cm-s-cobalt .CodeMirror-line>span>span::-moz-selection{background:rgba(179,101,57,.99)}.cm-s-cobalt .CodeMirror-gutters{background:#002240;border-right:1px solid #aaa}.cm-s-cobalt .CodeMirror-guttermarker{color:#ffee80}.cm-s-cobalt .CodeMirror-guttermarker-subtle,.cm-s-cobalt .CodeMirror-linenumber{color:#d0d0d0}.cm-s-cobalt .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-cobalt span.cm-comment{color:#08f}.cm-s-cobalt span.cm-atom{color:#845dc4}.cm-s-cobalt span.cm-attribute,.cm-s-cobalt span.cm-number{color:#ff80e1}.cm-s-cobalt span.cm-keyword{color:#ffee80}.cm-s-cobalt span.cm-string{color:#3ad900}.cm-s-cobalt span.cm-meta{color:#ff9d00}.cm-s-cobalt span.cm-tag,.cm-s-cobalt span.cm-variable-2{color:#9effff}.cm-s-cobalt .cm-type,.cm-s-cobalt span.cm-def,.cm-s-cobalt span.cm-variable-3{color:#fff}.cm-s-cobalt span.cm-bracket{color:#d8d8d8}.cm-s-cobalt span.cm-builtin,.cm-s-cobalt span.cm-special{color:#ff9e59}.cm-s-cobalt span.cm-link{color:#845dc4}.cm-s-cobalt span.cm-error{color:#9d1e15}.cm-s-cobalt .CodeMirror-activeline-background{background:#002d57}.cm-s-cobalt .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-colorforth.CodeMirror{background:#000;color:#f8f8f8}.cm-s-colorforth .CodeMirror-gutters{background:#0a001f;border-right:1px solid #aaa}.cm-s-colorforth .CodeMirror-guttermarker{color:#ffbd40}.cm-s-colorforth .CodeMirror-guttermarker-subtle{color:#78846f}.cm-s-colorforth .CodeMirror-linenumber{color:#bababa}.cm-s-colorforth .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-colorforth span.cm-comment{color:#ededed}.cm-s-colorforth span.cm-def{color:#ff1c1c;font-weight:700}.cm-s-colorforth span.cm-keyword{color:#ffd900}.cm-s-colorforth span.cm-builtin{color:#00d95a}.cm-s-colorforth span.cm-variable{color:#73ff00}.cm-s-colorforth span.cm-string{color:#007bff}.cm-s-colorforth span.cm-number{color:#00c4ff}.cm-s-colorforth span.cm-atom{color:#606060}.cm-s-colorforth span.cm-variable-2{color:#eee}.cm-s-colorforth span.cm-type,.cm-s-colorforth span.cm-variable-3{color:#ddd}.cm-s-colorforth span.cm-meta{color:#ff0}.cm-s-colorforth span.cm-qualifier{color:#fff700}.cm-s-colorforth span.cm-bracket{color:#cc7}.cm-s-colorforth span.cm-tag{color:#ffbd40}.cm-s-colorforth span.cm-attribute{color:#fff700}.cm-s-colorforth span.cm-error{color:red}.cm-s-colorforth div.CodeMirror-selected{background:#333d53}.cm-s-colorforth span.cm-compilation{background:hsla(0,0%,100%,.12)}.cm-s-colorforth .CodeMirror-activeline-background{background:#253540}.cm-s-darcula{font-family:Consolas,Menlo,Monaco,Lucida Console,Liberation Mono,DejaVu Sans Mono,Bitstream Vera Sans Mono,Courier New,monospace,serif}.cm-s-darcula.CodeMirror{background:#2b2b2b;color:#a9b7c6}.cm-s-darcula span.cm-meta{color:#bbb529}.cm-s-darcula span.cm-number{color:#6897bb}.cm-s-darcula span.cm-keyword{color:#cc7832;font-weight:700;line-height:1em}.cm-s-darcula span.cm-def{color:#a9b7c6;font-style:italic}.cm-s-darcula span.cm-variable,.cm-s-darcula span.cm-variable-2{color:#a9b7c6}.cm-s-darcula span.cm-variable-3{color:#9876aa}.cm-s-darcula span.cm-type{color:#abc;font-weight:700}.cm-s-darcula span.cm-property{color:#ffc66d}.cm-s-darcula span.cm-operator{color:#a9b7c6}.cm-s-darcula span.cm-string,.cm-s-darcula span.cm-string-2{color:#6a8759}.cm-s-darcula span.cm-comment{color:#61a151;font-style:italic}.cm-s-darcula span.cm-atom,.cm-s-darcula span.cm-link{color:#cc7832}.cm-s-darcula span.cm-error{color:#bc3f3c}.cm-s-darcula span.cm-tag{color:#629755;font-style:italic;font-weight:700;text-decoration:underline}.cm-s-darcula span.cm-attribute{color:#6897bb}.cm-s-darcula span.cm-qualifier{color:#6a8759}.cm-s-darcula span.cm-bracket{color:#a9b7c6}.cm-s-darcula span.cm-builtin,.cm-s-darcula span.cm-special{color:#ff9e59}.cm-s-darcula span.cm-matchhighlight{background-color:rgba(50,89,48,.7);color:#fff;font-weight:400}.cm-s-darcula span.cm-searching{background-color:rgba(61,115,59,.7);color:#fff;font-weight:400}.cm-s-darcula .CodeMirror-cursor{border-left:1px solid #a9b7c6}.cm-s-darcula .CodeMirror-activeline-background{background:#323232}.cm-s-darcula .CodeMirror-gutters{background:#313335;border-right:1px solid #313335}.cm-s-darcula .CodeMirror-guttermarker{color:#ffee80}.cm-s-darcula .CodeMirror-guttermarker-subtle{color:#d0d0d0}.cm-s-darcula .CodeMirrir-linenumber{color:#606366}.cm-s-darcula .CodeMirror-matchingbracket{background-color:#3b514d;color:#ffef28!important;font-weight:700}.cm-s-darcula div.CodeMirror-selected{background:#214283}.CodeMirror-hints.darcula{background-color:#3b3e3f!important;color:#9c9e9e;font-family:Menlo,Monaco,Consolas,Courier New,monospace}.CodeMirror-hints.darcula .CodeMirror-hint-active{background-color:#494d4e!important;color:#9c9e9e!important}.cm-s-dracula .CodeMirror-gutters,.cm-s-dracula.CodeMirror{background-color:#282a36!important;border:none;color:#f8f8f2!important}.cm-s-dracula .CodeMirror-gutters{color:#282a36}.cm-s-dracula .CodeMirror-cursor{border-left:thin solid #f8f8f0}.cm-s-dracula .CodeMirror-linenumber{color:#6d8a88}.cm-s-dracula .CodeMirror-selected{background:hsla(0,0%,100%,.1)}.cm-s-dracula .CodeMirror-line::selection,.cm-s-dracula .CodeMirror-line>span::selection,.cm-s-dracula .CodeMirror-line>span>span::selection{background:hsla(0,0%,100%,.1)}.cm-s-dracula .CodeMirror-line::-moz-selection,.cm-s-dracula .CodeMirror-line>span::-moz-selection,.cm-s-dracula .CodeMirror-line>span>span::-moz-selection{background:hsla(0,0%,100%,.1)}.cm-s-dracula span.cm-comment{color:#6272a4}.cm-s-dracula span.cm-string,.cm-s-dracula span.cm-string-2{color:#f1fa8c}.cm-s-dracula span.cm-number{color:#bd93f9}.cm-s-dracula span.cm-variable{color:#50fa7b}.cm-s-dracula span.cm-variable-2{color:#fff}.cm-s-dracula span.cm-def{color:#50fa7b}.cm-s-dracula span.cm-keyword,.cm-s-dracula span.cm-operator{color:#ff79c6}.cm-s-dracula span.cm-atom{color:#bd93f9}.cm-s-dracula span.cm-meta{color:#f8f8f2}.cm-s-dracula span.cm-tag{color:#ff79c6}.cm-s-dracula span.cm-attribute,.cm-s-dracula span.cm-qualifier{color:#50fa7b}.cm-s-dracula span.cm-property{color:#66d9ef}.cm-s-dracula span.cm-builtin{color:#50fa7b}.cm-s-dracula span.cm-type,.cm-s-dracula span.cm-variable-3{color:#ffb86c}.cm-s-dracula .CodeMirror-activeline-background{background:hsla(0,0%,100%,.1)}.cm-s-dracula .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-duotone-dark.CodeMirror{background:#2a2734;color:#6c6783}.cm-s-duotone-dark div.CodeMirror-selected{background:#545167!important}.cm-s-duotone-dark .CodeMirror-gutters{background:#2a2734;border-right:0}.cm-s-duotone-dark .CodeMirror-linenumber{color:#545167}.cm-s-duotone-dark .CodeMirror-cursor{border-left:1px solid #ffad5c;border-right:.5em solid #ffad5c;opacity:.5}.cm-s-duotone-dark .CodeMirror-activeline-background{background:#363342;opacity:.5}.cm-s-duotone-dark .cm-fat-cursor .CodeMirror-cursor{background:#ffad5c;opacity:.5}.cm-s-duotone-dark span.cm-atom,.cm-s-duotone-dark span.cm-attribute,.cm-s-duotone-dark span.cm-hr,.cm-s-duotone-dark span.cm-keyword,.cm-s-duotone-dark span.cm-link,.cm-s-duotone-dark span.cm-number,.cm-s-duotone-dark span.cm-quote,.cm-s-duotone-dark span.cm-variable{color:#fc9}.cm-s-duotone-dark span.cm-property{color:#9a86fd}.cm-s-duotone-dark span.cm-negative,.cm-s-duotone-dark span.cm-punctuation,.cm-s-duotone-dark span.cm-unit{color:#e09142}.cm-s-duotone-dark span.cm-string{color:#ffb870}.cm-s-duotone-dark span.cm-operator{color:#ffad5c}.cm-s-duotone-dark span.cm-positive{color:#6a51e6}.cm-s-duotone-dark span.cm-string-2,.cm-s-duotone-dark span.cm-type,.cm-s-duotone-dark span.cm-url,.cm-s-duotone-dark span.cm-variable-2,.cm-s-duotone-dark span.cm-variable-3{color:#7a63ee}.cm-s-duotone-dark span.cm-builtin,.cm-s-duotone-dark span.cm-def,.cm-s-duotone-dark span.cm-em,.cm-s-duotone-dark span.cm-header,.cm-s-duotone-dark span.cm-qualifier,.cm-s-duotone-dark span.cm-tag{color:#eeebff}.cm-s-duotone-dark span.cm-bracket,.cm-s-duotone-dark span.cm-comment{color:#6c6783}.cm-s-duotone-dark span.cm-error,.cm-s-duotone-dark span.cm-invalidchar{color:red}.cm-s-duotone-dark span.cm-header{font-weight:400}.cm-s-duotone-dark .CodeMirror-matchingbracket{color:#eeebff!important;text-decoration:underline}.cm-s-duotone-light.CodeMirror{background:#faf8f5;color:#b29762}.cm-s-duotone-light div.CodeMirror-selected{background:#e3dcce!important}.cm-s-duotone-light .CodeMirror-gutters{background:#faf8f5;border-right:0}.cm-s-duotone-light .CodeMirror-linenumber{color:#cdc4b1}.cm-s-duotone-light .CodeMirror-cursor{border-left:1px solid #93abdc;border-right:.5em solid #93abdc;opacity:.5}.cm-s-duotone-light .CodeMirror-activeline-background{background:#e3dcce;opacity:.5}.cm-s-duotone-light .cm-fat-cursor .CodeMirror-cursor{background:#93abdc;opacity:.5}.cm-s-duotone-light span.cm-atom,.cm-s-duotone-light span.cm-attribute,.cm-s-duotone-light span.cm-keyword,.cm-s-duotone-light span.cm-number,.cm-s-duotone-light span.cm-quote,.cm-s-duotone-light span.cm-variable,.cm-s-duotone-light-light span.cm-hr,.cm-s-duotone-light-light span.cm-link{color:#063289}.cm-s-duotone-light span.cm-property{color:#b29762}.cm-s-duotone-light span.cm-negative,.cm-s-duotone-light span.cm-punctuation,.cm-s-duotone-light span.cm-unit{color:#063289}.cm-s-duotone-light span.cm-operator,.cm-s-duotone-light span.cm-string{color:#1659df}.cm-s-duotone-light span.cm-positive,.cm-s-duotone-light span.cm-string-2,.cm-s-duotone-light span.cm-type,.cm-s-duotone-light span.cm-url,.cm-s-duotone-light span.cm-variable-2,.cm-s-duotone-light span.cm-variable-3{color:#896724}.cm-s-duotone-light span.cm-builtin,.cm-s-duotone-light span.cm-def,.cm-s-duotone-light span.cm-em,.cm-s-duotone-light span.cm-header,.cm-s-duotone-light span.cm-qualifier,.cm-s-duotone-light span.cm-tag{color:#2d2006}.cm-s-duotone-light span.cm-bracket,.cm-s-duotone-light span.cm-comment{color:#b6ad9a}.cm-s-duotone-light span.cm-error,.cm-s-duotone-light span.cm-invalidchar{color:red}.cm-s-duotone-light span.cm-header{font-weight:400}.cm-s-duotone-light .CodeMirror-matchingbracket{color:#faf8f5!important;text-decoration:underline}.cm-s-eclipse span.cm-meta{color:#ff1717}.cm-s-eclipse span.cm-keyword{color:#7f0055;font-weight:700;line-height:1em}.cm-s-eclipse span.cm-atom{color:#219}.cm-s-eclipse span.cm-number{color:#164}.cm-s-eclipse span.cm-def{color:#00f}.cm-s-eclipse span.cm-variable{color:#000}.cm-s-eclipse span.cm-type,.cm-s-eclipse span.cm-variable-2,.cm-s-eclipse span.cm-variable-3{color:#0000c0}.cm-s-eclipse span.cm-operator,.cm-s-eclipse span.cm-property{color:#000}.cm-s-eclipse span.cm-comment{color:#3f7f5f}.cm-s-eclipse span.cm-string{color:#2a00ff}.cm-s-eclipse span.cm-string-2{color:#f50}.cm-s-eclipse span.cm-qualifier{color:#555}.cm-s-eclipse span.cm-builtin{color:#30a}.cm-s-eclipse span.cm-bracket{color:#cc7}.cm-s-eclipse span.cm-tag{color:#170}.cm-s-eclipse span.cm-attribute{color:#00c}.cm-s-eclipse span.cm-link{color:#219}.cm-s-eclipse span.cm-error{color:red}.cm-s-eclipse .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-eclipse .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.cm-s-elegant span.cm-atom,.cm-s-elegant span.cm-number,.cm-s-elegant span.cm-string{color:#762}.cm-s-elegant span.cm-comment{color:#262;font-style:italic;line-height:1em}.cm-s-elegant span.cm-meta{color:#555;font-style:italic;line-height:1em}.cm-s-elegant span.cm-variable{color:#000}.cm-s-elegant span.cm-variable-2{color:#b11}.cm-s-elegant span.cm-qualifier{color:#555}.cm-s-elegant span.cm-keyword{color:#730}.cm-s-elegant span.cm-builtin{color:#30a}.cm-s-elegant span.cm-link{color:#762}.cm-s-elegant span.cm-error{background-color:#fdd}.cm-s-elegant .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-elegant .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.cm-s-erlang-dark.CodeMirror{background:#002240;color:#fff}.cm-s-erlang-dark div.CodeMirror-selected{background:#b36539}.cm-s-erlang-dark .CodeMirror-line::selection,.cm-s-erlang-dark .CodeMirror-line>span::selection,.cm-s-erlang-dark .CodeMirror-line>span>span::selection{background:rgba(179,101,57,.99)}.cm-s-erlang-dark .CodeMirror-line::-moz-selection,.cm-s-erlang-dark .CodeMirror-line>span::-moz-selection,.cm-s-erlang-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(179,101,57,.99)}.cm-s-erlang-dark .CodeMirror-gutters{background:#002240;border-right:1px solid #aaa}.cm-s-erlang-dark .CodeMirror-guttermarker{color:#fff}.cm-s-erlang-dark .CodeMirror-guttermarker-subtle,.cm-s-erlang-dark .CodeMirror-linenumber{color:#d0d0d0}.cm-s-erlang-dark .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-erlang-dark span.cm-quote{color:#ccc}.cm-s-erlang-dark span.cm-atom{color:#f133f1}.cm-s-erlang-dark span.cm-attribute{color:#ff80e1}.cm-s-erlang-dark span.cm-bracket{color:#ff9d00}.cm-s-erlang-dark span.cm-builtin{color:#eaa}.cm-s-erlang-dark span.cm-comment{color:#77f}.cm-s-erlang-dark span.cm-def{color:#e7a}.cm-s-erlang-dark span.cm-keyword{color:#ffee80}.cm-s-erlang-dark span.cm-meta{color:#50fefe}.cm-s-erlang-dark span.cm-number{color:#ffd0d0}.cm-s-erlang-dark span.cm-operator{color:#d55}.cm-s-erlang-dark span.cm-property,.cm-s-erlang-dark span.cm-qualifier{color:#ccc}.cm-s-erlang-dark span.cm-special{color:#fbb}.cm-s-erlang-dark span.cm-string{color:#3ad900}.cm-s-erlang-dark span.cm-string-2{color:#ccc}.cm-s-erlang-dark span.cm-tag{color:#9effff}.cm-s-erlang-dark span.cm-variable{color:#50fe50}.cm-s-erlang-dark span.cm-variable-2{color:#e0e}.cm-s-erlang-dark span.cm-type,.cm-s-erlang-dark span.cm-variable-3{color:#ccc}.cm-s-erlang-dark span.cm-error{color:#9d1e15}.cm-s-erlang-dark .CodeMirror-activeline-background{background:#013461}.cm-s-erlang-dark .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-gruvbox-dark .CodeMirror-gutters,.cm-s-gruvbox-dark.CodeMirror{background-color:#282828;color:#bdae93}.cm-s-gruvbox-dark .CodeMirror-gutters{background:#282828;border-right:0}.cm-s-gruvbox-dark .CodeMirror-linenumber{color:#7c6f64}.cm-s-gruvbox-dark .CodeMirror-cursor{border-left:1px solid #ebdbb2}.cm-s-gruvbox-dark .cm-animate-fat-cursor,.cm-s-gruvbox-dark.cm-fat-cursor .CodeMirror-cursor{background-color:#8e8d8875!important}.cm-s-gruvbox-dark div.CodeMirror-selected{background:#928374}.cm-s-gruvbox-dark span.cm-meta{color:#83a598}.cm-s-gruvbox-dark span.cm-comment{color:#928374}.cm-s-gruvbox-dark span.cm-number,span.cm-atom{color:#d3869b}.cm-s-gruvbox-dark span.cm-keyword{color:#f84934}.cm-s-gruvbox-dark span.cm-variable,.cm-s-gruvbox-dark span.cm-variable-2{color:#ebdbb2}.cm-s-gruvbox-dark span.cm-type,.cm-s-gruvbox-dark span.cm-variable-3{color:#fabd2f}.cm-s-gruvbox-dark span.cm-callee,.cm-s-gruvbox-dark span.cm-def,.cm-s-gruvbox-dark span.cm-operator,.cm-s-gruvbox-dark span.cm-property{color:#ebdbb2}.cm-s-gruvbox-dark span.cm-string{color:#b8bb26}.cm-s-gruvbox-dark span.cm-attribute,.cm-s-gruvbox-dark span.cm-qualifier,.cm-s-gruvbox-dark span.cm-string-2{color:#8ec07c}.cm-s-gruvbox-dark .CodeMirror-activeline-background{background:#3c3836}.cm-s-gruvbox-dark .CodeMirror-matchingbracket{background:#928374;color:#282828!important}.cm-s-gruvbox-dark span.cm-builtin,.cm-s-gruvbox-dark span.cm-tag{color:#fe8019}.cm-s-hopscotch.CodeMirror{background:#322931;color:#d5d3d5}.cm-s-hopscotch div.CodeMirror-selected{background:#433b42!important}.cm-s-hopscotch .CodeMirror-gutters{background:#322931;border-right:0}.cm-s-hopscotch .CodeMirror-linenumber{color:#797379}.cm-s-hopscotch .CodeMirror-cursor{border-left:1px solid #989498!important}.cm-s-hopscotch span.cm-comment{color:#b33508}.cm-s-hopscotch span.cm-atom,.cm-s-hopscotch span.cm-number{color:#c85e7c}.cm-s-hopscotch span.cm-attribute,.cm-s-hopscotch span.cm-property{color:#8fc13e}.cm-s-hopscotch span.cm-keyword{color:#dd464c}.cm-s-hopscotch span.cm-string{color:#fdcc59}.cm-s-hopscotch span.cm-variable{color:#8fc13e}.cm-s-hopscotch span.cm-variable-2{color:#1290bf}.cm-s-hopscotch span.cm-def{color:#fd8b19}.cm-s-hopscotch span.cm-error{background:#dd464c;color:#989498}.cm-s-hopscotch span.cm-bracket{color:#d5d3d5}.cm-s-hopscotch span.cm-tag{color:#dd464c}.cm-s-hopscotch span.cm-link{color:#c85e7c}.cm-s-hopscotch .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-hopscotch .CodeMirror-activeline-background{background:#302020}.cm-s-icecoder{background:#1d1d1b;color:#666}.cm-s-icecoder span.cm-keyword{color:#eee;font-weight:700}.cm-s-icecoder span.cm-atom{color:#e1c76e}.cm-s-icecoder span.cm-number{color:#6cb5d9}.cm-s-icecoder span.cm-def{color:#b9ca4a}.cm-s-icecoder span.cm-variable{color:#6cb5d9}.cm-s-icecoder span.cm-variable-2{color:#cc1e5c}.cm-s-icecoder span.cm-type,.cm-s-icecoder span.cm-variable-3{color:#f9602c}.cm-s-icecoder span.cm-property{color:#eee}.cm-s-icecoder span.cm-operator{color:#9179bb}.cm-s-icecoder span.cm-comment{color:#97a3aa}.cm-s-icecoder span.cm-string{color:#b9ca4a}.cm-s-icecoder span.cm-string-2{color:#6cb5d9}.cm-s-icecoder span.cm-meta,.cm-s-icecoder span.cm-qualifier{color:#555}.cm-s-icecoder span.cm-builtin{color:#214e7b}.cm-s-icecoder span.cm-bracket{color:#cc7}.cm-s-icecoder span.cm-tag{color:#e8e8e8}.cm-s-icecoder span.cm-attribute{color:#099}.cm-s-icecoder span.cm-header{color:#6a0d6a}.cm-s-icecoder span.cm-quote{color:#186718}.cm-s-icecoder span.cm-hr{color:#888}.cm-s-icecoder span.cm-link{color:#e1c76e}.cm-s-icecoder span.cm-error{color:#d00}.cm-s-icecoder .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-icecoder div.CodeMirror-selected{background:#037;color:#fff}.cm-s-icecoder .CodeMirror-gutters{background:#1d1d1b;border-right:0;min-width:41px}.cm-s-icecoder .CodeMirror-linenumber{color:#555;cursor:default}.cm-s-icecoder .CodeMirror-matchingbracket{background:#555!important;color:#fff!important}.cm-s-icecoder .CodeMirror-activeline-background{background:#000}.cm-s-idea span.cm-meta{color:olive}.cm-s-idea span.cm-number{color:#00f}.cm-s-idea span.cm-keyword{color:navy;font-weight:700;line-height:1em}.cm-s-idea span.cm-atom{color:navy;font-weight:700}.cm-s-idea span.cm-def,.cm-s-idea span.cm-operator,.cm-s-idea span.cm-property,.cm-s-idea span.cm-type,.cm-s-idea span.cm-variable,.cm-s-idea span.cm-variable-2,.cm-s-idea span.cm-variable-3{color:#000}.cm-s-idea span.cm-comment{color:grey}.cm-s-idea span.cm-string,.cm-s-idea span.cm-string-2{color:green}.cm-s-idea span.cm-qualifier{color:#555}.cm-s-idea span.cm-error{color:red}.cm-s-idea span.cm-attribute{color:#00f}.cm-s-idea span.cm-tag{color:navy}.cm-s-idea span.cm-link{color:#00f}.cm-s-idea .CodeMirror-activeline-background{background:#fffae3}.cm-s-idea span.cm-builtin{color:#30a}.cm-s-idea span.cm-bracket{color:#cc7}.cm-s-idea{font-family:Consolas,Menlo,Monaco,Lucida Console,Liberation Mono,DejaVu Sans Mono,Bitstream Vera Sans Mono,Courier New,monospace,serif}.cm-s-idea .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.CodeMirror-hints.idea{background-color:#ebf3fd!important;color:#616569;font-family:Menlo,Monaco,Consolas,Courier New,monospace}.CodeMirror-hints.idea .CodeMirror-hint-active{background-color:#a2b8c9!important;color:#5c6065!important}.cm-s-isotope.CodeMirror{background:#000;color:#e0e0e0}.cm-s-isotope div.CodeMirror-selected{background:#404040!important}.cm-s-isotope .CodeMirror-gutters{background:#000;border-right:0}.cm-s-isotope .CodeMirror-linenumber{color:grey}.cm-s-isotope .CodeMirror-cursor{border-left:1px solid silver!important}.cm-s-isotope span.cm-comment{color:#30f}.cm-s-isotope span.cm-atom,.cm-s-isotope span.cm-number{color:#c0f}.cm-s-isotope span.cm-attribute,.cm-s-isotope span.cm-property{color:#3f0}.cm-s-isotope span.cm-keyword{color:red}.cm-s-isotope span.cm-string{color:#f09}.cm-s-isotope span.cm-variable{color:#3f0}.cm-s-isotope span.cm-variable-2{color:#06f}.cm-s-isotope span.cm-def{color:#f90}.cm-s-isotope span.cm-error{background:red;color:silver}.cm-s-isotope span.cm-bracket{color:#e0e0e0}.cm-s-isotope span.cm-tag{color:red}.cm-s-isotope span.cm-link{color:#c0f}.cm-s-isotope .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-isotope .CodeMirror-activeline-background{background:#202020}.cm-s-lesser-dark{line-height:1.3em}.cm-s-lesser-dark.CodeMirror{background:#262626;color:#ebefe7;text-shadow:0 -1px 1px #262626}.cm-s-lesser-dark div.CodeMirror-selected{background:#45443b}.cm-s-lesser-dark .CodeMirror-line::selection,.cm-s-lesser-dark .CodeMirror-line>span::selection,.cm-s-lesser-dark .CodeMirror-line>span>span::selection{background:rgba(69,68,59,.99)}.cm-s-lesser-dark .CodeMirror-line::-moz-selection,.cm-s-lesser-dark .CodeMirror-line>span::-moz-selection,.cm-s-lesser-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(69,68,59,.99)}.cm-s-lesser-dark .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-lesser-dark pre{padding:0 8px}.cm-s-lesser-dark.CodeMirror span.CodeMirror-matchingbracket{color:#7efc7e}.cm-s-lesser-dark .CodeMirror-gutters{background:#262626;border-right:1px solid #aaa}.cm-s-lesser-dark .CodeMirror-guttermarker{color:#599eff}.cm-s-lesser-dark .CodeMirror-guttermarker-subtle,.cm-s-lesser-dark .CodeMirror-linenumber{color:#777}.cm-s-lesser-dark span.cm-header{color:#a0a}.cm-s-lesser-dark span.cm-quote{color:#090}.cm-s-lesser-dark span.cm-keyword{color:#599eff}.cm-s-lesser-dark span.cm-atom{color:#c2b470}.cm-s-lesser-dark span.cm-number{color:#b35e4d}.cm-s-lesser-dark span.cm-def{color:#fff}.cm-s-lesser-dark span.cm-variable{color:#d9bf8c}.cm-s-lesser-dark span.cm-variable-2{color:#669199}.cm-s-lesser-dark span.cm-type,.cm-s-lesser-dark span.cm-variable-3{color:#fff}.cm-s-lesser-dark span.cm-operator,.cm-s-lesser-dark span.cm-property{color:#92a75c}.cm-s-lesser-dark span.cm-comment{color:#666}.cm-s-lesser-dark span.cm-string{color:#bcd279}.cm-s-lesser-dark span.cm-string-2{color:#f50}.cm-s-lesser-dark span.cm-meta{color:#738c73}.cm-s-lesser-dark span.cm-qualifier{color:#555}.cm-s-lesser-dark span.cm-builtin{color:#ff9e59}.cm-s-lesser-dark span.cm-bracket{color:#ebefe7}.cm-s-lesser-dark span.cm-tag{color:#669199}.cm-s-lesser-dark span.cm-attribute{color:#81a4d5}.cm-s-lesser-dark span.cm-hr{color:#999}.cm-s-lesser-dark span.cm-link{color:#7070e6}.cm-s-lesser-dark span.cm-error{color:#9d1e15}.cm-s-lesser-dark .CodeMirror-activeline-background{background:#3c3a3a}.cm-s-lesser-dark .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-liquibyte.CodeMirror{background-color:#000;color:#fff;font-size:1em;line-height:1.2em}.cm-s-liquibyte .CodeMirror-focused .cm-matchhighlight{text-decoration:underline;text-decoration-color:#0f0;text-decoration-style:wavy}.cm-s-liquibyte .cm-trailingspace{text-decoration:line-through;text-decoration-color:red;text-decoration-style:dotted}.cm-s-liquibyte .cm-tab{text-decoration:line-through;text-decoration-color:#404040;text-decoration-style:dotted}.cm-s-liquibyte .CodeMirror-gutters{background-color:#262626;border-right:1px solid #505050;padding-right:.8em}.cm-s-liquibyte .CodeMirror-gutter-elt div{font-size:1.2em}.cm-s-liquibyte .CodeMirror-linenumber{color:#606060;padding-left:0}.cm-s-liquibyte .CodeMirror-cursor{border-left:1px solid #eee}.cm-s-liquibyte span.cm-comment{color:green}.cm-s-liquibyte span.cm-def{color:#ffaf40;font-weight:700}.cm-s-liquibyte span.cm-keyword{color:#c080ff;font-weight:700}.cm-s-liquibyte span.cm-builtin{color:#ffaf40;font-weight:700}.cm-s-liquibyte span.cm-variable{color:#5967ff;font-weight:700}.cm-s-liquibyte span.cm-string{color:#ff8000}.cm-s-liquibyte span.cm-number{color:#0f0;font-weight:700}.cm-s-liquibyte span.cm-atom{color:#bf3030;font-weight:700}.cm-s-liquibyte span.cm-variable-2{color:#007f7f;font-weight:700}.cm-s-liquibyte span.cm-type,.cm-s-liquibyte span.cm-variable-3{color:#c080ff;font-weight:700}.cm-s-liquibyte span.cm-property{color:#999;font-weight:700}.cm-s-liquibyte span.cm-operator{color:#fff}.cm-s-liquibyte span.cm-meta{color:#0f0}.cm-s-liquibyte span.cm-qualifier{color:#fff700;font-weight:700}.cm-s-liquibyte span.cm-bracket{color:#cc7}.cm-s-liquibyte span.cm-tag{color:#ff0;font-weight:700}.cm-s-liquibyte span.cm-attribute{color:#c080ff;font-weight:700}.cm-s-liquibyte span.cm-error{color:red}.cm-s-liquibyte div.CodeMirror-selected{background-color:rgba(255,0,0,.25)}.cm-s-liquibyte span.cm-compilation{background-color:hsla(0,0%,100%,.12)}.cm-s-liquibyte .CodeMirror-activeline-background{background-color:rgba(0,255,0,.15)}.cm-s-liquibyte .CodeMirror span.CodeMirror-matchingbracket{color:#0f0;font-weight:700}.cm-s-liquibyte .CodeMirror span.CodeMirror-nonmatchingbracket{color:red;font-weight:700}.CodeMirror-matchingtag{background-color:rgba(150,255,0,.3)}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div:hover,.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div:hover{background-color:rgba(80,80,80,.7)}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div,.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div{background-color:rgba(80,80,80,.3);border:1px solid #404040;border-radius:5px}.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div{border-bottom:1px solid #404040;border-top:1px solid #404040}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div{border-left:1px solid #404040;border-right:1px solid #404040}.cm-s-liquibyte div.CodeMirror-simplescroll-vertical{background-color:#262626}.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal{background-color:#262626;border-top:1px solid #404040}.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div,div.CodeMirror-overlayscroll-vertical div{background-color:#404040;border-radius:5px}.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div,.cm-s-liquibyte div.CodeMirror-overlayscroll-vertical div{border:1px solid #404040}.cm-s-lucario .CodeMirror-gutters,.cm-s-lucario.CodeMirror{background-color:#2b3e50!important;border:none;color:#f8f8f2!important}.cm-s-lucario .CodeMirror-gutters{color:#2b3e50}.cm-s-lucario .CodeMirror-cursor{border-left:thin solid #e6c845}.cm-s-lucario .CodeMirror-linenumber{color:#f8f8f2}.cm-s-lucario .CodeMirror-selected{background:#243443}.cm-s-lucario .CodeMirror-line::selection,.cm-s-lucario .CodeMirror-line>span::selection,.cm-s-lucario .CodeMirror-line>span>span::selection{background:#243443}.cm-s-lucario .CodeMirror-line::-moz-selection,.cm-s-lucario .CodeMirror-line>span::-moz-selection,.cm-s-lucario .CodeMirror-line>span>span::-moz-selection{background:#243443}.cm-s-lucario span.cm-comment{color:#5c98cd}.cm-s-lucario span.cm-string,.cm-s-lucario span.cm-string-2{color:#e6db74}.cm-s-lucario span.cm-number{color:#ca94ff}.cm-s-lucario span.cm-variable,.cm-s-lucario span.cm-variable-2{color:#f8f8f2}.cm-s-lucario span.cm-def{color:#72c05d}.cm-s-lucario span.cm-operator{color:#66d9ef}.cm-s-lucario span.cm-keyword{color:#ff6541}.cm-s-lucario span.cm-atom{color:#bd93f9}.cm-s-lucario span.cm-meta{color:#f8f8f2}.cm-s-lucario span.cm-tag{color:#ff6541}.cm-s-lucario span.cm-attribute{color:#66d9ef}.cm-s-lucario span.cm-qualifier{color:#72c05d}.cm-s-lucario span.cm-property{color:#f8f8f2}.cm-s-lucario span.cm-builtin{color:#72c05d}.cm-s-lucario span.cm-type,.cm-s-lucario span.cm-variable-3{color:#ffb86c}.cm-s-lucario .CodeMirror-activeline-background{background:#243443}.cm-s-lucario .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-material.CodeMirror{background-color:#263238;color:#eff}.cm-s-material .CodeMirror-gutters{background:#263238;border:none;color:#546e7a}.cm-s-material .CodeMirror-guttermarker,.cm-s-material .CodeMirror-guttermarker-subtle,.cm-s-material .CodeMirror-linenumber{color:#546e7a}.cm-s-material .CodeMirror-cursor{border-left:1px solid #fc0}.cm-s-material .cm-animate-fat-cursor,.cm-s-material.cm-fat-cursor .CodeMirror-cursor{background-color:#5d6d5c80!important}.cm-s-material div.CodeMirror-selected,.cm-s-material.CodeMirror-focused div.CodeMirror-selected{background:rgba(128,203,196,.2)}.cm-s-material .CodeMirror-line::selection,.cm-s-material .CodeMirror-line>span::selection,.cm-s-material .CodeMirror-line>span>span::selection{background:rgba(128,203,196,.2)}.cm-s-material .CodeMirror-line::-moz-selection,.cm-s-material .CodeMirror-line>span::-moz-selection,.cm-s-material .CodeMirror-line>span>span::-moz-selection{background:rgba(128,203,196,.2)}.cm-s-material .CodeMirror-activeline-background{background:rgba(0,0,0,.5)}.cm-s-material .cm-keyword{color:#c792ea}.cm-s-material .cm-operator{color:#89ddff}.cm-s-material .cm-variable-2{color:#eff}.cm-s-material .cm-type,.cm-s-material .cm-variable-3{color:#f07178}.cm-s-material .cm-builtin{color:#ffcb6b}.cm-s-material .cm-atom{color:#f78c6c}.cm-s-material .cm-number{color:#ff5370}.cm-s-material .cm-def{color:#82aaff}.cm-s-material .cm-string{color:#c3e88d}.cm-s-material .cm-string-2{color:#f07178}.cm-s-material .cm-comment{color:#546e7a}.cm-s-material .cm-variable{color:#f07178}.cm-s-material .cm-tag{color:#ff5370}.cm-s-material .cm-meta{color:#ffcb6b}.cm-s-material .cm-attribute,.cm-s-material .cm-property{color:#c792ea}.cm-s-material .cm-qualifier,.cm-s-material .cm-type,.cm-s-material .cm-variable-3{color:#decb6b}.cm-s-material .cm-error{background-color:#ff5370;color:#fff}.cm-s-material .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-mbo.CodeMirror{background:#2c2c2c;color:#ffffec}.cm-s-mbo div.CodeMirror-selected{background:#716c62}.cm-s-mbo .CodeMirror-line::selection,.cm-s-mbo .CodeMirror-line>span::selection,.cm-s-mbo .CodeMirror-line>span>span::selection{background:hsla(40,7%,41%,.99)}.cm-s-mbo .CodeMirror-line::-moz-selection,.cm-s-mbo .CodeMirror-line>span::-moz-selection,.cm-s-mbo .CodeMirror-line>span>span::-moz-selection{background:hsla(40,7%,41%,.99)}.cm-s-mbo .CodeMirror-gutters{background:#4e4e4e;border-right:0}.cm-s-mbo .CodeMirror-guttermarker{color:#fff}.cm-s-mbo .CodeMirror-guttermarker-subtle{color:grey}.cm-s-mbo .CodeMirror-linenumber{color:#dadada}.cm-s-mbo .CodeMirror-cursor{border-left:1px solid #ffffec}.cm-s-mbo span.cm-comment{color:#95958a}.cm-s-mbo span.cm-atom,.cm-s-mbo span.cm-number{color:#00a8c6}.cm-s-mbo span.cm-attribute,.cm-s-mbo span.cm-property{color:#9ddfe9}.cm-s-mbo span.cm-keyword{color:#ffb928}.cm-s-mbo span.cm-string{color:#ffcf6c}.cm-s-mbo span.cm-string.cm-property,.cm-s-mbo span.cm-variable{color:#ffffec}.cm-s-mbo span.cm-variable-2{color:#00a8c6}.cm-s-mbo span.cm-def{color:#ffffec}.cm-s-mbo span.cm-bracket{color:#fffffc;font-weight:700}.cm-s-mbo span.cm-tag{color:#9ddfe9}.cm-s-mbo span.cm-link{color:#f54b07}.cm-s-mbo span.cm-error{border-bottom:#636363;color:#ffffec}.cm-s-mbo span.cm-qualifier{color:#ffffec}.cm-s-mbo .CodeMirror-activeline-background{background:#494b41}.cm-s-mbo .CodeMirror-matchingbracket{color:#ffb928!important}.cm-s-mbo .CodeMirror-matchingtag{background:hsla(0,0%,100%,.37)}.cm-s-mdn-like.CodeMirror{background-color:#fff;color:#999}.cm-s-mdn-like div.CodeMirror-selected{background:#cfc}.cm-s-mdn-like .CodeMirror-line::selection,.cm-s-mdn-like .CodeMirror-line>span::selection,.cm-s-mdn-like .CodeMirror-line>span>span::selection{background:#cfc}.cm-s-mdn-like .CodeMirror-line::-moz-selection,.cm-s-mdn-like .CodeMirror-line>span::-moz-selection,.cm-s-mdn-like .CodeMirror-line>span>span::-moz-selection{background:#cfc}.cm-s-mdn-like .CodeMirror-gutters{background:#f8f8f8;border-left:6px solid rgba(0,83,159,.65);color:#333}.cm-s-mdn-like .CodeMirror-linenumber{color:#aaa;padding-left:8px}.cm-s-mdn-like .CodeMirror-cursor{border-left:2px solid #222}.cm-s-mdn-like .cm-keyword{color:#6262ff}.cm-s-mdn-like .cm-atom{color:#f90}.cm-s-mdn-like .cm-number{color:#ca7841}.cm-s-mdn-like .cm-def{color:#8da6ce}.cm-s-mdn-like span.cm-tag,.cm-s-mdn-like span.cm-variable-2{color:#690}.cm-s-mdn-like .cm-variable,.cm-s-mdn-like span.cm-def,.cm-s-mdn-like span.cm-type,.cm-s-mdn-like span.cm-variable-3{color:#07a}.cm-s-mdn-like .cm-property{color:#905}.cm-s-mdn-like .cm-qualifier{color:#690}.cm-s-mdn-like .cm-operator{color:#cda869}.cm-s-mdn-like .cm-comment{color:#777;font-weight:400}.cm-s-mdn-like .cm-string{color:#07a;font-style:italic}.cm-s-mdn-like .cm-string-2{color:#bd6b18}.cm-s-mdn-like .cm-meta{color:#000}.cm-s-mdn-like .cm-builtin{color:#9b7536}.cm-s-mdn-like .cm-tag{color:#997643}.cm-s-mdn-like .cm-attribute{color:#d6bb6d}.cm-s-mdn-like .cm-header{color:#ff6400}.cm-s-mdn-like .cm-hr{color:#aeaeae}.cm-s-mdn-like .cm-link{color:#ad9361;font-style:italic;text-decoration:none}.cm-s-mdn-like .cm-error{border-bottom:1px solid red}div.cm-s-mdn-like .CodeMirror-activeline-background{background:#efefff}div.cm-s-mdn-like span.CodeMirror-matchingbracket{color:inherit;outline:1px solid grey}.cm-s-mdn-like.CodeMirror{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFcAAAAyCAYAAAAp8UeFAAAHvklEQVR42s2b63bcNgyEQZCSHCdt2vd/0tWF7I+Q6XgMXiTtuvU5Pl57ZQKkKHzEAOtF5KeIJBGJ8uvL599FRFREZhFx8DeXv8trn68RuGaC8TRfo3SNp9dlDDHedyLyTUTeRWStXKPZrjtpZxaRw5hPqozRs1N8/enzIiQRWcCgy4MUA0f+XWliDhyL8Lfyvx7ei/Ae3iQFHyw7U/59pQVIMEEPEz0G7XiwdRjzSfC3UTtz9vchIntxvry5iMgfIhJoEflOz2CQr3F5h/HfeFe+GTdLaKcu9L8LTeQb/R/7GgbsfKedyNdoHsN31uRPWrfZ5wsj/NzzRQHuToIdU3ahwnsKPxXCjJITuOsi7XLc7SG/v5GdALs7wf8JjTFiB5+QvTEfRyGOfX3Lrx8wxyQi3sNq46O7QahQiCsRFgqddjBouVEHOKDgXAQHD9gJCr5sMKkEdjwsarG/ww3BMHBU7OBjXnzdyY7SfCxf5/z6ATccrwlKuwC/jhznnPF4CgVzhhVf4xp2EixcBActO75iZ8/fM9zAs2OMzKdslgXWJ9XG8PQoOAMA5fGcsvORgv0doBXyHrCwfLJAOwo71QLNkb8n2Pl6EWiR7OCibtkPaz4Kc/0NNAze2gju3zOwekALDaCFPI5vjPFmgGY5AZqyGEvH1x7QfIb8YtxMnA/b+QQ0aQDAwc6JMFg8CbQZ4qoYEEHbRwNojuK3EHwd7VALSgq+MNDKzfT58T8qdpADrgW0GmgcAS1lhzztJmkAzcPNOQbsWEALBDSlMKUG0Eq4CLAQWvEVQ9WU57gZJwZtgPO3r9oBTQ9WO8TjqXINx8R0EYpiZEUWOF3FxkbJkgU9B2f41YBrIj5ZfsQa0M5kTgiAAqM3ShXLgu8XMqcrQBvJ0CL5pnTsfMB13oB8athpAq2XOQmcGmoACCLydx7nToa23ATaSIY2ichfOdPTGxlasXMLaL0MLZAOwAKIM+y8CmicobGdCcbbK9DzN+yYGVoNNI5iUKTMyYOjPse4A8SM1MmcXgU0toOq1yO/v8FOxlASyc7TgeYaAMBJHcY1CcCwGI/TK4AmDbDyKYBBtFUkRwto8gygiQEaByFgJ00BH2M8JWwQS1nafDXQCidWyOI8AcjDCSjCLk8ngObuAm3JAHAdubAmOaK06V8MNEsKPJOhobSprwQa6gD7DclRQdqcwL4zxqgBrQcabUiBLclRDKAlWp+etPkBaNMA0AKlrHwTdEByZAA4GM+SNluSY6wAzcMNewxmgig5Ks0nkrSpBvSaQHMdKTBAnLojOdYyGpQ254602ZILPdTD1hdlggdIm74jbTp8vDwF5ZYUeLWGJpWsh6XNyXgcYwVoJQTEhhTYkxzZjiU5npU2TaB979TQehlaAVq4kaGpiPwwwLkYUuBbQwocyQTv1tA0+1UFWoJF3iv1oq+qoSk8EQdJmwHkziIF7oOZk14EGitibAdjLYYK78H5vZOhtWpoI0ATGHs0Q8OMb4Ey+2bU2UYztCtA0wFAs7TplGLRVQCcqaFdGSPCeTI1QNIC52iWNzof6Uib7xjEp07mNNoUYmVosVItHrHzRlLgBn9LFyRHaQCtVUMbtTNhoXWiTOO9k/V8BdAc1Oq0ArSQs6/5SU0hckNy9NnXqQY0PGYo5dWJ7nINaN6o958FWin27aBaWRka1r5myvLOAm0j30eBJqCxHLReVclxhxOEN2JfDWjxBtAC7MIH1fVaGdoOp4qJYDgKtKPSFNID2gSnGldrCqkFZ+5UeQXQBIRrSwocbdZYQT/2LwRahBPBXoHrB8nxaGROST62DKUbQOMMzZIC9abkuELfQzQALWTnDNAm8KHWFOJgJ5+SHIvTPcmx1xQyZRhNL5Qci689aXMEaN/uNIWkEwDAvFpOZmgsBaaGnbs1NPa1Jm32gBZAIh1pCtG7TSH4aE0y1uVY4uqoFPisGlpP2rSA5qTecWn5agK6BzSpgAyD+wFaqhnYoSZ1Vwr8CmlTQbrcO3ZaX0NAEyMbYaAlyquFoLKK3SPby9CeVUPThrSJmkCAE0CrKUQadi4DrdSlWhmah0YL9z9vClH59YGbHx1J8VZTyAjQepJjmXwAKTDQI3omc3p1U4gDUf6RfcdYfrUp5ClAi2J3Ba6UOXGo+K+bQrjjssitG2SJzshaLwMtXgRagUNpYYoVkMSBLM+9GGiJZMvduG6DRZ4qc04DMPtQQxOjEtACmhO7K1AbNbQDEggZyJwscFpAGwENhoBeUwh3bWolhe8BTYVKxQEWrSUn/uhcM5KhvUu/+eQu0Lzhi+VrK0PrZZNDQKs9cpYUuFYgMVpD4/NxenJTiMCNqdUEUf1qZWjppLT5qSkkUZbCwkbZMSuVnu80hfSkzRbQeqCZSAh6huR4VtoM2gHAlLf72smuWgE+VV7XpE25Ab2WFDgyhnSuKbs4GuGzCjR+tIoUuMFg3kgcWKLTwRqanJQ2W00hAsenfaApRC42hbCvK1SlE0HtE9BGgneJO+ELamitD1YjjOYnNYVcraGhtKkW0EqVVeDx733I2NH581k1NNxNLG0i0IJ8/NjVaOZ0tYZ2Vtr0Xv7tPV3hkWp9EFkgS/J0vosngTaSoaG06WHi+xObQkaAdlbanP8B2+2l0f90LmUAAAAASUVORK5CYII=)}.cm-s-midnight .CodeMirror-activeline-background{background:#253540}.cm-s-midnight.CodeMirror{background:#0f192a;color:#d1edff}.cm-s-midnight div.CodeMirror-selected{background:#314d67}.cm-s-midnight .CodeMirror-line::selection,.cm-s-midnight .CodeMirror-line>span::selection,.cm-s-midnight .CodeMirror-line>span>span::selection{background:rgba(49,77,103,.99)}.cm-s-midnight .CodeMirror-line::-moz-selection,.cm-s-midnight .CodeMirror-line>span::-moz-selection,.cm-s-midnight .CodeMirror-line>span>span::-moz-selection{background:rgba(49,77,103,.99)}.cm-s-midnight .CodeMirror-gutters{background:#0f192a;border-right:1px solid}.cm-s-midnight .CodeMirror-guttermarker{color:#fff}.cm-s-midnight .CodeMirror-guttermarker-subtle,.cm-s-midnight .CodeMirror-linenumber{color:#d0d0d0}.cm-s-midnight .CodeMirror-cursor{border-left:1px solid #f8f8f0}.cm-s-midnight span.cm-comment{color:#428bdd}.cm-s-midnight span.cm-atom{color:#ae81ff}.cm-s-midnight span.cm-number{color:#d1edff}.cm-s-midnight span.cm-attribute,.cm-s-midnight span.cm-property{color:#a6e22e}.cm-s-midnight span.cm-keyword{color:#e83737}.cm-s-midnight span.cm-string{color:#1dc116}.cm-s-midnight span.cm-variable,.cm-s-midnight span.cm-variable-2{color:#ffaa3e}.cm-s-midnight span.cm-def{color:#4dd}.cm-s-midnight span.cm-bracket{color:#d1edff}.cm-s-midnight span.cm-tag{color:#449}.cm-s-midnight span.cm-link{color:#ae81ff}.cm-s-midnight span.cm-error{background:#f92672;color:#f8f8f0}.cm-s-midnight .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-monokai.CodeMirror{background:#272822;color:#f8f8f2}.cm-s-monokai div.CodeMirror-selected{background:#49483e}.cm-s-monokai .CodeMirror-line::selection,.cm-s-monokai .CodeMirror-line>span::selection,.cm-s-monokai .CodeMirror-line>span>span::selection{background:rgba(73,72,62,.99)}.cm-s-monokai .CodeMirror-line::-moz-selection,.cm-s-monokai .CodeMirror-line>span::-moz-selection,.cm-s-monokai .CodeMirror-line>span>span::-moz-selection{background:rgba(73,72,62,.99)}.cm-s-monokai .CodeMirror-gutters{background:#272822;border-right:0}.cm-s-monokai .CodeMirror-guttermarker{color:#fff}.cm-s-monokai .CodeMirror-guttermarker-subtle,.cm-s-monokai .CodeMirror-linenumber{color:#d0d0d0}.cm-s-monokai .CodeMirror-cursor{border-left:1px solid #f8f8f0}.cm-s-monokai span.cm-comment{color:#75715e}.cm-s-monokai span.cm-atom,.cm-s-monokai span.cm-number{color:#ae81ff}.cm-s-monokai span.cm-comment.cm-attribute{color:#97b757}.cm-s-monokai span.cm-comment.cm-def{color:#bc9262}.cm-s-monokai span.cm-comment.cm-tag{color:#bc6283}.cm-s-monokai span.cm-comment.cm-type{color:#5998a6}.cm-s-monokai span.cm-attribute,.cm-s-monokai span.cm-property{color:#a6e22e}.cm-s-monokai span.cm-keyword{color:#f92672}.cm-s-monokai span.cm-builtin{color:#66d9ef}.cm-s-monokai span.cm-string{color:#e6db74}.cm-s-monokai span.cm-variable{color:#f8f8f2}.cm-s-monokai span.cm-variable-2{color:#9effff}.cm-s-monokai span.cm-type,.cm-s-monokai span.cm-variable-3{color:#66d9ef}.cm-s-monokai span.cm-def{color:#fd971f}.cm-s-monokai span.cm-bracket{color:#f8f8f2}.cm-s-monokai span.cm-tag{color:#f92672}.cm-s-monokai span.cm-header,.cm-s-monokai span.cm-link{color:#ae81ff}.cm-s-monokai span.cm-error{background:#f92672;color:#f8f8f0}.cm-s-monokai .CodeMirror-activeline-background{background:#373831}.cm-s-monokai .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-neat span.cm-comment{color:#a86}.cm-s-neat span.cm-keyword{color:blue;font-weight:700;line-height:1em}.cm-s-neat span.cm-string{color:#a22}.cm-s-neat span.cm-builtin{color:#077;font-weight:700;line-height:1em}.cm-s-neat span.cm-special{color:#0aa;font-weight:700;line-height:1em}.cm-s-neat span.cm-variable{color:#000}.cm-s-neat span.cm-atom,.cm-s-neat span.cm-number{color:#3a3}.cm-s-neat span.cm-meta{color:#555}.cm-s-neat span.cm-link{color:#3a3}.cm-s-neat .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-neat .CodeMirror-matchingbracket{color:#000!important;outline:1px solid grey}.cm-s-neo.CodeMirror{background-color:#fff;color:#2e383c;line-height:1.4375}.cm-s-neo .cm-comment{color:#75787b}.cm-s-neo .cm-keyword,.cm-s-neo .cm-property{color:#1d75b3}.cm-s-neo .cm-atom,.cm-s-neo .cm-number{color:#75438a}.cm-s-neo .cm-node,.cm-s-neo .cm-tag{color:#9c3328}.cm-s-neo .cm-string{color:#b35e14}.cm-s-neo .cm-qualifier,.cm-s-neo .cm-variable{color:#047d65}.cm-s-neo pre{padding:0}.cm-s-neo .CodeMirror-gutters{background-color:transparent;border:none;border-right:10px solid transparent}.cm-s-neo .CodeMirror-linenumber{color:#e0e2e5;padding:0}.cm-s-neo .CodeMirror-guttermarker{color:#1d75b3}.cm-s-neo .CodeMirror-guttermarker-subtle{color:#e0e2e5}.cm-s-neo .CodeMirror-cursor{background:hsla(223,4%,62%,.37);border:0;width:auto;z-index:1}.cm-s-night.CodeMirror{background:#0a001f;color:#f8f8f8}.cm-s-night div.CodeMirror-selected{background:#447}.cm-s-night .CodeMirror-line::selection,.cm-s-night .CodeMirror-line>span::selection,.cm-s-night .CodeMirror-line>span>span::selection{background:rgba(68,68,119,.99)}.cm-s-night .CodeMirror-line::-moz-selection,.cm-s-night .CodeMirror-line>span::-moz-selection,.cm-s-night .CodeMirror-line>span>span::-moz-selection{background:rgba(68,68,119,.99)}.cm-s-night .CodeMirror-gutters{background:#0a001f;border-right:1px solid #aaa}.cm-s-night .CodeMirror-guttermarker{color:#fff}.cm-s-night .CodeMirror-guttermarker-subtle{color:#bbb}.cm-s-night .CodeMirror-linenumber{color:#f8f8f8}.cm-s-night .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-night span.cm-comment{color:#8900d1}.cm-s-night span.cm-atom{color:#845dc4}.cm-s-night span.cm-attribute,.cm-s-night span.cm-number{color:#ffd500}.cm-s-night span.cm-keyword{color:#599eff}.cm-s-night span.cm-string{color:#37f14a}.cm-s-night span.cm-meta{color:#7678e2}.cm-s-night span.cm-tag,.cm-s-night span.cm-variable-2{color:#99b2ff}.cm-s-night span.cm-def,.cm-s-night span.cm-type,.cm-s-night span.cm-variable-3{color:#fff}.cm-s-night span.cm-bracket{color:#8da6ce}.cm-s-night span.cm-builtin,.cm-s-night span.cm-special{color:#ff9e59}.cm-s-night span.cm-link{color:#845dc4}.cm-s-night span.cm-error{color:#9d1e15}.cm-s-night .CodeMirror-activeline-background{background:#1c005a}.cm-s-night .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-oceanic-next.CodeMirror{background:#304148;color:#f8f8f2}.cm-s-oceanic-next div.CodeMirror-selected{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-line::selection,.cm-s-oceanic-next .CodeMirror-line>span::selection,.cm-s-oceanic-next .CodeMirror-line>span>span::selection{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-line::-moz-selection,.cm-s-oceanic-next .CodeMirror-line>span::-moz-selection,.cm-s-oceanic-next .CodeMirror-line>span>span::-moz-selection{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-gutters{background:#304148;border-right:10px}.cm-s-oceanic-next .CodeMirror-guttermarker{color:#fff}.cm-s-oceanic-next .CodeMirror-guttermarker-subtle,.cm-s-oceanic-next .CodeMirror-linenumber{color:#d0d0d0}.cm-s-oceanic-next .CodeMirror-cursor{border-left:1px solid #f8f8f0}.cm-s-oceanic-next .cm-animate-fat-cursor,.cm-s-oceanic-next.cm-fat-cursor .CodeMirror-cursor{background-color:#a2a8a175!important}.cm-s-oceanic-next span.cm-comment{color:#65737e}.cm-s-oceanic-next span.cm-atom{color:#c594c5}.cm-s-oceanic-next span.cm-number{color:#f99157}.cm-s-oceanic-next span.cm-property{color:#99c794}.cm-s-oceanic-next span.cm-attribute,.cm-s-oceanic-next span.cm-keyword{color:#c594c5}.cm-s-oceanic-next span.cm-builtin{color:#66d9ef}.cm-s-oceanic-next span.cm-string{color:#99c794}.cm-s-oceanic-next span.cm-variable,.cm-s-oceanic-next span.cm-variable-2,.cm-s-oceanic-next span.cm-variable-3{color:#f8f8f2}.cm-s-oceanic-next span.cm-def{color:#69c}.cm-s-oceanic-next span.cm-bracket{color:#5fb3b3}.cm-s-oceanic-next span.cm-header,.cm-s-oceanic-next span.cm-link,.cm-s-oceanic-next span.cm-tag{color:#c594c5}.cm-s-oceanic-next span.cm-error{background:#c594c5;color:#f8f8f0}.cm-s-oceanic-next .CodeMirror-activeline-background{background:rgba(101,115,126,.33)}.cm-s-oceanic-next .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-panda-syntax{background:#292a2b;color:#e6e6e6;font-family:Operator Mono,Source Code Pro,Menlo,Monaco,Consolas,Courier New,monospace;line-height:1.5}.cm-s-panda-syntax .CodeMirror-cursor{border-color:#ff2c6d}.cm-s-panda-syntax .CodeMirror-activeline-background{background:rgba(99,123,156,.1)}.cm-s-panda-syntax .CodeMirror-selected{background:#fff}.cm-s-panda-syntax .cm-comment{color:#676b79;font-style:italic}.cm-s-panda-syntax .cm-operator{color:#f3f3f3}.cm-s-panda-syntax .cm-string{color:#19f9d8}.cm-s-panda-syntax .cm-string-2{color:#ffb86c}.cm-s-panda-syntax .cm-tag{color:#ff2c6d}.cm-s-panda-syntax .cm-meta{color:#b084eb}.cm-s-panda-syntax .cm-number{color:#ffb86c}.cm-s-panda-syntax .cm-atom{color:#ff2c6d}.cm-s-panda-syntax .cm-keyword{color:#ff75b5}.cm-s-panda-syntax .cm-variable{color:#ffb86c}.cm-s-panda-syntax .cm-type,.cm-s-panda-syntax .cm-variable-2,.cm-s-panda-syntax .cm-variable-3{color:#ff9ac1}.cm-s-panda-syntax .cm-def{color:#e6e6e6}.cm-s-panda-syntax .cm-property{color:#f3f3f3}.cm-s-panda-syntax .cm-attribute,.cm-s-panda-syntax .cm-unit{color:#ffb86c}.cm-s-panda-syntax .CodeMirror-matchingbracket{border-bottom:1px dotted #19f9d8;color:#e6e6e6;padding-bottom:2px}.cm-s-panda-syntax .CodeMirror-gutters{background:#292a2b;border-right-color:hsla(0,0%,100%,.1)}.cm-s-panda-syntax .CodeMirror-linenumber{color:#e6e6e6;opacity:.6}.cm-s-paraiso-dark.CodeMirror{background:#2f1e2e;color:#b9b6b0}.cm-s-paraiso-dark div.CodeMirror-selected{background:#41323f}.cm-s-paraiso-dark .CodeMirror-line::selection,.cm-s-paraiso-dark .CodeMirror-line>span::selection,.cm-s-paraiso-dark .CodeMirror-line>span>span::selection{background:rgba(65,50,63,.99)}.cm-s-paraiso-dark .CodeMirror-line::-moz-selection,.cm-s-paraiso-dark .CodeMirror-line>span::-moz-selection,.cm-s-paraiso-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(65,50,63,.99)}.cm-s-paraiso-dark .CodeMirror-gutters{background:#2f1e2e;border-right:0}.cm-s-paraiso-dark .CodeMirror-guttermarker{color:#ef6155}.cm-s-paraiso-dark .CodeMirror-guttermarker-subtle,.cm-s-paraiso-dark .CodeMirror-linenumber{color:#776e71}.cm-s-paraiso-dark .CodeMirror-cursor{border-left:1px solid #8d8687}.cm-s-paraiso-dark span.cm-comment{color:#e96ba8}.cm-s-paraiso-dark span.cm-atom,.cm-s-paraiso-dark span.cm-number{color:#815ba4}.cm-s-paraiso-dark span.cm-attribute,.cm-s-paraiso-dark span.cm-property{color:#48b685}.cm-s-paraiso-dark span.cm-keyword{color:#ef6155}.cm-s-paraiso-dark span.cm-string{color:#fec418}.cm-s-paraiso-dark span.cm-variable{color:#48b685}.cm-s-paraiso-dark span.cm-variable-2{color:#06b6ef}.cm-s-paraiso-dark span.cm-def{color:#f99b15}.cm-s-paraiso-dark span.cm-bracket{color:#b9b6b0}.cm-s-paraiso-dark span.cm-tag{color:#ef6155}.cm-s-paraiso-dark span.cm-link{color:#815ba4}.cm-s-paraiso-dark span.cm-error{background:#ef6155;color:#8d8687}.cm-s-paraiso-dark .CodeMirror-activeline-background{background:#4d344a}.cm-s-paraiso-dark .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-paraiso-light.CodeMirror{background:#e7e9db;color:#41323f}.cm-s-paraiso-light div.CodeMirror-selected{background:#b9b6b0}.cm-s-paraiso-light .CodeMirror-line::selection,.cm-s-paraiso-light .CodeMirror-line>span::selection,.cm-s-paraiso-light .CodeMirror-line>span>span::selection{background:#b9b6b0}.cm-s-paraiso-light .CodeMirror-line::-moz-selection,.cm-s-paraiso-light .CodeMirror-line>span::-moz-selection,.cm-s-paraiso-light .CodeMirror-line>span>span::-moz-selection{background:#b9b6b0}.cm-s-paraiso-light .CodeMirror-gutters{background:#e7e9db;border-right:0}.cm-s-paraiso-light .CodeMirror-guttermarker{color:#000}.cm-s-paraiso-light .CodeMirror-guttermarker-subtle,.cm-s-paraiso-light .CodeMirror-linenumber{color:#8d8687}.cm-s-paraiso-light .CodeMirror-cursor{border-left:1px solid #776e71}.cm-s-paraiso-light span.cm-comment{color:#e96ba8}.cm-s-paraiso-light span.cm-atom,.cm-s-paraiso-light span.cm-number{color:#815ba4}.cm-s-paraiso-light span.cm-attribute,.cm-s-paraiso-light span.cm-property{color:#48b685}.cm-s-paraiso-light span.cm-keyword{color:#ef6155}.cm-s-paraiso-light span.cm-string{color:#fec418}.cm-s-paraiso-light span.cm-variable{color:#48b685}.cm-s-paraiso-light span.cm-variable-2{color:#06b6ef}.cm-s-paraiso-light span.cm-def{color:#f99b15}.cm-s-paraiso-light span.cm-bracket{color:#41323f}.cm-s-paraiso-light span.cm-tag{color:#ef6155}.cm-s-paraiso-light span.cm-link{color:#815ba4}.cm-s-paraiso-light span.cm-error{background:#ef6155;color:#776e71}.cm-s-paraiso-light .CodeMirror-activeline-background{background:#cfd1c4}.cm-s-paraiso-light .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-pastel-on-dark.CodeMirror{background:#2c2827;color:#8f938f;line-height:1.5}.cm-s-pastel-on-dark div.CodeMirror-selected{background:rgba(221,240,255,.2)}.cm-s-pastel-on-dark .CodeMirror-line::selection,.cm-s-pastel-on-dark .CodeMirror-line>span::selection,.cm-s-pastel-on-dark .CodeMirror-line>span>span::selection{background:rgba(221,240,255,.2)}.cm-s-pastel-on-dark .CodeMirror-line::-moz-selection,.cm-s-pastel-on-dark .CodeMirror-line>span::-moz-selection,.cm-s-pastel-on-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(221,240,255,.2)}.cm-s-pastel-on-dark .CodeMirror-gutters{background:#34302f;border-right:0;padding:0 3px}.cm-s-pastel-on-dark .CodeMirror-guttermarker{color:#fff}.cm-s-pastel-on-dark .CodeMirror-guttermarker-subtle,.cm-s-pastel-on-dark .CodeMirror-linenumber{color:#8f938f}.cm-s-pastel-on-dark .CodeMirror-cursor{border-left:1px solid #a7a7a7}.cm-s-pastel-on-dark span.cm-comment{color:#a6c6ff}.cm-s-pastel-on-dark span.cm-atom{color:#de8e30}.cm-s-pastel-on-dark span.cm-number{color:#ccc}.cm-s-pastel-on-dark span.cm-property{color:#8f938f}.cm-s-pastel-on-dark span.cm-attribute{color:#a6e22e}.cm-s-pastel-on-dark span.cm-keyword{color:#aeb2f8}.cm-s-pastel-on-dark span.cm-string{color:#66a968}.cm-s-pastel-on-dark span.cm-variable{color:#aeb2f8}.cm-s-pastel-on-dark span.cm-variable-2{color:#bebf55}.cm-s-pastel-on-dark span.cm-type,.cm-s-pastel-on-dark span.cm-variable-3{color:#de8e30}.cm-s-pastel-on-dark span.cm-def{color:#757ad8}.cm-s-pastel-on-dark span.cm-bracket{color:#f8f8f2}.cm-s-pastel-on-dark span.cm-tag{color:#c1c144}.cm-s-pastel-on-dark span.cm-link{color:#ae81ff}.cm-s-pastel-on-dark span.cm-builtin,.cm-s-pastel-on-dark span.cm-qualifier{color:#c1c144}.cm-s-pastel-on-dark span.cm-error{background:#757ad8;color:#f8f8f0}.cm-s-pastel-on-dark .CodeMirror-activeline-background{background:hsla(0,0%,100%,.031)}.cm-s-pastel-on-dark .CodeMirror-matchingbracket{border:1px solid hsla(0,0%,100%,.25);color:#8f938f!important;margin:-1px -1px 0}.cm-s-railscasts.CodeMirror{background:#2b2b2b;color:#f4f1ed}.cm-s-railscasts div.CodeMirror-selected{background:#272935!important}.cm-s-railscasts .CodeMirror-gutters{background:#2b2b2b;border-right:0}.cm-s-railscasts .CodeMirror-linenumber{color:#5a647e}.cm-s-railscasts .CodeMirror-cursor{border-left:1px solid #d4cfc9!important}.cm-s-railscasts span.cm-comment{color:#bc9458}.cm-s-railscasts span.cm-atom,.cm-s-railscasts span.cm-number{color:#b6b3eb}.cm-s-railscasts span.cm-attribute,.cm-s-railscasts span.cm-property{color:#a5c261}.cm-s-railscasts span.cm-keyword{color:#da4939}.cm-s-railscasts span.cm-string{color:#ffc66d}.cm-s-railscasts span.cm-variable{color:#a5c261}.cm-s-railscasts span.cm-variable-2{color:#6d9cbe}.cm-s-railscasts span.cm-def{color:#cc7833}.cm-s-railscasts span.cm-error{background:#da4939;color:#d4cfc9}.cm-s-railscasts span.cm-bracket{color:#f4f1ed}.cm-s-railscasts span.cm-tag{color:#da4939}.cm-s-railscasts span.cm-link{color:#b6b3eb}.cm-s-railscasts .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-railscasts .CodeMirror-activeline-background{background:#303040}.cm-s-rubyblue.CodeMirror{background:#112435;color:#fff}.cm-s-rubyblue div.CodeMirror-selected{background:#38566f}.cm-s-rubyblue .CodeMirror-line::selection,.cm-s-rubyblue .CodeMirror-line>span::selection,.cm-s-rubyblue .CodeMirror-line>span>span::selection{background:rgba(56,86,111,.99)}.cm-s-rubyblue .CodeMirror-line::-moz-selection,.cm-s-rubyblue .CodeMirror-line>span::-moz-selection,.cm-s-rubyblue .CodeMirror-line>span>span::-moz-selection{background:rgba(56,86,111,.99)}.cm-s-rubyblue .CodeMirror-gutters{background:#1f4661;border-right:7px solid #3e7087}.cm-s-rubyblue .CodeMirror-guttermarker{color:#fff}.cm-s-rubyblue .CodeMirror-guttermarker-subtle{color:#3e7087}.cm-s-rubyblue .CodeMirror-linenumber{color:#fff}.cm-s-rubyblue .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-rubyblue span.cm-comment{color:#999;font-style:italic;line-height:1em}.cm-s-rubyblue span.cm-atom{color:#f4c20b}.cm-s-rubyblue span.cm-attribute,.cm-s-rubyblue span.cm-number{color:#82c6e0}.cm-s-rubyblue span.cm-keyword{color:#f0f}.cm-s-rubyblue span.cm-string{color:#f08047}.cm-s-rubyblue span.cm-meta{color:#f0f}.cm-s-rubyblue span.cm-tag,.cm-s-rubyblue span.cm-variable-2{color:#7bd827}.cm-s-rubyblue span.cm-def,.cm-s-rubyblue span.cm-type,.cm-s-rubyblue span.cm-variable-3{color:#fff}.cm-s-rubyblue span.cm-bracket{color:#f0f}.cm-s-rubyblue span.cm-link{color:#f4c20b}.cm-s-rubyblue span.CodeMirror-matchingbracket{color:#f0f!important}.cm-s-rubyblue span.cm-builtin,.cm-s-rubyblue span.cm-special{color:#ff9d00}.cm-s-rubyblue span.cm-error{color:#af2018}.cm-s-rubyblue .CodeMirror-activeline-background{background:#173047}.cm-s-seti.CodeMirror{background-color:#151718!important;border:none;color:#cfd2d1!important}.cm-s-seti .CodeMirror-gutters{background-color:#0e1112;border:none;color:#404b53}.cm-s-seti .CodeMirror-cursor{border-left:thin solid #f8f8f0}.cm-s-seti .CodeMirror-linenumber{color:#6d8a88}.cm-s-seti.CodeMirror-focused div.CodeMirror-selected{background:hsla(0,0%,100%,.1)}.cm-s-seti .CodeMirror-line::selection,.cm-s-seti .CodeMirror-line>span::selection,.cm-s-seti .CodeMirror-line>span>span::selection{background:hsla(0,0%,100%,.1)}.cm-s-seti .CodeMirror-line::-moz-selection,.cm-s-seti .CodeMirror-line>span::-moz-selection,.cm-s-seti .CodeMirror-line>span>span::-moz-selection{background:hsla(0,0%,100%,.1)}.cm-s-seti span.cm-comment{color:#41535b}.cm-s-seti span.cm-string,.cm-s-seti span.cm-string-2{color:#55b5db}.cm-s-seti span.cm-number{color:#cd3f45}.cm-s-seti span.cm-variable{color:#55b5db}.cm-s-seti span.cm-variable-2{color:#a074c4}.cm-s-seti span.cm-def{color:#55b5db}.cm-s-seti span.cm-keyword{color:#ff79c6}.cm-s-seti span.cm-operator{color:#9fca56}.cm-s-seti span.cm-keyword{color:#e6cd69}.cm-s-seti span.cm-atom{color:#cd3f45}.cm-s-seti span.cm-meta,.cm-s-seti span.cm-tag{color:#55b5db}.cm-s-seti span.cm-attribute,.cm-s-seti span.cm-qualifier{color:#9fca56}.cm-s-seti span.cm-property{color:#a074c4}.cm-s-seti span.cm-builtin,.cm-s-seti span.cm-type,.cm-s-seti span.cm-variable-3{color:#9fca56}.cm-s-seti .CodeMirror-activeline-background{background:#101213}.cm-s-seti .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-shadowfox.CodeMirror{background:#2a2a2e;color:#b1b1b3}.cm-s-shadowfox div.CodeMirror-selected{background:#353b48}.cm-s-shadowfox .CodeMirror-line::selection,.cm-s-shadowfox .CodeMirror-line>span::selection,.cm-s-shadowfox .CodeMirror-line>span>span::selection{background:#353b48}.cm-s-shadowfox .CodeMirror-line::-moz-selection,.cm-s-shadowfox .CodeMirror-line>span::-moz-selection,.cm-s-shadowfox .CodeMirror-line>span>span::-moz-selection{background:#353b48}.cm-s-shadowfox .CodeMirror-gutters{background:#0c0c0d;border-right:1px solid #0c0c0d}.cm-s-shadowfox .CodeMirror-guttermarker{color:#555}.cm-s-shadowfox .CodeMirror-linenumber{color:#939393}.cm-s-shadowfox .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-shadowfox span.cm-comment{color:#939393}.cm-s-shadowfox span.cm-atom,.cm-s-shadowfox span.cm-attribute,.cm-s-shadowfox span.cm-builtin,.cm-s-shadowfox span.cm-error,.cm-s-shadowfox span.cm-keyword,.cm-s-shadowfox span.cm-quote{color:#ff7de9}.cm-s-shadowfox span.cm-number,.cm-s-shadowfox span.cm-string,.cm-s-shadowfox span.cm-string-2{color:#6b89ff}.cm-s-shadowfox span.cm-hr,.cm-s-shadowfox span.cm-meta{color:#939393}.cm-s-shadowfox span.cm-header,.cm-s-shadowfox span.cm-qualifier,.cm-s-shadowfox span.cm-variable-2{color:#75bfff}.cm-s-shadowfox span.cm-property{color:#86de74}.cm-s-shadowfox span.cm-bracket,.cm-s-shadowfox span.cm-def,.cm-s-shadowfox span.cm-link:visited,.cm-s-shadowfox span.cm-tag{color:#75bfff}.cm-s-shadowfox span.cm-variable{color:#b98eff}.cm-s-shadowfox span.cm-variable-3{color:#d7d7db}.cm-s-shadowfox span.cm-link{color:#737373}.cm-s-shadowfox span.cm-operator{color:#b1b1b3}.cm-s-shadowfox span.cm-special{color:#d7d7db}.cm-s-shadowfox .CodeMirror-activeline-background{background:rgba(185,215,253,.15)}.cm-s-shadowfox .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid hsla(0,0%,100%,.25)}.solarized.base03{color:#002b36}.solarized.base02{color:#073642}.solarized.base01{color:#586e75}.solarized.base00{color:#657b83}.solarized.base0{color:#839496}.solarized.base1{color:#93a1a1}.solarized.base2{color:#eee8d5}.solarized.base3{color:#fdf6e3}.solarized.solar-yellow{color:#b58900}.solarized.solar-orange{color:#cb4b16}.solarized.solar-red{color:#dc322f}.solarized.solar-magenta{color:#d33682}.solarized.solar-violet{color:#6c71c4}.solarized.solar-blue{color:#268bd2}.solarized.solar-cyan{color:#2aa198}.solarized.solar-green{color:#859900}.cm-s-solarized{color-profile:sRGB;rendering-intent:auto;line-height:1.45em}.cm-s-solarized.cm-s-dark{background-color:#002b36;color:#839496}.cm-s-solarized.cm-s-light{background-color:#fdf6e3;color:#657b83}.cm-s-solarized .CodeMirror-widget{text-shadow:none}.cm-s-solarized .cm-header{color:#586e75}.cm-s-solarized .cm-quote{color:#93a1a1}.cm-s-solarized .cm-keyword{color:#cb4b16}.cm-s-solarized .cm-atom,.cm-s-solarized .cm-number{color:#d33682}.cm-s-solarized .cm-def{color:#2aa198}.cm-s-solarized .cm-variable{color:#839496}.cm-s-solarized .cm-variable-2{color:#b58900}.cm-s-solarized .cm-type,.cm-s-solarized .cm-variable-3{color:#6c71c4}.cm-s-solarized .cm-property{color:#2aa198}.cm-s-solarized .cm-operator{color:#6c71c4}.cm-s-solarized .cm-comment{color:#586e75;font-style:italic}.cm-s-solarized .cm-string{color:#859900}.cm-s-solarized .cm-string-2{color:#b58900}.cm-s-solarized .cm-meta{color:#859900}.cm-s-solarized .cm-qualifier{color:#b58900}.cm-s-solarized .cm-builtin{color:#d33682}.cm-s-solarized .cm-bracket{color:#cb4b16}.cm-s-solarized .CodeMirror-matchingbracket{color:#859900}.cm-s-solarized .CodeMirror-nonmatchingbracket{color:#dc322f}.cm-s-solarized .cm-tag{color:#93a1a1}.cm-s-solarized .cm-attribute{color:#2aa198}.cm-s-solarized .cm-hr{border-top:1px solid #586e75;color:transparent;display:block}.cm-s-solarized .cm-link{color:#93a1a1;cursor:pointer}.cm-s-solarized .cm-special{color:#6c71c4}.cm-s-solarized .cm-em{color:#999;text-decoration:underline;text-decoration-style:dotted}.cm-s-solarized .cm-error,.cm-s-solarized .cm-invalidchar{border-bottom:1px dotted #dc322f;color:#586e75}.cm-s-solarized.cm-s-dark div.CodeMirror-selected{background:#073642}.cm-s-solarized.cm-s-dark.CodeMirror ::-moz-selection{background:rgba(7,54,66,.99)}.cm-s-solarized.cm-s-dark.CodeMirror ::selection{background:rgba(7,54,66,.99)}.cm-s-dark .CodeMirror-line>span::-moz-selection,.cm-s-dark .CodeMirror-line>span>span::-moz-selection,.cm-s-solarized.cm-s-dark .CodeMirror-line::-moz-selection{background:rgba(7,54,66,.99)}.cm-s-solarized.cm-s-light div.CodeMirror-selected{background:#eee8d5}.cm-s-light .CodeMirror-line>span::selection,.cm-s-light .CodeMirror-line>span>span::selection,.cm-s-solarized.cm-s-light .CodeMirror-line::selection{background:#eee8d5}.cm-s-light .CodeMirror-line>span::-moz-selection,.cm-s-light .CodeMirror-line>span>span::-moz-selection,.cm-s-solarized.cm-s-light .CodeMirror-line::-moz-selection{background:#eee8d5}.cm-s-solarized.CodeMirror{box-shadow:inset 7px 0 12px -6px #000}.cm-s-solarized .CodeMirror-gutters{border-right:0}.cm-s-solarized.cm-s-dark .CodeMirror-gutters{background-color:#073642}.cm-s-solarized.cm-s-dark .CodeMirror-linenumber{color:#586e75}.cm-s-solarized.cm-s-light .CodeMirror-gutters{background-color:#eee8d5}.cm-s-solarized.cm-s-light .CodeMirror-linenumber{color:#839496}.cm-s-solarized .CodeMirror-linenumber{padding:0 5px}.cm-s-solarized .CodeMirror-guttermarker-subtle{color:#586e75}.cm-s-solarized.cm-s-dark .CodeMirror-guttermarker{color:#ddd}.cm-s-solarized.cm-s-light .CodeMirror-guttermarker{color:#cb4b16}.cm-s-solarized .CodeMirror-gutter .CodeMirror-gutter-text{color:#586e75}.cm-s-solarized .CodeMirror-cursor{border-left:1px solid #819090}.cm-s-solarized.cm-s-light.cm-fat-cursor .CodeMirror-cursor{background:#7e7}.cm-s-solarized.cm-s-light .cm-animate-fat-cursor{background-color:#7e7}.cm-s-solarized.cm-s-dark.cm-fat-cursor .CodeMirror-cursor{background:#586e75}.cm-s-solarized.cm-s-dark .cm-animate-fat-cursor{background-color:#586e75}.cm-s-solarized.cm-s-dark .CodeMirror-activeline-background{background:hsla(0,0%,100%,.06)}.cm-s-solarized.cm-s-light .CodeMirror-activeline-background{background:rgba(0,0,0,.06)}.cm-s-ssms span.cm-keyword{color:blue}.cm-s-ssms span.cm-comment{color:#006400}.cm-s-ssms span.cm-string{color:red}.cm-s-ssms span.cm-def,.cm-s-ssms span.cm-variable,.cm-s-ssms span.cm-variable-2{color:#000}.cm-s-ssms span.cm-atom{color:#a9a9a9}.cm-s-ssms .CodeMirror-linenumber{color:teal}.cm-s-ssms .CodeMirror-activeline-background{background:#fff}.cm-s-ssms span.cm-string-2{color:#f0f}.cm-s-ssms span.cm-bracket,.cm-s-ssms span.cm-operator,.cm-s-ssms span.cm-punctuation{color:#a9a9a9}.cm-s-ssms .CodeMirror-gutters{background-color:#fff;border-right:3px solid #ffee62}.cm-s-ssms div.CodeMirror-selected{background:#add6ff}.cm-s-the-matrix.CodeMirror{background:#000;color:#0f0}.cm-s-the-matrix div.CodeMirror-selected{background:#2d2d2d}.cm-s-the-matrix .CodeMirror-line::selection,.cm-s-the-matrix .CodeMirror-line>span::selection,.cm-s-the-matrix .CodeMirror-line>span>span::selection{background:rgba(45,45,45,.99)}.cm-s-the-matrix .CodeMirror-line::-moz-selection,.cm-s-the-matrix .CodeMirror-line>span::-moz-selection,.cm-s-the-matrix .CodeMirror-line>span>span::-moz-selection{background:rgba(45,45,45,.99)}.cm-s-the-matrix .CodeMirror-gutters{background:#060;border-right:2px solid #0f0}.cm-s-the-matrix .CodeMirror-guttermarker{color:#0f0}.cm-s-the-matrix .CodeMirror-guttermarker-subtle,.cm-s-the-matrix .CodeMirror-linenumber{color:#fff}.cm-s-the-matrix .CodeMirror-cursor{border-left:1px solid #0f0}.cm-s-the-matrix span.cm-keyword{color:#008803;font-weight:700}.cm-s-the-matrix span.cm-atom{color:#3ff}.cm-s-the-matrix span.cm-number{color:#ffb94f}.cm-s-the-matrix span.cm-def{color:#99c}.cm-s-the-matrix span.cm-variable{color:#f6c}.cm-s-the-matrix span.cm-variable-2{color:#c6f}.cm-s-the-matrix span.cm-type,.cm-s-the-matrix span.cm-variable-3{color:#96f}.cm-s-the-matrix span.cm-property{color:#62ffa0}.cm-s-the-matrix span.cm-operator{color:#999}.cm-s-the-matrix span.cm-comment{color:#ccc}.cm-s-the-matrix span.cm-string{color:#39c}.cm-s-the-matrix span.cm-meta{color:#c9f}.cm-s-the-matrix span.cm-qualifier{color:#fff700}.cm-s-the-matrix span.cm-builtin{color:#30a}.cm-s-the-matrix span.cm-bracket{color:#cc7}.cm-s-the-matrix span.cm-tag{color:#ffbd40}.cm-s-the-matrix span.cm-attribute{color:#fff700}.cm-s-the-matrix span.cm-error{color:red}.cm-s-the-matrix .CodeMirror-activeline-background{background:#040}.cm-s-tomorrow-night-bright.CodeMirror{background:#000;color:#eaeaea}.cm-s-tomorrow-night-bright div.CodeMirror-selected{background:#424242}.cm-s-tomorrow-night-bright .CodeMirror-gutters{background:#000;border-right:0}.cm-s-tomorrow-night-bright .CodeMirror-guttermarker{color:#e78c45}.cm-s-tomorrow-night-bright .CodeMirror-guttermarker-subtle{color:#777}.cm-s-tomorrow-night-bright .CodeMirror-linenumber{color:#424242}.cm-s-tomorrow-night-bright .CodeMirror-cursor{border-left:1px solid #6a6a6a}.cm-s-tomorrow-night-bright span.cm-comment{color:#d27b53}.cm-s-tomorrow-night-bright span.cm-atom,.cm-s-tomorrow-night-bright span.cm-number{color:#a16a94}.cm-s-tomorrow-night-bright span.cm-attribute,.cm-s-tomorrow-night-bright span.cm-property{color:#9c9}.cm-s-tomorrow-night-bright span.cm-keyword{color:#d54e53}.cm-s-tomorrow-night-bright span.cm-string{color:#e7c547}.cm-s-tomorrow-night-bright span.cm-variable{color:#b9ca4a}.cm-s-tomorrow-night-bright span.cm-variable-2{color:#7aa6da}.cm-s-tomorrow-night-bright span.cm-def{color:#e78c45}.cm-s-tomorrow-night-bright span.cm-bracket{color:#eaeaea}.cm-s-tomorrow-night-bright span.cm-tag{color:#d54e53}.cm-s-tomorrow-night-bright span.cm-link{color:#a16a94}.cm-s-tomorrow-night-bright span.cm-error{background:#d54e53;color:#6a6a6a}.cm-s-tomorrow-night-bright .CodeMirror-activeline-background{background:#2a2a2a}.cm-s-tomorrow-night-bright .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-tomorrow-night-eighties.CodeMirror{background:#000;color:#ccc}.cm-s-tomorrow-night-eighties div.CodeMirror-selected{background:#2d2d2d}.cm-s-tomorrow-night-eighties .CodeMirror-line::selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span::selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span>span::selection{background:rgba(45,45,45,.99)}.cm-s-tomorrow-night-eighties .CodeMirror-line::-moz-selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span::-moz-selection,.cm-s-tomorrow-night-eighties .CodeMirror-line>span>span::-moz-selection{background:rgba(45,45,45,.99)}.cm-s-tomorrow-night-eighties .CodeMirror-gutters{background:#000;border-right:0}.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker{color:#f2777a}.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker-subtle{color:#777}.cm-s-tomorrow-night-eighties .CodeMirror-linenumber{color:#515151}.cm-s-tomorrow-night-eighties .CodeMirror-cursor{border-left:1px solid #6a6a6a}.cm-s-tomorrow-night-eighties span.cm-comment{color:#d27b53}.cm-s-tomorrow-night-eighties span.cm-atom,.cm-s-tomorrow-night-eighties span.cm-number{color:#a16a94}.cm-s-tomorrow-night-eighties span.cm-attribute,.cm-s-tomorrow-night-eighties span.cm-property{color:#9c9}.cm-s-tomorrow-night-eighties span.cm-keyword{color:#f2777a}.cm-s-tomorrow-night-eighties span.cm-string{color:#fc6}.cm-s-tomorrow-night-eighties span.cm-variable{color:#9c9}.cm-s-tomorrow-night-eighties span.cm-variable-2{color:#69c}.cm-s-tomorrow-night-eighties span.cm-def{color:#f99157}.cm-s-tomorrow-night-eighties span.cm-bracket{color:#ccc}.cm-s-tomorrow-night-eighties span.cm-tag{color:#f2777a}.cm-s-tomorrow-night-eighties span.cm-link{color:#a16a94}.cm-s-tomorrow-night-eighties span.cm-error{background:#f2777a;color:#6a6a6a}.cm-s-tomorrow-night-eighties .CodeMirror-activeline-background{background:#343600}.cm-s-tomorrow-night-eighties .CodeMirror-matchingbracket{color:#fff!important;text-decoration:underline}.cm-s-ttcn .cm-quote{color:#090}.cm-s-ttcn .cm-header,.cm-strong{font-weight:700}.cm-s-ttcn .cm-header{color:#00f;font-weight:700}.cm-s-ttcn .cm-atom{color:#219}.cm-s-ttcn .cm-attribute{color:#00c}.cm-s-ttcn .cm-bracket{color:#997}.cm-s-ttcn .cm-comment{color:#333}.cm-s-ttcn .cm-def{color:#00f}.cm-s-ttcn .cm-em{font-style:italic}.cm-s-ttcn .cm-error{color:red}.cm-s-ttcn .cm-hr{color:#999}.cm-s-ttcn .cm-keyword{font-weight:700}.cm-s-ttcn .cm-link{color:#00c;text-decoration:underline}.cm-s-ttcn .cm-meta{color:#555}.cm-s-ttcn .cm-negative{color:#d44}.cm-s-ttcn .cm-positive{color:#292}.cm-s-ttcn .cm-qualifier{color:#555}.cm-s-ttcn .cm-strikethrough{text-decoration:line-through}.cm-s-ttcn .cm-string{color:#006400}.cm-s-ttcn .cm-string-2{color:#f50}.cm-s-ttcn .cm-strong{font-weight:700}.cm-s-ttcn .cm-tag{color:#170}.cm-s-ttcn .cm-variable{color:#8b2252}.cm-s-ttcn .cm-variable-2{color:#05a}.cm-s-ttcn .cm-type,.cm-s-ttcn .cm-variable-3{color:#085}.cm-s-ttcn .cm-invalidchar{color:red}.cm-s-ttcn .cm-accessTypes,.cm-s-ttcn .cm-compareTypes{color:#27408b}.cm-s-ttcn .cm-cmipVerbs{color:#8b2252}.cm-s-ttcn .cm-modifier{color:#d2691e}.cm-s-ttcn .cm-status{color:#8b4545}.cm-s-ttcn .cm-storage{color:#a020f0}.cm-s-ttcn .cm-tags{color:#006400}.cm-s-ttcn .cm-externalCommands{color:#8b4545;font-weight:700}.cm-s-ttcn .cm-fileNCtrlMaskOptions,.cm-s-ttcn .cm-sectionTitle{color:#2e8b57;font-weight:700}.cm-s-ttcn .cm-booleanConsts,.cm-s-ttcn .cm-otherConsts,.cm-s-ttcn .cm-verdictConsts{color:#006400}.cm-s-ttcn .cm-configOps,.cm-s-ttcn .cm-functionOps,.cm-s-ttcn .cm-portOps,.cm-s-ttcn .cm-sutOps,.cm-s-ttcn .cm-timerOps,.cm-s-ttcn .cm-verdictOps{color:#00f}.cm-s-ttcn .cm-preprocessor,.cm-s-ttcn .cm-templateMatch,.cm-s-ttcn .cm-ttcn3Macros{color:#27408b}.cm-s-ttcn .cm-types{color:brown;font-weight:700}.cm-s-ttcn .cm-visibilityModifiers{font-weight:700}.cm-s-twilight.CodeMirror{background:#141414;color:#f7f7f7}.cm-s-twilight div.CodeMirror-selected{background:#323232}.cm-s-twilight .CodeMirror-line::selection,.cm-s-twilight .CodeMirror-line>span::selection,.cm-s-twilight .CodeMirror-line>span>span::selection{background:rgba(50,50,50,.99)}.cm-s-twilight .CodeMirror-line::-moz-selection,.cm-s-twilight .CodeMirror-line>span::-moz-selection,.cm-s-twilight .CodeMirror-line>span>span::-moz-selection{background:rgba(50,50,50,.99)}.cm-s-twilight .CodeMirror-gutters{background:#222;border-right:1px solid #aaa}.cm-s-twilight .CodeMirror-guttermarker{color:#fff}.cm-s-twilight .CodeMirror-guttermarker-subtle,.cm-s-twilight .CodeMirror-linenumber{color:#aaa}.cm-s-twilight .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-twilight .cm-keyword{color:#f9ee98}.cm-s-twilight .cm-atom{color:#fc0}.cm-s-twilight .cm-number{color:#ca7841}.cm-s-twilight .cm-def{color:#8da6ce}.cm-s-twilight span.cm-def,.cm-s-twilight span.cm-tag,.cm-s-twilight span.cm-type,.cm-s-twilight span.cm-variable-2,.cm-s-twilight span.cm-variable-3{color:#607392}.cm-s-twilight .cm-operator{color:#cda869}.cm-s-twilight .cm-comment{color:#777;font-style:italic;font-weight:400}.cm-s-twilight .cm-string{color:#8f9d6a;font-style:italic}.cm-s-twilight .cm-string-2{color:#bd6b18}.cm-s-twilight .cm-meta{background-color:#141414;color:#f7f7f7}.cm-s-twilight .cm-builtin{color:#cda869}.cm-s-twilight .cm-tag{color:#997643}.cm-s-twilight .cm-attribute{color:#d6bb6d}.cm-s-twilight .cm-header{color:#ff6400}.cm-s-twilight .cm-hr{color:#aeaeae}.cm-s-twilight .cm-link{color:#ad9361;font-style:italic;text-decoration:none}.cm-s-twilight .cm-error{border-bottom:1px solid red}.cm-s-twilight .CodeMirror-activeline-background{background:#27282e}.cm-s-twilight .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-vibrant-ink.CodeMirror{background:#000;color:#fff}.cm-s-vibrant-ink div.CodeMirror-selected{background:#35493c}.cm-s-vibrant-ink .CodeMirror-line::selection,.cm-s-vibrant-ink .CodeMirror-line>span::selection,.cm-s-vibrant-ink .CodeMirror-line>span>span::selection{background:rgba(53,73,60,.99)}.cm-s-vibrant-ink .CodeMirror-line::-moz-selection,.cm-s-vibrant-ink .CodeMirror-line>span::-moz-selection,.cm-s-vibrant-ink .CodeMirror-line>span>span::-moz-selection{background:rgba(53,73,60,.99)}.cm-s-vibrant-ink .CodeMirror-gutters{background:#002240;border-right:1px solid #aaa}.cm-s-vibrant-ink .CodeMirror-guttermarker{color:#fff}.cm-s-vibrant-ink .CodeMirror-guttermarker-subtle,.cm-s-vibrant-ink .CodeMirror-linenumber{color:#d0d0d0}.cm-s-vibrant-ink .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-vibrant-ink .cm-keyword{color:#cc7832}.cm-s-vibrant-ink .cm-atom{color:#fc0}.cm-s-vibrant-ink .cm-number{color:#ffee98}.cm-s-vibrant-ink .cm-def{color:#8da6ce}.cm-s-vibrant span.cm-def,.cm-s-vibrant span.cm-tag,.cm-s-vibrant span.cm-type,.cm-s-vibrant-ink span.cm-variable-2,.cm-s-vibrant-ink span.cm-variable-3{color:#ffc66d}.cm-s-vibrant-ink .cm-operator{color:#888}.cm-s-vibrant-ink .cm-comment{color:gray;font-weight:700}.cm-s-vibrant-ink .cm-string{color:#a5c25c}.cm-s-vibrant-ink .cm-string-2{color:red}.cm-s-vibrant-ink .cm-meta{color:#d8fa3c}.cm-s-vibrant-ink .cm-attribute,.cm-s-vibrant-ink .cm-builtin,.cm-s-vibrant-ink .cm-tag{color:#8da6ce}.cm-s-vibrant-ink .cm-header{color:#ff6400}.cm-s-vibrant-ink .cm-hr{color:#aeaeae}.cm-s-vibrant-ink .cm-link{color:#5656f3}.cm-s-vibrant-ink .cm-error{border-bottom:1px solid red}.cm-s-vibrant-ink .CodeMirror-activeline-background{background:#27282e}.cm-s-vibrant-ink .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-xq-dark.CodeMirror{background:#0a001f;color:#f8f8f8}.cm-s-xq-dark div.CodeMirror-selected{background:#27007a}.cm-s-xq-dark .CodeMirror-line::selection,.cm-s-xq-dark .CodeMirror-line>span::selection,.cm-s-xq-dark .CodeMirror-line>span>span::selection{background:rgba(39,0,122,.99)}.cm-s-xq-dark .CodeMirror-line::-moz-selection,.cm-s-xq-dark .CodeMirror-line>span::-moz-selection,.cm-s-xq-dark .CodeMirror-line>span>span::-moz-selection{background:rgba(39,0,122,.99)}.cm-s-xq-dark .CodeMirror-gutters{background:#0a001f;border-right:1px solid #aaa}.cm-s-xq-dark .CodeMirror-guttermarker{color:#ffbd40}.cm-s-xq-dark .CodeMirror-guttermarker-subtle,.cm-s-xq-dark .CodeMirror-linenumber{color:#f8f8f8}.cm-s-xq-dark .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-xq-dark span.cm-keyword{color:#ffbd40}.cm-s-xq-dark span.cm-atom{color:#6c8cd5}.cm-s-xq-dark span.cm-number{color:#164}.cm-s-xq-dark span.cm-def{color:#fff;text-decoration:underline}.cm-s-xq-dark span.cm-variable{color:#fff}.cm-s-xq-dark span.cm-variable-2{color:#eee}.cm-s-xq-dark span.cm-type,.cm-s-xq-dark span.cm-variable-3{color:#ddd}.cm-s-xq-dark span.cm-comment{color:gray}.cm-s-xq-dark span.cm-string{color:#9fee00}.cm-s-xq-dark span.cm-meta{color:#ff0}.cm-s-xq-dark span.cm-qualifier{color:#fff700}.cm-s-xq-dark span.cm-builtin{color:#30a}.cm-s-xq-dark span.cm-bracket{color:#cc7}.cm-s-xq-dark span.cm-tag{color:#ffbd40}.cm-s-xq-dark span.cm-attribute{color:#fff700}.cm-s-xq-dark span.cm-error{color:red}.cm-s-xq-dark .CodeMirror-activeline-background{background:#27282e}.cm-s-xq-dark .CodeMirror-matchingbracket{color:#fff!important;outline:1px solid grey}.cm-s-xq-light span.cm-keyword{color:#5a5cad;font-weight:700;line-height:1em}.cm-s-xq-light span.cm-atom{color:#6c8cd5}.cm-s-xq-light span.cm-number{color:#164}.cm-s-xq-light span.cm-def{text-decoration:underline}.cm-s-xq-light span.cm-type,.cm-s-xq-light span.cm-variable,.cm-s-xq-light span.cm-variable-2,.cm-s-xq-light span.cm-variable-3{color:#000}.cm-s-xq-light span.cm-comment{color:#0080ff;font-style:italic}.cm-s-xq-light span.cm-string{color:red}.cm-s-xq-light span.cm-meta{color:#ff0}.cm-s-xq-light span.cm-qualifier{color:grey}.cm-s-xq-light span.cm-builtin{color:#7ea656}.cm-s-xq-light span.cm-bracket{color:#cc7}.cm-s-xq-light span.cm-tag{color:#3f7f7f}.cm-s-xq-light span.cm-attribute{color:#7f007f}.cm-s-xq-light span.cm-error{color:red}.cm-s-xq-light .CodeMirror-activeline-background{background:#e8f2ff}.cm-s-xq-light .CodeMirror-matchingbracket{background:#ff0;color:#000!important;outline:1px solid grey}.cm-s-yeti.CodeMirror{background-color:#eceae8!important;border:none;color:#d1c9c0!important}.cm-s-yeti .CodeMirror-gutters{background-color:#e5e1db;border:none;color:#adaba6}.cm-s-yeti .CodeMirror-cursor{border-left:thin solid #d1c9c0}.cm-s-yeti .CodeMirror-linenumber{color:#adaba6}.cm-s-yeti.CodeMirror-focused div.CodeMirror-selected{background:#dcd8d2}.cm-s-yeti .CodeMirror-line::selection,.cm-s-yeti .CodeMirror-line>span::selection,.cm-s-yeti .CodeMirror-line>span>span::selection{background:#dcd8d2}.cm-s-yeti .CodeMirror-line::-moz-selection,.cm-s-yeti .CodeMirror-line>span::-moz-selection,.cm-s-yeti .CodeMirror-line>span>span::-moz-selection{background:#dcd8d2}.cm-s-yeti span.cm-comment{color:#d4c8be}.cm-s-yeti span.cm-string,.cm-s-yeti span.cm-string-2{color:#96c0d8}.cm-s-yeti span.cm-number{color:#a074c4}.cm-s-yeti span.cm-variable{color:#55b5db}.cm-s-yeti span.cm-variable-2{color:#a074c4}.cm-s-yeti span.cm-def{color:#55b5db}.cm-s-yeti span.cm-keyword,.cm-s-yeti span.cm-operator{color:#9fb96e}.cm-s-yeti span.cm-atom{color:#a074c4}.cm-s-yeti span.cm-meta,.cm-s-yeti span.cm-tag{color:#96c0d8}.cm-s-yeti span.cm-attribute{color:#9fb96e}.cm-s-yeti span.cm-qualifier{color:#96c0d8}.cm-s-yeti span.cm-builtin,.cm-s-yeti span.cm-property{color:#a074c4}.cm-s-yeti span.cm-type,.cm-s-yeti span.cm-variable-3{color:#96c0d8}.cm-s-yeti .CodeMirror-activeline-background{background:#e7e4e0}.cm-s-yeti .CodeMirror-matchingbracket{text-decoration:underline}.cm-s-zenburn .CodeMirror-gutters{background:#3f3f3f!important}.CodeMirror-foldgutter-folded,.cm-s-zenburn .CodeMirror-foldgutter-open{color:#999}.cm-s-zenburn .CodeMirror-cursor{border-left:1px solid #fff}.cm-s-zenburn.CodeMirror{background-color:#3f3f3f;color:#dcdccc}.cm-s-zenburn span.cm-builtin{color:#dcdccc;font-weight:700}.cm-s-zenburn span.cm-comment{color:#7f9f7f}.cm-s-zenburn span.cm-keyword{color:#f0dfaf;font-weight:700}.cm-s-zenburn span.cm-atom{color:#bfebbf}.cm-s-zenburn span.cm-def{color:#dcdccc}.cm-s-zenburn span.cm-variable{color:#dfaf8f}.cm-s-zenburn span.cm-variable-2{color:#dcdccc}.cm-s-zenburn span.cm-string,.cm-s-zenburn span.cm-string-2{color:#cc9393}.cm-s-zenburn span.cm-number{color:#dcdccc}.cm-s-zenburn span.cm-tag{color:#93e0e3}.cm-s-zenburn span.cm-attribute,.cm-s-zenburn span.cm-property{color:#dfaf8f}.cm-s-zenburn span.cm-qualifier{color:#7cb8bb}.cm-s-zenburn span.cm-meta{color:#f0dfaf}.cm-s-zenburn span.cm-header,.cm-s-zenburn span.cm-operator{color:#f0efd0}.cm-s-zenburn span.CodeMirror-matchingbracket{background:transparent;border-bottom:1px solid;box-sizing:border-box}.cm-s-zenburn span.CodeMirror-nonmatchingbracket{background:none;border-bottom:1px solid}.cm-s-zenburn .CodeMirror-activeline,.cm-s-zenburn .CodeMirror-activeline-background{background:#000}.cm-s-zenburn div.CodeMirror-selected{background:#545454}.cm-s-zenburn .CodeMirror-focused div.CodeMirror-selected{background:#4f4f4f}.form-control{box-sizing:border-box;height:2.25rem;line-height:1.5}.form-control::-moz-placeholder{color:rgba(var(--colors-gray-400))}.form-control::placeholder{color:rgba(var(--colors-gray-400))}.form-control:focus{outline:2px solid transparent;outline-offset:2px}:is(.dark .form-control)::-moz-placeholder{color:rgba(var(--colors-gray-600))}:is(.dark .form-control)::placeholder{color:rgba(var(--colors-gray-600))}.form-control-bordered{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-gray-950),0.1)}.form-control-bordered,.form-control-bordered:focus{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.form-control-bordered:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-500))}:is(.dark .form-control-bordered){--tw-ring-color:rgba(var(--colors-gray-100),0.1)}.form-control-bordered-error{--tw-ring-color:rgba(var(--colors-red-400))!important}:is(.dark .form-control-bordered-error){--tw-ring-color:rgba(var(--colors-red-500))!important}.form-control-focused{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-500));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.form-control:disabled,.form-control[data-disabled]{background-color:rgba(var(--colors-gray-50));color:rgba(var(--colors-gray-400));outline:2px solid transparent;outline-offset:2px}:is(.dark .form-control:disabled),:is(.dark .form-control[data-disabled]){background-color:rgba(var(--colors-gray-800))}.form-input{--tw-bg-opacity:1;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color);-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.25rem;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow);color:rgba(var(--colors-gray-600));font-size:.875rem;line-height:1.25rem;padding-left:.75rem;padding-right:.75rem;width:100%}.form-input::-moz-placeholder{color:rgba(var(--colors-gray-400))}.form-input::placeholder{color:rgba(var(--colors-gray-400))}:is(.dark .form-input){background-color:rgba(var(--colors-gray-900));color:rgba(var(--colors-gray-400))}:is(.dark .form-input)::-moz-placeholder{color:rgba(var(--colors-gray-500))}:is(.dark .form-input)::placeholder{color:rgba(var(--colors-gray-500))}[dir=ltr] input[type=search]{padding-right:.5rem}[dir=rtl] input[type=search]{padding-left:.5rem}.dark .form-input,.dark input[type=search]{color-scheme:dark}.form-control+.form-select-arrow,.form-control>.form-select-arrow{position:absolute;top:15px}[dir=ltr] .form-control+.form-select-arrow,[dir=ltr] .form-control>.form-select-arrow{right:11px}[dir=rtl] .form-control+.form-select-arrow,[dir=rtl] .form-control>.form-select-arrow{left:11px}.fake-checkbox{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.25rem;color:rgba(var(--colors-primary-500));flex-shrink:0;height:1rem;-webkit-user-select:none;-moz-user-select:none;user-select:none;width:1rem}:is(.dark .fake-checkbox){background-color:rgba(var(--colors-gray-900))}.fake-checkbox{background-origin:border-box;border-color:rgba(var(--colors-gray-300));border-width:1px;display:inline-block;vertical-align:middle}:is(.dark .fake-checkbox){border-color:rgba(var(--colors-gray-700))}.checkbox{--tw-bg-opacity:1;-webkit-appearance:none;-moz-appearance:none;appearance:none;background-color:rgb(255 255 255/var(--tw-bg-opacity));border-radius:.25rem;color:rgba(var(--colors-primary-500));display:inline-block;flex-shrink:0;height:1rem;-webkit-user-select:none;-moz-user-select:none;user-select:none;vertical-align:middle;width:1rem}:is(.dark .checkbox){background-color:rgba(var(--colors-gray-900))}.checkbox{color-adjust:exact;border-color:rgba(var(--colors-gray-300));border-width:1px;-webkit-print-color-adjust:exact}.checkbox:focus{border-color:rgba(var(--colors-primary-300))}:is(.dark .checkbox){border-color:rgba(var(--colors-gray-700))}:is(.dark .checkbox:focus){border-color:rgba(var(--colors-gray-500))}.checkbox:disabled{background-color:rgba(var(--colors-gray-300))}:is(.dark .checkbox:disabled){background-color:rgba(var(--colors-gray-700))}.checkbox:hover:enabled{cursor:pointer}.checkbox:active,.checkbox:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-200));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}:is(.dark .checkbox:active),:is(.dark .checkbox:focus){--tw-ring-color:rgba(var(--colors-gray-700))}.checkbox:checked,.fake-checkbox-checked{background-color:currentColor;background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E");background-position:50%;background-repeat:no-repeat;background-size:cover;border-color:transparent}.checkbox:indeterminate,.fake-checkbox-indeterminate{background-color:currentColor;background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E");background-position:50%;background-repeat:no-repeat;background-size:cover;border-color:transparent}html.dark .checkbox:indeterminate,html.dark .fake-checkbox-indeterminate{background-color:rgba(var(--colors-primary-500));background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E")}html.dark .checkbox:checked,html.dark .fake-checkbox-checked{background-color:rgba(var(--colors-primary-500));background-image:url("data:image/svg+xml;charset=utf-8,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E")}.form-file{position:relative}.form-file-input{height:.1px;opacity:0;overflow:hidden;position:absolute;width:.1px;z-index:-1}.form-file-input+.form-file-btn:hover,.form-file-input:focus+.form-file-btn{background-color:rgba(var(--colors-primary-600));cursor:pointer}:root{accent-color:rgba(var(--colors-primary-500))}.visually-hidden{clip:rect(1px,1px,1px,1px);height:1px;overflow:hidden;position:absolute!important;width:1px}.visually-hidden:is(:focus,:focus-within)+label{outline:thin dotted}.v-popper--theme-Nova .v-popper__inner{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-gray-500))!important}:is(.dark .v-popper--theme-Nova .v-popper__inner){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity))!important}.v-popper--theme-Nova .v-popper__arrow-inner,.v-popper--theme-Nova .v-popper__arrow-outer{visibility:hidden}.v-popper--theme-tooltip .v-popper__inner{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-gray-500))!important}:is(.dark .v-popper--theme-tooltip .v-popper__inner){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity))!important}.v-popper--theme-tooltip .v-popper__arrow-outer{--tw-border-opacity:1!important;border-color:rgb(255 255 255/var(--tw-border-opacity))!important;visibility:hidden}.v-popper--theme-tooltip .v-popper__arrow-inner{visibility:hidden}.v-popper--theme-plain .v-popper__inner{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;border-radius:.5rem!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-gray-500))!important}:is(.dark .v-popper--theme-plain .v-popper__inner){--tw-text-opacity:1!important;background-color:rgba(var(--colors-gray-900))!important;color:rgb(255 255 255/var(--tw-text-opacity))!important}.v-popper--theme-plain .v-popper__arrow-inner,.v-popper--theme-plain .v-popper__arrow-outer{visibility:hidden}.help-text{color:rgba(var(--colors-gray-500));font-size:.75rem;font-style:italic;line-height:1rem;line-height:1.5}.help-text-error{color:rgba(var(--colors-red-500))}.help-text a{color:rgba(var(--colors-primary-500));text-decoration-line:none}.toasted.alive{background-color:#fff;border-radius:2px;box-shadow:0 12px 44px 0 rgba(10,21,84,.24);color:#007fff;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.alive.success{color:#4caf50}.toasted.alive.error{color:#f44336}.toasted.alive.info{color:#3f51b5}.toasted.alive .action{color:#007fff}.toasted.alive .material-icons{color:#ffc107}.toasted.material{background-color:#353535;border-radius:2px;box-shadow:0 1px 3px rgba(0,0,0,.12),0 1px 2px rgba(0,0,0,.24);color:#fff;font-size:100%;font-weight:300;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.material.success{color:#4caf50}.toasted.material.error{color:#f44336}.toasted.material.info{color:#3f51b5}.toasted.material .action{color:#a1c2fa}.toasted.colombo{background:#fff;border:2px solid #7492b1;border-radius:6px;color:#7492b1;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.colombo:after{background-color:#5e7b9a;border-radius:100%;content:"";height:8px;position:absolute;top:-4px;width:8px}[dir=ltr] .toasted.colombo:after{left:-5px}[dir=rtl] .toasted.colombo:after{right:-5px}.toasted.colombo.success{color:#4caf50}.toasted.colombo.error{color:#f44336}.toasted.colombo.info{color:#3f51b5}.toasted.colombo .action{color:#007fff}.toasted.colombo .material-icons{color:#5dcccd}.toasted.bootstrap{background-color:#f9fbfd;border:1px solid #d9edf7;border-radius:.25rem;box-shadow:0 1px 3px rgba(0,0,0,.07);color:#31708f;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.bootstrap.success{background-color:#dff0d8;border-color:#d0e9c6;color:#3c763d}.toasted.bootstrap.error{background-color:#f2dede;border-color:#f2dede;color:#a94442}.toasted.bootstrap.info{background-color:#d9edf7;border-color:#d9edf7;color:#31708f}.toasted.venice{border-radius:30px;box-shadow:0 12px 44px 0 rgba(10,21,84,.24);color:#fff;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}[dir=ltr] .toasted.venice{background:linear-gradient(85deg,#5861bf,#a56be2)}[dir=rtl] .toasted.venice{background:linear-gradient(-85deg,#5861bf,#a56be2)}.toasted.venice.success{color:#4caf50}.toasted.venice.error{color:#f44336}.toasted.venice.info{color:#3f51b5}.toasted.venice .action{color:#007fff}.toasted.venice .material-icons{color:#fff}.toasted.bulma{background-color:#00d1b2;border-radius:3px;color:#fff;font-size:100%;font-weight:700;line-height:1.1em;min-height:38px;padding:0 20px}.toasted.bulma.success{background-color:#23d160;color:#fff}.toasted.bulma.error{background-color:#ff3860;color:#a94442}.toasted.bulma.info{background-color:#3273dc;color:#fff}.toasted-container{position:fixed;z-index:10000}.toasted-container,.toasted-container.full-width{display:flex;flex-direction:column}.toasted-container.full-width{max-width:86%;width:100%}.toasted-container.full-width.fit-to-screen{min-width:100%}.toasted-container.full-width.fit-to-screen .toasted:first-child{margin-top:0}.toasted-container.full-width.fit-to-screen.top-right{top:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.top-right{right:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.top-right{left:0}.toasted-container.full-width.fit-to-screen.top-left{top:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.top-left{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.top-left{right:0}.toasted-container.full-width.fit-to-screen.top-center{top:0;transform:translateX(0)}[dir=ltr] .toasted-container.full-width.fit-to-screen.top-center{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.top-center{right:0}.toasted-container.full-width.fit-to-screen.bottom-right{bottom:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.bottom-right{right:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.bottom-right{left:0}.toasted-container.full-width.fit-to-screen.bottom-left{bottom:0}[dir=ltr] .toasted-container.full-width.fit-to-screen.bottom-left{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.bottom-left{right:0}.toasted-container.full-width.fit-to-screen.bottom-center{bottom:0;transform:translateX(0)}[dir=ltr] .toasted-container.full-width.fit-to-screen.bottom-center{left:0}[dir=rtl] .toasted-container.full-width.fit-to-screen.bottom-center{right:0}.toasted-container.top-right{top:10%}[dir=ltr] .toasted-container.top-right{right:7%}[dir=rtl] .toasted-container.top-right{left:7%}.toasted-container.top-right:not(.full-width){align-items:flex-end}.toasted-container.top-left{top:10%}[dir=ltr] .toasted-container.top-left{left:7%}[dir=rtl] .toasted-container.top-left{right:7%}.toasted-container.top-left:not(.full-width){align-items:flex-start}.toasted-container.top-center{align-items:center;top:10%}[dir=ltr] .toasted-container.top-center{left:50%;transform:translateX(-50%)}[dir=rtl] .toasted-container.top-center{right:50%;transform:translateX(50%)}.toasted-container.bottom-right{bottom:7%}[dir=ltr] .toasted-container.bottom-right{right:5%}[dir=rtl] .toasted-container.bottom-right{left:5%}.toasted-container.bottom-right:not(.full-width){align-items:flex-end}.toasted-container.bottom-left{bottom:7%}[dir=ltr] .toasted-container.bottom-left{left:5%}[dir=rtl] .toasted-container.bottom-left{right:5%}.toasted-container.bottom-left:not(.full-width){align-items:flex-start}.toasted-container.bottom-center{align-items:center;bottom:7%}[dir=ltr] .toasted-container.bottom-center{left:50%;transform:translateX(-50%)}[dir=rtl] .toasted-container.bottom-center{right:50%;transform:translateX(50%)}[dir=ltr] .toasted-container.bottom-left .toasted,[dir=ltr] .toasted-container.top-left .toasted{float:left}[dir=ltr] .toasted-container.bottom-right .toasted,[dir=ltr] .toasted-container.top-right .toasted,[dir=rtl] .toasted-container.bottom-left .toasted,[dir=rtl] .toasted-container.top-left .toasted{float:right}[dir=rtl] .toasted-container.bottom-right .toasted,[dir=rtl] .toasted-container.top-right .toasted{float:left}.toasted-container .toasted{align-items:center;box-sizing:inherit;clear:both;display:flex;height:auto;justify-content:space-between;margin-top:.8em;max-width:100%;position:relative;top:35px;width:auto;word-break:break-all}[dir=ltr] .toasted-container .toasted .material-icons{margin-left:-.4rem;margin-right:.5rem}[dir=ltr] .toasted-container .toasted .material-icons.after,[dir=rtl] .toasted-container .toasted .material-icons{margin-left:.5rem;margin-right:-.4rem}[dir=rtl] .toasted-container .toasted .material-icons.after{margin-left:-.4rem;margin-right:.5rem}[dir=ltr] .toasted-container .toasted .actions-wrapper{margin-left:.4em;margin-right:-1.2em}[dir=rtl] .toasted-container .toasted .actions-wrapper{margin-left:-1.2em;margin-right:.4em}.toasted-container .toasted .actions-wrapper .action{border-radius:3px;cursor:pointer;font-size:.9rem;font-weight:600;letter-spacing:.03em;padding:8px;text-decoration:none;text-transform:uppercase}[dir=ltr] .toasted-container .toasted .actions-wrapper .action{margin-right:.2rem}[dir=rtl] .toasted-container .toasted .actions-wrapper .action{margin-left:.2rem}.toasted-container .toasted .actions-wrapper .action.icon{align-items:center;display:flex;justify-content:center;padding:4px}[dir=ltr] .toasted-container .toasted .actions-wrapper .action.icon .material-icons{margin-left:4px;margin-right:0}[dir=rtl] .toasted-container .toasted .actions-wrapper .action.icon .material-icons{margin-left:0;margin-right:4px}.toasted-container .toasted .actions-wrapper .action.icon:hover{text-decoration:none}.toasted-container .toasted .actions-wrapper .action:hover{text-decoration:underline}@media only screen and (max-width:600px){#toasted-container{min-width:100%}#toasted-container .toasted:first-child{margin-top:0}#toasted-container.top-right{top:0}[dir=ltr] #toasted-container.top-right{right:0}[dir=rtl] #toasted-container.top-right{left:0}#toasted-container.top-left{top:0}[dir=ltr] #toasted-container.top-left{left:0}[dir=rtl] #toasted-container.top-left{right:0}#toasted-container.top-center{top:0;transform:translateX(0)}[dir=ltr] #toasted-container.top-center{left:0}[dir=rtl] #toasted-container.top-center{right:0}#toasted-container.bottom-right{bottom:0}[dir=ltr] #toasted-container.bottom-right{right:0}[dir=rtl] #toasted-container.bottom-right{left:0}#toasted-container.bottom-left{bottom:0}[dir=ltr] #toasted-container.bottom-left{left:0}[dir=rtl] #toasted-container.bottom-left{right:0}#toasted-container.bottom-center{bottom:0;transform:translateX(0)}[dir=ltr] #toasted-container.bottom-center{left:0}[dir=rtl] #toasted-container.bottom-center{right:0}#toasted-container.bottom-center,#toasted-container.top-center{align-items:stretch!important}#toasted-container.bottom-left .toasted,#toasted-container.bottom-right .toasted,#toasted-container.top-left .toasted,#toasted-container.top-right .toasted{float:none}#toasted-container .toasted{border-radius:0}}.link-default{border-radius:.25rem;color:rgba(var(--colors-primary-500));font-weight:700;text-decoration-line:none}.link-default:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-primary-200));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}.link-default:hover{color:rgba(var(--colors-primary-400))}.link-default:active{color:rgba(var(--colors-primary-600))}:is(.dark .link-default){--tw-ring-color:rgba(var(--colors-gray-600))}.link-default-error{border-radius:.25rem;color:rgba(var(--colors-red-500));font-weight:700;text-decoration-line:none}.link-default-error:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);--tw-ring-color:rgba(var(--colors-red-200));box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}.link-default-error:hover{color:rgba(var(--colors-red-400))}.link-default-error:active{color:rgba(var(--colors-red-600))}:is(.dark .link-default-error){--tw-ring-color:rgba(var(--colors-gray-600))}.field-wrapper:last-child{border-style:none}.chartist-tooltip{--tw-bg-opacity:1!important;--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1)!important;--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)!important;background-color:rgb(255 255 255/var(--tw-bg-opacity))!important;border-radius:.25rem!important;box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)!important;color:rgba(var(--colors-primary-500))!important;font-family:Nunito Sans,ui-sans-serif,system-ui,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji!important}:is(.dark .chartist-tooltip){background-color:rgba(var(--colors-gray-900))!important}.chartist-tooltip{min-width:0!important;padding:.2em 1em!important;white-space:nowrap}.chartist-tooltip:before{border-top-color:rgba(var(--colors-white),1)!important;display:none}.ct-chart-line .ct-series-a .ct-area,.ct-chart-line .ct-series-a .ct-slice-donut-solid,.ct-chart-line .ct-series-a .ct-slice-pie{fill:rgba(var(--colors-primary-500))!important}.ct-series-b .ct-area,.ct-series-b .ct-slice-donut-solid,.ct-series-b .ct-slice-pie{fill:#f99037!important}.ct-series-c .ct-area,.ct-series-c .ct-slice-donut-solid,.ct-series-c .ct-slice-pie{fill:#f2cb22!important}.ct-series-d .ct-area,.ct-series-d .ct-slice-donut-solid,.ct-series-d .ct-slice-pie{fill:#8fc15d!important}.ct-series-e .ct-area,.ct-series-e .ct-slice-donut-solid,.ct-series-e .ct-slice-pie{fill:#098f56!important}.ct-series-f .ct-area,.ct-series-f .ct-slice-donut-solid,.ct-series-f .ct-slice-pie{fill:#47c1bf!important}.ct-series-g .ct-area,.ct-series-g .ct-slice-donut-solid,.ct-series-g .ct-slice-pie{fill:#1693eb!important}.ct-series-h .ct-area,.ct-series-h .ct-slice-donut-solid,.ct-series-h .ct-slice-pie{fill:#6474d7!important}.ct-series-i .ct-area,.ct-series-i .ct-slice-donut-solid,.ct-series-i .ct-slice-pie{fill:#9c6ade!important}.ct-series-j .ct-area,.ct-series-j .ct-slice-donut-solid,.ct-series-j .ct-slice-pie{fill:#e471de!important}.ct-series-a .ct-bar,.ct-series-a .ct-line,.ct-series-a .ct-point{stroke:rgba(var(--colors-primary-500))!important;stroke-width:2px}.ct-series-a .ct-area,.ct-series-a .ct-slice-pie{fill:rgba(var(--colors-primary-500))!important}.ct-point{stroke:rgba(var(--colors-primary-500))!important;stroke-width:6px!important}trix-editor{border-radius:.5rem}:is(.dark trix-editor){background-color:rgba(var(--colors-gray-900));border-color:rgba(var(--colors-gray-700))}trix-editor{--tw-ring-color:rgba(var(--colors-primary-100))}trix-editor:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000);outline:2px solid transparent;outline-offset:2px}:is(.dark trix-editor){--tw-ring-color:rgba(var(--colors-gray-700))}:is(.dark trix-editor:focus){background-color:rgba(var(--colors-gray-900))}.disabled trix-editor,.disabled trix-toolbar{pointer-events:none}.disabled trix-editor{background-color:rgba(var(--colors-gray-50),1)}.dark .disabled trix-editor{background-color:rgba(var(--colors-gray-700),1)}.disabled trix-toolbar{display:none!important}trix-editor:empty:not(:focus):before{color:rgba(var(--colors-gray-500),1)}trix-editor.disabled{pointer-events:none}:is(.dark trix-toolbar .trix-button-row .trix-button-group){border-color:rgba(var(--colors-gray-900))}:is(.dark trix-toolbar .trix-button-row .trix-button-group .trix-button){background-color:rgba(var(--colors-gray-400));border-color:rgba(var(--colors-gray-900))}:is(.dark trix-toolbar .trix-button-row .trix-button-group .trix-button:hover){background-color:rgba(var(--colors-gray-300))}:is(.dark trix-toolbar .trix-button-row .trix-button-group .trix-button.trix-active){background-color:rgba(var(--colors-gray-500))}.modal .ap-dropdown-menu{position:relative!important}.key-value-items:last-child{background-clip:border-box;border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem;border-bottom-width:0}.key-value-items .key-value-item:last-child>.key-value-fields{border-bottom:none}.CodeMirror{background:unset!important;box-sizing:border-box;color:#fff!important;color:rgba(var(--colors-gray-500))!important;font:14px/1.5 Menlo,Consolas,Monaco,Andale Mono,monospace;height:auto;margin:auto;min-height:50px;position:relative;width:100%;z-index:0}:is(.dark .CodeMirror){color:rgba(var(--colors-gray-200))!important}.readonly>.CodeMirror{background-color:rgba(var(--colors-gray-100))!important}.CodeMirror-wrap{padding:.5rem 0}.markdown-fullscreen .markdown-content{height:calc(100vh - 30px)}.markdown-fullscreen .CodeMirror{height:100%}.CodeMirror-cursor{border-left:1px solid #000}:is(.dark .CodeMirror-cursor){--tw-border-opacity:1;border-color:rgb(255 255 255/var(--tw-border-opacity))}.cm-fat-cursor .CodeMirror-cursor{--tw-text-opacity:1;color:rgb(0 0 0/var(--tw-text-opacity))}:is(.dark .cm-fat-cursor .CodeMirror-cursor){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.cm-s-default .cm-header{color:rgba(var(--colors-gray-600))}:is(.dark .cm-s-default .cm-header){color:rgba(var(--colors-gray-300))}.cm-s-default .cm-comment,.cm-s-default .cm-quote,.cm-s-default .cm-string,.cm-s-default .cm-variable-2{color:rgba(var(--colors-gray-600))}:is(.dark .cm-s-default .cm-comment),:is(.dark .cm-s-default .cm-quote),:is(.dark .cm-s-default .cm-string),:is(.dark .cm-s-default .cm-variable-2){color:rgba(var(--colors-gray-300))}.cm-s-default .cm-link,.cm-s-default .cm-url{color:rgba(var(--colors-gray-500))}:is(.dark .cm-s-default .cm-link),:is(.dark .cm-s-default .cm-url){color:rgba(var(--colors-primary-400))}#nprogress{pointer-events:none}#nprogress .bar{background:rgba(var(--colors-primary-500),1);height:2px;position:fixed;top:0;width:100%;z-index:1031}[dir=ltr] #nprogress .bar{left:0}[dir=rtl] #nprogress .bar{right:0}.ap-footer-algolia svg,.ap-footer-osm svg{display:inherit}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:200;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:300;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:400;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:500;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:600;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:700;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:800;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:900;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:italic;font-weight:1000;src:url(fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:200;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:300;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:400;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:500;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:600;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:700;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:800;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:900;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0460-052f,u+1c80-1c88,u+20b4,u+2de0-2dff,u+a640-a69f,u+fe2e-fe2f}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0301,u+0400-045f,u+0490-0491,u+04b0-04b1,u+2116}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0102-0103,u+0110-0111,u+0128-0129,u+0168-0169,u+01a0-01a1,u+01af-01b0,u+0300-0301,u+0303-0304,u+0308-0309,u+0323,u+0329,u+1ea0-1ef9,u+20ab}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2) format("woff2");unicode-range:u+0100-02af,u+0304,u+0308,u+0329,u+1e00-1e9f,u+1ef2-1eff,u+2020,u+20a0-20ab,u+20ad-20cf,u+2113,u+2c60-2c7f,u+a720-a7ff}@font-face{font-display:swap;font-family:Nunito Sans;font-stretch:100%;font-style:normal;font-weight:1000;src:url(fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2) format("woff2");unicode-range:u+00??,u+0131,u+0152-0153,u+02bb-02bc,u+02c6,u+02da,u+02dc,u+0304,u+0308,u+0329,u+2000-206f,u+2074,u+20ac,u+2122,u+2191,u+2193,u+2212,u+2215,u+feff,u+fffd}.sr-only{clip:rect(0,0,0,0);border-width:0;height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;white-space:nowrap;width:1px}.pointer-events-none{pointer-events:none}.visible{visibility:visible}.invisible{visibility:hidden}.collapse{visibility:collapse}.static{position:static}.fixed{position:fixed}.absolute{position:absolute}.relative{position:relative}.inset-0{inset:0}[dir=ltr] .-right-\[50px\]{right:-50px}[dir=rtl] .-right-\[50px\]{left:-50px}.bottom-0{bottom:0}[dir=ltr] .left-0{left:0}[dir=rtl] .left-0{right:0}[dir=ltr] .left-\[15px\]{left:15px}[dir=rtl] .left-\[15px\]{right:15px}[dir=ltr] .right-0{right:0}[dir=rtl] .right-0{left:0}[dir=ltr] .right-\[-9px\]{right:-9px}[dir=rtl] .right-\[-9px\]{left:-9px}[dir=ltr] .right-\[11px\]{right:11px}[dir=rtl] .right-\[11px\]{left:11px}[dir=ltr] .right-\[16px\]{right:16px}[dir=rtl] .right-\[16px\]{left:16px}[dir=ltr] .right-\[3px\]{right:3px}[dir=rtl] .right-\[3px\]{left:3px}[dir=ltr] .right-\[4px\]{right:4px}[dir=rtl] .right-\[4px\]{left:4px}.top-0{top:0}.top-\[-10px\]{top:-10px}.top-\[-5px\]{top:-5px}.top-\[11px\]{top:11px}.top-\[13px\]{top:13px}.top-\[15px\]{top:15px}.top-\[20px\]{top:20px}.top-\[9px\]{top:9px}.isolate{isolation:isolate}.z-0{z-index:0}.z-10{z-index:10}.z-20{z-index:20}.z-30{z-index:30}.z-50{z-index:50}.z-\[35\]{z-index:35}.z-\[40\]{z-index:40}.z-\[50\]{z-index:50}.z-\[55\]{z-index:55}.z-\[60\]{z-index:60}.z-\[69\]{z-index:69}.z-\[70\]{z-index:70}.m-0{margin:0}.-mx-2{margin-left:-.5rem;margin-right:-.5rem}.-mx-3{margin-left:-.75rem;margin-right:-.75rem}.-mx-6{margin-left:-1.5rem;margin-right:-1.5rem}.mx-0{margin-left:0;margin-right:0}.mx-2{margin-left:.5rem;margin-right:.5rem}.mx-4{margin-left:1rem;margin-right:1rem}.mx-auto{margin-left:auto;margin-right:auto}.my-1{margin-bottom:.25rem;margin-top:.25rem}.-mb-2{margin-bottom:-.5rem}[dir=ltr] .-ml-1{margin-left:-.25rem}[dir=rtl] .-ml-1{margin-right:-.25rem}[dir=ltr] .-ml-\[4px\]{margin-left:-4px}[dir=rtl] .-ml-\[4px\]{margin-right:-4px}[dir=ltr] .-mr-12{margin-right:-3rem}[dir=rtl] .-mr-12{margin-left:-3rem}[dir=ltr] .-mr-2{margin-right:-.5rem}[dir=rtl] .-mr-2{margin-left:-.5rem}[dir=ltr] .-mr-px{margin-right:-1px}[dir=rtl] .-mr-px{margin-left:-1px}.-mt-2{margin-top:-.5rem}.mb-1{margin-bottom:.25rem}.mb-2{margin-bottom:.5rem}.mb-3{margin-bottom:.75rem}.mb-4{margin-bottom:1rem}.mb-5{margin-bottom:1.25rem}.mb-6{margin-bottom:1.5rem}.mb-8{margin-bottom:2rem}[dir=ltr] .ml-0{margin-left:0}[dir=rtl] .ml-0{margin-right:0}[dir=ltr] .ml-1{margin-left:.25rem}[dir=rtl] .ml-1{margin-right:.25rem}[dir=ltr] .ml-12{margin-left:3rem}[dir=rtl] .ml-12{margin-right:3rem}[dir=ltr] .ml-2{margin-left:.5rem}[dir=rtl] .ml-2{margin-right:.5rem}[dir=ltr] .ml-3{margin-left:.75rem}[dir=rtl] .ml-3{margin-right:.75rem}[dir=ltr] .ml-auto{margin-left:auto}[dir=rtl] .ml-auto{margin-right:auto}[dir=ltr] .mr-0{margin-right:0}[dir=rtl] .mr-0{margin-left:0}[dir=ltr] .mr-1{margin-right:.25rem}[dir=rtl] .mr-1{margin-left:.25rem}[dir=ltr] .mr-11{margin-right:2.75rem}[dir=rtl] .mr-11{margin-left:2.75rem}[dir=ltr] .mr-2{margin-right:.5rem}[dir=rtl] .mr-2{margin-left:.5rem}[dir=ltr] .mr-3{margin-right:.75rem}[dir=rtl] .mr-3{margin-left:.75rem}[dir=ltr] .mr-4{margin-right:1rem}[dir=rtl] .mr-4{margin-left:1rem}[dir=ltr] .mr-6{margin-right:1.5rem}[dir=rtl] .mr-6{margin-left:1.5rem}[dir=ltr] .mr-auto{margin-right:auto}[dir=rtl] .mr-auto{margin-left:auto}.mt-1{margin-top:.25rem}.mt-2{margin-top:.5rem}.mt-3{margin-top:.75rem}.mt-6{margin-top:1.5rem}.mt-8{margin-top:2rem}.mt-auto{margin-top:auto}.block{display:block}.inline-block{display:inline-block}.inline{display:inline}.flex{display:flex}.inline-flex{display:inline-flex}.table{display:table}.grid{display:grid}.contents{display:contents}.hidden{display:none}.aspect-auto{aspect-ratio:auto}.aspect-square{aspect-ratio:1/1}.h-10{height:2.5rem}.h-11{height:2.75rem}.h-12{height:3rem}.h-14{height:3.5rem}.h-2{height:.5rem}.h-3{height:.75rem}.h-4{height:1rem}.h-5{height:1.25rem}.h-6{height:1.5rem}.h-7{height:1.75rem}.h-8{height:2rem}.h-9{height:2.25rem}.h-\[20px\]{height:20px}.h-\[5px\]{height:5px}.h-\[90px\]{height:90px}.h-auto{height:auto}.h-full{height:100%}.h-screen{height:100vh}.max-h-\[90px\]{max-height:90px}.max-h-\[calc\(100vh-5em\)\]{max-height:calc(100vh - 5em)}.min-h-40{min-height:10rem}.min-h-6{min-height:1.5rem}.min-h-8{min-height:2rem}.min-h-\[10rem\]{min-height:10rem}.min-h-\[90px\]{min-height:90px}.min-h-full{min-height:100%}.w-1\/2{width:50%}.w-1\/5{width:20%}.w-10{width:2.5rem}.w-11{width:2.75rem}.w-12{width:3rem}.w-14{width:3.5rem}.w-2{width:.5rem}.w-3{width:.75rem}.w-4{width:1rem}.w-48{width:12rem}.w-5{width:1.25rem}.w-6{width:1.5rem}.w-60{width:15rem}.w-7{width:1.75rem}.w-8{width:2rem}.w-9{width:2.25rem}.w-\[1\%\]{width:1%}.w-\[20rem\]{width:20rem}.w-\[21px\]{width:21px}.w-\[25rem\]{width:25rem}.w-\[5px\]{width:5px}.w-\[6rem\]{width:6rem}.w-\[90px\]{width:90px}.w-auto{width:auto}.w-full{width:100%}.w-px{width:1px}.min-w-9{min-width:2.25rem}.min-w-\[24rem\]{min-width:24rem}.min-w-\[26px\]{min-width:26px}.\!max-w-full{max-width:100%!important}.max-w-2xl{max-width:42rem}.max-w-3xl{max-width:48rem}.max-w-4xl{max-width:56rem}.max-w-5xl{max-width:64rem}.max-w-6xl{max-width:72rem}.max-w-7xl{max-width:80rem}.max-w-\[25rem\]{max-width:25rem}.max-w-\[6rem\]{max-width:6rem}.max-w-lg{max-width:32rem}.max-w-md{max-width:28rem}.max-w-none{max-width:none}.max-w-sm{max-width:24rem}.max-w-xl{max-width:36rem}.max-w-xs{max-width:20rem}.max-w-xxs{max-width:15rem}.flex-1{flex:1 1 0%}.flex-auto{flex:1 1 auto}.flex-none{flex:none}.flex-shrink,.shrink{flex-shrink:1}.shrink-0{flex-shrink:0}.flex-grow{flex-grow:1}.table-fixed{table-layout:fixed}.rotate-90{--tw-rotate:90deg}.rotate-90,.transform{transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}@keyframes spin{to{transform:rotate(1turn)}}.animate-spin{animation:spin 1s linear infinite}.\!cursor-default{cursor:default!important}.cursor-default{cursor:default}.cursor-not-allowed{cursor:not-allowed}.cursor-pointer{cursor:pointer}.cursor-text{cursor:text}.select-none{-webkit-user-select:none;-moz-user-select:none;user-select:none}.resize-none{resize:none}.appearance-none{-webkit-appearance:none;-moz-appearance:none;appearance:none}.grid-cols-4{grid-template-columns:repeat(4,minmax(0,1fr))}.flex-row{flex-direction:row}.flex-col{flex-direction:column}.flex-wrap{flex-wrap:wrap}.content-center{align-content:center}.items-start{align-items:flex-start}.items-center{align-items:center}.items-stretch{align-items:stretch}.justify-start{justify-content:flex-start}.justify-end{justify-content:flex-end}.justify-center{justify-content:center}.justify-between{justify-content:space-between}.gap-1{gap:.25rem}.gap-2{gap:.5rem}.gap-4{gap:1rem}.gap-6{gap:1.5rem}.gap-x-6{-moz-column-gap:1.5rem;column-gap:1.5rem}.gap-y-2{row-gap:.5rem}.space-x-0>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-0>:not([hidden])~:not([hidden]){margin-left:calc(0px*(1 - var(--tw-space-x-reverse)));margin-right:calc(0px*var(--tw-space-x-reverse))}[dir=rtl] .space-x-0>:not([hidden])~:not([hidden]){margin-left:calc(0px*var(--tw-space-x-reverse));margin-right:calc(0px*(1 - var(--tw-space-x-reverse)))}.space-x-1>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-1>:not([hidden])~:not([hidden]){margin-left:calc(.25rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.25rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-1>:not([hidden])~:not([hidden]){margin-left:calc(.25rem*var(--tw-space-x-reverse));margin-right:calc(.25rem*(1 - var(--tw-space-x-reverse)))}.space-x-2>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-2>:not([hidden])~:not([hidden]){margin-left:calc(.5rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.5rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-2>:not([hidden])~:not([hidden]){margin-left:calc(.5rem*var(--tw-space-x-reverse));margin-right:calc(.5rem*(1 - var(--tw-space-x-reverse)))}.space-x-3>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.75rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*var(--tw-space-x-reverse));margin-right:calc(.75rem*(1 - var(--tw-space-x-reverse)))}.space-x-4>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .space-x-4>:not([hidden])~:not([hidden]){margin-left:calc(1rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(1rem*var(--tw-space-x-reverse))}[dir=rtl] .space-x-4>:not([hidden])~:not([hidden]){margin-left:calc(1rem*var(--tw-space-x-reverse));margin-right:calc(1rem*(1 - var(--tw-space-x-reverse)))}.space-y-1>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.25rem*var(--tw-space-y-reverse));margin-top:calc(.25rem*(1 - var(--tw-space-y-reverse)))}.space-y-2>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.5rem*var(--tw-space-y-reverse));margin-top:calc(.5rem*(1 - var(--tw-space-y-reverse)))}.space-y-3>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.75rem*var(--tw-space-y-reverse));margin-top:calc(.75rem*(1 - var(--tw-space-y-reverse)))}.space-y-4>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1rem*var(--tw-space-y-reverse));margin-top:calc(1rem*(1 - var(--tw-space-y-reverse)))}.space-y-6>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1.5rem*var(--tw-space-y-reverse));margin-top:calc(1.5rem*(1 - var(--tw-space-y-reverse)))}.space-y-8>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(2rem*var(--tw-space-y-reverse));margin-top:calc(2rem*(1 - var(--tw-space-y-reverse)))}.divide-x>:not([hidden])~:not([hidden]){--tw-divide-x-reverse:0}[dir=ltr] .divide-x>:not([hidden])~:not([hidden]){border-left-width:calc(1px*(1 - var(--tw-divide-x-reverse)));border-right-width:calc(1px*var(--tw-divide-x-reverse))}[dir=rtl] .divide-x>:not([hidden])~:not([hidden]){border-left-width:calc(1px*var(--tw-divide-x-reverse));border-right-width:calc(1px*(1 - var(--tw-divide-x-reverse)))}.divide-y>:not([hidden])~:not([hidden]){--tw-divide-y-reverse:0;border-bottom-width:calc(1px*var(--tw-divide-y-reverse));border-top-width:calc(1px*(1 - var(--tw-divide-y-reverse)))}.divide-solid>:not([hidden])~:not([hidden]){border-style:solid}.divide-gray-100>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-100))}.divide-gray-200>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-200))}.divide-gray-700>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-700))}.overflow-auto{overflow:auto}.overflow-hidden{overflow:hidden}.overflow-x-auto{overflow-x:auto}.overflow-y-auto{overflow-y:auto}.overflow-x-hidden{overflow-x:hidden}.overflow-y-hidden{overflow-y:hidden}.overflow-y-scroll{overflow-y:scroll}.truncate{overflow:hidden;text-overflow:ellipsis}.truncate,.whitespace-nowrap{white-space:nowrap}.whitespace-pre-wrap{white-space:pre-wrap}.break-normal{overflow-wrap:normal;word-break:normal}.break-words{overflow-wrap:break-word}.break-all{word-break:break-all}.\!rounded{border-radius:.25rem!important}.rounded{border-radius:.25rem}.rounded-full{border-radius:9999px}.rounded-lg{border-radius:.5rem}.rounded-none{border-radius:0}.rounded-b{border-bottom-left-radius:.25rem;border-bottom-right-radius:.25rem}.rounded-b-lg{border-bottom-left-radius:.5rem;border-bottom-right-radius:.5rem}[dir=ltr] .rounded-l-none{border-bottom-left-radius:0;border-top-left-radius:0}[dir=ltr] .rounded-r-none,[dir=rtl] .rounded-l-none{border-bottom-right-radius:0;border-top-right-radius:0}[dir=rtl] .rounded-r-none{border-bottom-left-radius:0;border-top-left-radius:0}.rounded-t{border-top-left-radius:.25rem;border-top-right-radius:.25rem}.rounded-t-lg{border-top-left-radius:.5rem;border-top-right-radius:.5rem}[dir=ltr] .rounded-bl-lg{border-bottom-left-radius:.5rem}[dir=ltr] .rounded-br-lg,[dir=rtl] .rounded-bl-lg{border-bottom-right-radius:.5rem}[dir=rtl] .rounded-br-lg{border-bottom-left-radius:.5rem}.border{border-width:1px}.border-2{border-width:2px}.border-4{border-width:4px}.border-\[3px\]{border-width:3px}.border-b{border-bottom-width:1px}[dir=ltr] .border-l{border-left-width:1px}[dir=ltr] .border-r,[dir=rtl] .border-l{border-right-width:1px}[dir=rtl] .border-r{border-left-width:1px}[dir=ltr] .border-r-0{border-right-width:0}[dir=rtl] .border-r-0{border-left-width:0}.border-t{border-top-width:1px}.border-dashed{border-style:dashed}.border-none{border-style:none}.border-gray-100{border-color:rgba(var(--colors-gray-100))}.border-gray-200{border-color:rgba(var(--colors-gray-200))}.border-gray-300{border-color:rgba(var(--colors-gray-300))}.border-gray-600{border-color:rgba(var(--colors-gray-600))}.border-gray-700{border-color:rgba(var(--colors-gray-700))}.border-gray-950\/20{border-color:rgba(var(--colors-gray-950),.2)}.border-primary-300{border-color:rgba(var(--colors-primary-300))}.border-primary-500{border-color:rgba(var(--colors-primary-500))}.border-red-500{border-color:rgba(var(--colors-red-500))}.border-transparent{border-color:transparent}.border-white{--tw-border-opacity:1;border-color:rgb(255 255 255/var(--tw-border-opacity))}.\!bg-gray-600{background-color:rgba(var(--colors-gray-600))!important}.bg-black{--tw-bg-opacity:1;background-color:rgb(0 0 0/var(--tw-bg-opacity))}.bg-gray-100{background-color:rgba(var(--colors-gray-100))}.bg-gray-200{background-color:rgba(var(--colors-gray-200))}.bg-gray-300{background-color:rgba(var(--colors-gray-300))}.bg-gray-50{background-color:rgba(var(--colors-gray-50))}.bg-gray-500\/75{background-color:rgba(var(--colors-gray-500),.75)}.bg-gray-600\/75{background-color:rgba(var(--colors-gray-600),.75)}.bg-gray-700{background-color:rgba(var(--colors-gray-700))}.bg-gray-800{background-color:rgba(var(--colors-gray-800))}.bg-gray-900{background-color:rgba(var(--colors-gray-900))}.bg-gray-950{background-color:rgba(var(--colors-gray-950))}.bg-green-100{background-color:rgba(var(--colors-green-100))}.bg-green-300{background-color:rgba(var(--colors-green-300))}.bg-green-500{background-color:rgba(var(--colors-green-500))}.bg-primary-100{background-color:rgba(var(--colors-primary-100))}.bg-primary-50{background-color:rgba(var(--colors-primary-50))}.bg-primary-500{background-color:rgba(var(--colors-primary-500))}.bg-primary-900{background-color:rgba(var(--colors-primary-900))}.bg-red-100{background-color:rgba(var(--colors-red-100))}.bg-red-50{background-color:rgba(var(--colors-red-50))}.bg-red-50\/25{background-color:rgba(var(--colors-red-50),.25)}.bg-red-500{background-color:rgba(var(--colors-red-500))}.bg-sky-100{background-color:rgba(var(--colors-sky-100))}.bg-transparent{background-color:transparent}.bg-white{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity))}.bg-white\/75{background-color:hsla(0,0%,100%,.75)}.bg-yellow-100{background-color:rgba(var(--colors-yellow-100))}.bg-yellow-300{background-color:rgba(var(--colors-yellow-300))}.bg-yellow-500{background-color:rgba(var(--colors-yellow-500))}.bg-clip-border{background-clip:border-box}.fill-current{fill:currentColor}.fill-gray-300{fill:rgba(var(--colors-gray-300))}.fill-gray-500{fill:rgba(var(--colors-gray-500))}.stroke-current{stroke:currentColor}.object-scale-down{-o-object-fit:scale-down;object-fit:scale-down}.p-0{padding:0}.p-1{padding:.25rem}.p-2{padding:.5rem}.p-3{padding:.75rem}.p-4{padding:1rem}.p-6{padding:1.5rem}.p-8{padding:2rem}.p-\[0px\]{padding:0}.\!px-3{padding-left:.75rem!important;padding-right:.75rem!important}.px-0{padding-left:0;padding-right:0}.px-1{padding-left:.25rem;padding-right:.25rem}.px-1\.5{padding-left:.375rem;padding-right:.375rem}.px-2{padding-left:.5rem;padding-right:.5rem}.px-3{padding-left:.75rem;padding-right:.75rem}.px-4{padding-left:1rem;padding-right:1rem}.px-6{padding-left:1.5rem;padding-right:1.5rem}.px-8{padding-left:2rem;padding-right:2rem}.py-0{padding-bottom:0;padding-top:0}.py-0\.5{padding-bottom:.125rem;padding-top:.125rem}.py-1{padding-bottom:.25rem;padding-top:.25rem}.py-1\.5{padding-bottom:.375rem;padding-top:.375rem}.py-12{padding-bottom:3rem;padding-top:3rem}.py-2{padding-bottom:.5rem;padding-top:.5rem}.py-3{padding-bottom:.75rem;padding-top:.75rem}.py-4{padding-bottom:1rem;padding-top:1rem}.py-5{padding-bottom:1.25rem;padding-top:1.25rem}.py-6{padding-bottom:1.5rem;padding-top:1.5rem}.py-8{padding-bottom:2rem;padding-top:2rem}[dir=ltr] .\!pl-2{padding-left:.5rem!important}[dir=rtl] .\!pl-2{padding-right:.5rem!important}[dir=ltr] .\!pr-1{padding-right:.25rem!important}[dir=rtl] .\!pr-1{padding-left:.25rem!important}.pb-2{padding-bottom:.5rem}.pb-24{padding-bottom:6rem}.pb-3{padding-bottom:.75rem}.pb-4{padding-bottom:1rem}[dir=ltr] .pl-1{padding-left:.25rem}[dir=rtl] .pl-1{padding-right:.25rem}[dir=ltr] .pl-10{padding-left:2.5rem}[dir=rtl] .pl-10{padding-right:2.5rem}[dir=ltr] .pl-3{padding-left:.75rem}[dir=rtl] .pl-3{padding-right:.75rem}[dir=ltr] .pl-5{padding-left:1.25rem}[dir=rtl] .pl-5{padding-right:1.25rem}[dir=ltr] .pl-6{padding-left:1.5rem}[dir=rtl] .pl-6{padding-right:1.5rem}[dir=ltr] .pr-2{padding-right:.5rem}[dir=rtl] .pr-2{padding-left:.5rem}[dir=ltr] .pr-3{padding-right:.75rem}[dir=rtl] .pr-3{padding-left:.75rem}[dir=ltr] .pr-4{padding-right:1rem}[dir=rtl] .pr-4{padding-left:1rem}[dir=ltr] .pr-5{padding-right:1.25rem}[dir=rtl] .pr-5{padding-left:1.25rem}[dir=ltr] .pr-6{padding-right:1.5rem}[dir=rtl] .pr-6{padding-left:1.5rem}.pt-2{padding-top:.5rem}.pt-3{padding-top:.75rem}.pt-4{padding-top:1rem}[dir=ltr] .text-left{text-align:left}[dir=rtl] .text-left{text-align:right}.text-center{text-align:center}[dir=ltr] .text-right{text-align:right}[dir=rtl] .text-right{text-align:left}.align-middle{vertical-align:middle}.font-mono{font-family:ui-monospace,SFMono-Regular,Menlo,Monaco,Consolas,Liberation Mono,Courier New,monospace}.font-sans{font-family:Nunito Sans,ui-sans-serif,system-ui,sans-serif,Apple Color Emoji,Segoe UI Emoji,Segoe UI Symbol,Noto Color Emoji}.text-2xl{font-size:1.5rem;line-height:2rem}.text-3xl{font-size:1.875rem;line-height:2.25rem}.text-4xl{font-size:2.25rem;line-height:2.5rem}.text-\[5rem\]{font-size:5rem}.text-base{font-size:1rem;line-height:1.5rem}.text-lg{font-size:1.125rem;line-height:1.75rem}.text-sm{font-size:.875rem;line-height:1.25rem}.text-xl{font-size:1.25rem;line-height:1.75rem}.text-xs{font-size:.75rem;line-height:1rem}.text-xxs{font-size:11px}.font-black{font-weight:900}.font-bold{font-weight:700}.font-light{font-weight:300}.font-medium{font-weight:500}.font-normal{font-weight:400}.font-semibold{font-weight:600}.uppercase{text-transform:uppercase}.capitalize{text-transform:capitalize}.italic{font-style:italic}.leading-5{line-height:1.25rem}.leading-none{line-height:1}.leading-normal{line-height:1.5}.leading-tight{line-height:1.25}.tracking-normal{letter-spacing:0}.tracking-wide{letter-spacing:.025em}.tracking-widest{letter-spacing:.1em}.\!text-gray-400{color:rgba(var(--colors-gray-400))!important}.text-gray-200{color:rgba(var(--colors-gray-200))}.text-gray-300{color:rgba(var(--colors-gray-300))}.text-gray-400{color:rgba(var(--colors-gray-400))}.text-gray-500{color:rgba(var(--colors-gray-500))}.text-gray-600{color:rgba(var(--colors-gray-600))}.text-gray-700{color:rgba(var(--colors-gray-700))}.text-gray-800{color:rgba(var(--colors-gray-800))}.text-gray-900{color:rgba(var(--colors-gray-900))}.text-green-500{color:rgba(var(--colors-green-500))}.text-green-600{color:rgba(var(--colors-green-600))}.text-primary-500{color:rgba(var(--colors-primary-500))}.text-primary-600{color:rgba(var(--colors-primary-600))}.text-primary-800{color:rgba(var(--colors-primary-800))}.text-red-500{color:rgba(var(--colors-red-500))}.text-red-600{color:rgba(var(--colors-red-600))}.text-sky-500{color:rgba(var(--colors-sky-500))}.text-sky-600{color:rgba(var(--colors-sky-600))}.text-white{--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}.text-yellow-500{color:rgba(var(--colors-yellow-500))}.text-yellow-600{color:rgba(var(--colors-yellow-600))}.no-underline{text-decoration-line:none}.antialiased{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.opacity-0{opacity:0}.opacity-100{opacity:1}.opacity-5{opacity:.05}.opacity-50{opacity:.5}.opacity-70{opacity:.7}.opacity-75{opacity:.75}.shadow{--tw-shadow:0 1px 3px 0 rgba(0,0,0,.1),0 1px 2px -1px rgba(0,0,0,.1);--tw-shadow-colored:0 1px 3px 0 var(--tw-shadow-color),0 1px 2px -1px var(--tw-shadow-color)}.shadow,.shadow-lg{box-shadow:var(--tw-ring-offset-shadow,0 0 #0000),var(--tw-ring-shadow,0 0 #0000),var(--tw-shadow)}.shadow-lg{--tw-shadow:0 10px 15px -3px rgba(0,0,0,.1),0 4px 6px -4px rgba(0,0,0,.1);--tw-shadow-colored:0 10px 15px -3px var(--tw-shadow-color),0 4px 6px -4px var(--tw-shadow-color)}.outline-none{outline:2px solid transparent;outline-offset:2px}.outline{outline-style:solid}.ring{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring,.ring-1{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.ring-1{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(1px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.ring-inset{--tw-ring-inset:inset}.ring-gray-700{--tw-ring-color:rgba(var(--colors-gray-700))}.ring-gray-950\/10{--tw-ring-color:rgba(var(--colors-gray-950),0.1)}.ring-primary-100{--tw-ring-color:rgba(var(--colors-primary-100))}.ring-primary-200{--tw-ring-color:rgba(var(--colors-primary-200))}.ring-red-400{--tw-ring-color:rgba(var(--colors-red-400))}.ring-offset-2{--tw-ring-offset-width:2px}.blur{--tw-blur:blur(8px)}.blur,.filter{filter:var(--tw-blur) var(--tw-brightness) var(--tw-contrast) var(--tw-grayscale) var(--tw-hue-rotate) var(--tw-invert) var(--tw-saturate) var(--tw-sepia) var(--tw-drop-shadow)}.transition{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,-webkit-backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke,opacity,box-shadow,transform,filter,backdrop-filter,-webkit-backdrop-filter;transition-timing-function:cubic-bezier(.4,0,.2,1)}.transition-colors{transition-duration:.15s;transition-property:color,background-color,border-color,text-decoration-color,fill,stroke;transition-timing-function:cubic-bezier(.4,0,.2,1)}.duration-0{transition-duration:0s}.duration-100{transition-duration:.1s}.duration-200{transition-duration:.2s}.duration-300{transition-duration:.3s}.ease-in{transition-timing-function:cubic-bezier(.4,0,1,1)}.ease-out{transition-timing-function:cubic-bezier(0,0,.2,1)}.\@container\/modal{container-name:modal;container-type:inline-size}.\@container\/peekable{container-name:peekable;container-type:inline-size}:is(.dark .dark\:prose-invert){--tw-prose-body:var(--tw-prose-invert-body);--tw-prose-headings:var(--tw-prose-invert-headings);--tw-prose-lead:var(--tw-prose-invert-lead);--tw-prose-links:var(--tw-prose-invert-links);--tw-prose-bold:var(--tw-prose-invert-bold);--tw-prose-counters:var(--tw-prose-invert-counters);--tw-prose-bullets:var(--tw-prose-invert-bullets);--tw-prose-hr:var(--tw-prose-invert-hr);--tw-prose-quotes:var(--tw-prose-invert-quotes);--tw-prose-quote-borders:var(--tw-prose-invert-quote-borders);--tw-prose-captions:var(--tw-prose-invert-captions);--tw-prose-kbd:var(--tw-prose-invert-kbd);--tw-prose-kbd-shadows:var(--tw-prose-invert-kbd-shadows);--tw-prose-code:var(--tw-prose-invert-code);--tw-prose-pre-code:var(--tw-prose-invert-pre-code);--tw-prose-pre-bg:var(--tw-prose-invert-pre-bg);--tw-prose-th-borders:var(--tw-prose-invert-th-borders);--tw-prose-td-borders:var(--tw-prose-invert-td-borders)}.placeholder\:text-gray-400::-moz-placeholder{color:rgba(var(--colors-gray-400))}.placeholder\:text-gray-400::placeholder{color:rgba(var(--colors-gray-400))}.focus-within\:ring-2:focus-within{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus-within\:ring-primary-500:focus-within{--tw-ring-color:rgba(var(--colors-primary-500))}.hover\:border-gray-300:hover{border-color:rgba(var(--colors-gray-300))}.hover\:border-primary-500:hover{border-color:rgba(var(--colors-primary-500))}.hover\:bg-gray-100:hover{background-color:rgba(var(--colors-gray-100))}.hover\:bg-gray-200:hover{background-color:rgba(var(--colors-gray-200))}.hover\:bg-gray-50:hover{background-color:rgba(var(--colors-gray-50))}.hover\:bg-primary-400:hover{background-color:rgba(var(--colors-primary-400))}.hover\:fill-gray-700:hover{fill:rgba(var(--colors-gray-700))}.hover\:text-gray-300:hover{color:rgba(var(--colors-gray-300))}.hover\:text-gray-500:hover{color:rgba(var(--colors-gray-500))}.hover\:text-primary-400:hover{color:rgba(var(--colors-primary-400))}.hover\:text-primary-600:hover{color:rgba(var(--colors-primary-600))}.hover\:text-red-600:hover{color:rgba(var(--colors-red-600))}.hover\:opacity-50:hover{opacity:.5}.hover\:opacity-75:hover{opacity:.75}.focus\:\!border-primary-500:focus{border-color:rgba(var(--colors-primary-500))!important}.focus\:bg-gray-50:focus{background-color:rgba(var(--colors-gray-50))}.focus\:bg-white:focus{--tw-bg-opacity:1;background-color:rgb(255 255 255/var(--tw-bg-opacity))}.focus\:text-primary-500:focus{color:rgba(var(--colors-primary-500))}.focus\:outline-none:focus{outline:2px solid transparent;outline-offset:2px}.focus\:ring:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.focus\:ring-2:focus,.focus\:ring:focus{box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.focus\:ring-2:focus{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color)}.focus\:ring-inset:focus{--tw-ring-inset:inset}.focus\:ring-primary-200:focus{--tw-ring-color:rgba(var(--colors-primary-200))}.focus\:ring-white:focus{--tw-ring-opacity:1;--tw-ring-color:rgb(255 255 255/var(--tw-ring-opacity))}.focus\:ring-offset-4:focus{--tw-ring-offset-width:4px}.focus\:ring-offset-gray-100:focus{--tw-ring-offset-color:rgba(var(--colors-gray-100))}.active\:border-primary-400:active{border-color:rgba(var(--colors-primary-400))}.active\:bg-primary-600:active{background-color:rgba(var(--colors-primary-600))}.active\:fill-gray-800:active{fill:rgba(var(--colors-gray-800))}.active\:text-gray-500:active{color:rgba(var(--colors-gray-500))}.active\:text-gray-600:active{color:rgba(var(--colors-gray-600))}.active\:text-gray-900:active{color:rgba(var(--colors-gray-900))}.active\:text-primary-400:active{color:rgba(var(--colors-primary-400))}.active\:text-primary-600:active{color:rgba(var(--colors-primary-600))}.active\:outline-none:active{outline:2px solid transparent;outline-offset:2px}.active\:ring:active{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(3px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.enabled\:bg-gray-700\/5:enabled{background-color:rgba(var(--colors-gray-700),.05)}.disabled\:cursor-not-allowed:disabled{cursor:not-allowed}.disabled\:opacity-50:disabled{opacity:.5}.group:hover .group-hover\:bg-gray-50{background-color:rgba(var(--colors-gray-50))}.group[data-state=checked] .group-data-\[state\=checked\]\:border-primary-500,.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:border-primary-500{border-color:rgba(var(--colors-primary-500))}.group[data-state=checked] .group-data-\[state\=checked\]\:bg-primary-500,.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:bg-primary-500{background-color:rgba(var(--colors-primary-500))}.group[data-state=checked] .group-data-\[state\=checked\]\:opacity-0{opacity:0}.group[data-state=checked] .group-data-\[state\=checked\]\:opacity-100{opacity:1}.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:opacity-0{opacity:0}.group[data-state=indeterminate] .group-data-\[state\=indeterminate\]\:opacity-100{opacity:1}.group[data-state=unchecked] .group-data-\[state\=unchecked\]\:opacity-0{opacity:0}.group[data-focus=true] .group-data-\[focus\=true\]\:ring-2{--tw-ring-offset-shadow:var(--tw-ring-inset) 0 0 0 var(--tw-ring-offset-width) var(--tw-ring-offset-color);--tw-ring-shadow:var(--tw-ring-inset) 0 0 0 calc(2px + var(--tw-ring-offset-width)) var(--tw-ring-color);box-shadow:var(--tw-ring-offset-shadow),var(--tw-ring-shadow),var(--tw-shadow,0 0 #0000)}.group[data-focus=true] .group-data-\[focus\=true\]\:ring-primary-500{--tw-ring-color:rgba(var(--colors-primary-500))}@container peekable (min-width: 24rem){.\@sm\/peekable\:w-1\/4{width:25%}.\@sm\/peekable\:w-3\/4{width:75%}.\@sm\/peekable\:flex-row{flex-direction:row}.\@sm\/peekable\:space-y-0>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(0px*var(--tw-space-y-reverse));margin-top:calc(0px*(1 - var(--tw-space-y-reverse)))}.\@sm\/peekable\:break-all{word-break:break-all}.\@sm\/peekable\:py-0{padding-bottom:0;padding-top:0}.\@sm\/peekable\:py-3{padding-bottom:.75rem;padding-top:.75rem}}@container modal (min-width: 28rem){.\@md\/modal\:mt-2{margin-top:.5rem}.\@md\/modal\:flex{display:flex}.\@md\/modal\:w-1\/4{width:25%}.\@md\/modal\:w-1\/5{width:20%}.\@md\/modal\:w-3\/4{width:75%}.\@md\/modal\:w-3\/5{width:60%}.\@md\/modal\:w-4\/5{width:80%}.\@md\/modal\:flex-row{flex-direction:row}.\@md\/modal\:flex-col{flex-direction:column}.\@md\/modal\:space-y-0>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(0px*var(--tw-space-y-reverse));margin-top:calc(0px*(1 - var(--tw-space-y-reverse)))}.\@md\/modal\:space-y-2>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.5rem*var(--tw-space-y-reverse));margin-top:calc(.5rem*(1 - var(--tw-space-y-reverse)))}.\@md\/modal\:\!px-4{padding-left:1rem!important;padding-right:1rem!important}.\@md\/modal\:\!px-6{padding-left:1.5rem!important;padding-right:1.5rem!important}.\@md\/modal\:px-8{padding-left:2rem;padding-right:2rem}.\@md\/modal\:py-0{padding-bottom:0;padding-top:0}.\@md\/modal\:py-3{padding-bottom:.75rem;padding-top:.75rem}}@container peekable (min-width: 28rem){.\@md\/peekable\:break-words{overflow-wrap:break-word}}@container modal (min-width: 32rem){.\@lg\/modal\:break-words{overflow-wrap:break-word}}:is(.dark .dark\:divide-gray-600)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:divide-gray-700)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:divide-gray-800)>:not([hidden])~:not([hidden]){border-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:border-b){border-bottom-width:1px}:is(.dark .dark\:\!border-gray-500){border-color:rgba(var(--colors-gray-500))!important}:is(.dark .dark\:border-gray-500){border-color:rgba(var(--colors-gray-500))}:is(.dark .dark\:border-gray-600){border-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:border-gray-700){border-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:border-gray-800){border-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:border-gray-900){border-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:\!bg-gray-600){background-color:rgba(var(--colors-gray-600))!important}:is(.dark .dark\:bg-gray-700){background-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:bg-gray-800){background-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:bg-gray-800\/75){background-color:rgba(var(--colors-gray-800),.75)}:is(.dark .dark\:bg-gray-900){background-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:bg-gray-900\/30){background-color:rgba(var(--colors-gray-900),.3)}:is(.dark .dark\:bg-gray-900\/75){background-color:rgba(var(--colors-gray-900),.75)}:is(.dark .dark\:bg-gray-950){background-color:rgba(var(--colors-gray-950))}:is(.dark .dark\:bg-green-400){background-color:rgba(var(--colors-green-400))}:is(.dark .dark\:bg-green-500){background-color:rgba(var(--colors-green-500))}:is(.dark .dark\:bg-primary-500){background-color:rgba(var(--colors-primary-500))}:is(.dark .dark\:bg-red-400){background-color:rgba(var(--colors-red-400))}:is(.dark .dark\:bg-sky-600){background-color:rgba(var(--colors-sky-600))}:is(.dark .dark\:bg-transparent){background-color:transparent}:is(.dark .dark\:bg-yellow-300){background-color:rgba(var(--colors-yellow-300))}:is(.dark .dark\:fill-gray-300){fill:rgba(var(--colors-gray-300))}:is(.dark .dark\:fill-gray-400){fill:rgba(var(--colors-gray-400))}:is(.dark .dark\:fill-gray-500){fill:rgba(var(--colors-gray-500))}:is(.dark .dark\:text-gray-200){color:rgba(var(--colors-gray-200))}:is(.dark .dark\:text-gray-400){color:rgba(var(--colors-gray-400))}:is(.dark .dark\:text-gray-500){color:rgba(var(--colors-gray-500))}:is(.dark .dark\:text-gray-600){color:rgba(var(--colors-gray-600))}:is(.dark .dark\:text-gray-700){color:rgba(var(--colors-gray-700))}:is(.dark .dark\:text-gray-800){color:rgba(var(--colors-gray-800))}:is(.dark .dark\:text-gray-900){color:rgba(var(--colors-gray-900))}:is(.dark .dark\:text-green-900){color:rgba(var(--colors-green-900))}:is(.dark .dark\:text-primary-500){color:rgba(var(--colors-primary-500))}:is(.dark .dark\:text-primary-600){color:rgba(var(--colors-primary-600))}:is(.dark .dark\:text-red-900){color:rgba(var(--colors-red-900))}:is(.dark .dark\:text-red-950){color:rgba(var(--colors-red-950))}:is(.dark .dark\:text-sky-900){color:rgba(var(--colors-sky-900))}:is(.dark .dark\:text-white){--tw-text-opacity:1;color:rgb(255 255 255/var(--tw-text-opacity))}:is(.dark .dark\:text-yellow-800){color:rgba(var(--colors-yellow-800))}:is(.dark .dark\:opacity-100){opacity:1}:is(.dark .dark\:ring-gray-100\/10){--tw-ring-color:rgba(var(--colors-gray-100),0.1)}:is(.dark .dark\:ring-gray-600){--tw-ring-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:ring-gray-700){--tw-ring-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:ring-red-500){--tw-ring-color:rgba(var(--colors-red-500))}:is(.dark .dark\:placeholder\:text-gray-500)::-moz-placeholder{color:rgba(var(--colors-gray-500))}:is(.dark .dark\:placeholder\:text-gray-500)::placeholder{color:rgba(var(--colors-gray-500))}:is(.dark .dark\:focus-within\:ring-gray-500:focus-within){--tw-ring-color:rgba(var(--colors-gray-500))}:is(.dark .dark\:hover\:border-gray-400:hover){border-color:rgba(var(--colors-gray-400))}:is(.dark .dark\:hover\:border-gray-600:hover){border-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:hover\:bg-gray-700:hover){background-color:rgba(var(--colors-gray-700))}:is(.dark .dark\:hover\:bg-gray-800:hover){background-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:hover\:bg-gray-900:hover){background-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:hover\:fill-gray-600:hover){fill:rgba(var(--colors-gray-600))}:is(.dark .dark\:hover\:text-gray-300:hover){color:rgba(var(--colors-gray-300))}:is(.dark .dark\:hover\:text-gray-400:hover){color:rgba(var(--colors-gray-400))}:is(.dark .dark\:hover\:opacity-50:hover){opacity:.5}:is(.dark .dark\:focus\:bg-gray-800:focus){background-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:focus\:bg-gray-900:focus){background-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:focus\:ring-gray-600:focus){--tw-ring-color:rgba(var(--colors-gray-600))}:is(.dark .dark\:focus\:ring-offset-gray-800:focus){--tw-ring-offset-color:rgba(var(--colors-gray-800))}:is(.dark .dark\:focus\:ring-offset-gray-900:focus){--tw-ring-offset-color:rgba(var(--colors-gray-900))}:is(.dark .dark\:active\:border-gray-300:active){border-color:rgba(var(--colors-gray-300))}:is(.dark .dark\:active\:text-gray-500:active){color:rgba(var(--colors-gray-500))}:is(.dark .dark\:active\:text-gray-600:active){color:rgba(var(--colors-gray-600))}:is(.dark .dark\:enabled\:bg-gray-950:enabled){background-color:rgba(var(--colors-gray-950))}:is(.dark .dark\:enabled\:text-gray-400:enabled){color:rgba(var(--colors-gray-400))}:is(.dark .dark\:enabled\:hover\:text-gray-300:hover:enabled){color:rgba(var(--colors-gray-300))}:is(.dark .group:hover .dark\:group-hover\:bg-gray-900){background-color:rgba(var(--colors-gray-900))}.group[data-focus] :is(.dark .group-data-\[focus\]\:dark\:ring-offset-gray-950){--tw-ring-offset-color:rgba(var(--colors-gray-950))}@media (min-width:640px){.sm\:px-8{padding-left:2rem;padding-right:2rem}}@media (min-width:768px){.md\:col-span-12{grid-column:span 12/span 12}.md\:col-span-3{grid-column:span 3/span 3}.md\:col-span-4{grid-column:span 4/span 4}.md\:col-span-6{grid-column:span 6/span 6}.md\:col-span-8{grid-column:span 8/span 8}.md\:col-span-9{grid-column:span 9/span 9}[dir=ltr] .md\:ml-2{margin-left:.5rem}[dir=rtl] .md\:ml-2{margin-right:.5rem}[dir=ltr] .md\:ml-3{margin-left:.75rem}[dir=rtl] .md\:ml-3{margin-right:.75rem}[dir=ltr] .md\:mr-2{margin-right:.5rem}[dir=rtl] .md\:mr-2{margin-left:.5rem}.md\:mt-0{margin-top:0}.md\:mt-2{margin-top:.5rem}.md\:mt-6{margin-top:1.5rem}.md\:inline-block{display:inline-block}.md\:inline{display:inline}.md\:flex{display:flex}.md\:grid{display:grid}.md\:hidden{display:none}.md\:w-1\/3{width:33.333333%}.md\:w-1\/4{width:25%}.md\:w-1\/5{width:20%}.md\:w-3\/4{width:75%}.md\:w-3\/5{width:60%}.md\:w-4\/5{width:80%}.md\:w-\[20rem\]{width:20rem}.md\:shrink-0{flex-shrink:0}.md\:grid-cols-12{grid-template-columns:repeat(12,minmax(0,1fr))}.md\:grid-cols-2{grid-template-columns:repeat(2,minmax(0,1fr))}.md\:flex-row{flex-direction:row}.md\:flex-col{flex-direction:column}.md\:items-center{align-items:center}.md\:justify-end{justify-content:flex-end}.md\:space-x-20>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .md\:space-x-20>:not([hidden])~:not([hidden]){margin-left:calc(5rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(5rem*var(--tw-space-x-reverse))}[dir=rtl] .md\:space-x-20>:not([hidden])~:not([hidden]){margin-left:calc(5rem*var(--tw-space-x-reverse));margin-right:calc(5rem*(1 - var(--tw-space-x-reverse)))}.md\:space-x-3>:not([hidden])~:not([hidden]){--tw-space-x-reverse:0}[dir=ltr] .md\:space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*(1 - var(--tw-space-x-reverse)));margin-right:calc(.75rem*var(--tw-space-x-reverse))}[dir=rtl] .md\:space-x-3>:not([hidden])~:not([hidden]){margin-left:calc(.75rem*var(--tw-space-x-reverse));margin-right:calc(.75rem*(1 - var(--tw-space-x-reverse)))}.md\:space-y-0>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(0px*var(--tw-space-y-reverse));margin-top:calc(0px*(1 - var(--tw-space-y-reverse)))}.md\:space-y-2>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(.5rem*var(--tw-space-y-reverse));margin-top:calc(.5rem*(1 - var(--tw-space-y-reverse)))}.md\:space-y-4>:not([hidden])~:not([hidden]){--tw-space-y-reverse:0;margin-bottom:calc(1rem*var(--tw-space-y-reverse));margin-top:calc(1rem*(1 - var(--tw-space-y-reverse)))}.md\:border-b-0{border-bottom-width:0}.md\/modal\:py-3{padding-bottom:.75rem;padding-top:.75rem}.md\:\!px-4{padding-left:1rem!important;padding-right:1rem!important}.md\:\!px-6{padding-left:1.5rem!important;padding-right:1.5rem!important}.md\:px-0{padding-left:0;padding-right:0}.md\:px-12{padding-left:3rem;padding-right:3rem}.md\:px-2{padding-left:.5rem;padding-right:.5rem}.md\:px-3{padding-left:.75rem;padding-right:.75rem}.md\:px-8{padding-left:2rem;padding-right:2rem}.md\:py-0{padding-bottom:0;padding-top:0}.md\:py-3{padding-bottom:.75rem;padding-top:.75rem}.md\:py-6{padding-bottom:1.5rem;padding-top:1.5rem}.md\:py-8{padding-bottom:2rem;padding-top:2rem}[dir=ltr] .md\:pr-3{padding-right:.75rem}[dir=rtl] .md\:pr-3{padding-left:.75rem}.md\:text-2xl{font-size:1.5rem;line-height:2rem}.md\:text-\[4rem\]{font-size:4rem}.md\:text-xl{font-size:1.25rem;line-height:1.75rem}}@media (min-width:1024px){.lg\:absolute{position:absolute}.lg\:bottom-auto{bottom:auto}.lg\:top-\[56px\]{top:56px}[dir=ltr] .lg\:ml-60{margin-left:15rem}[dir=rtl] .lg\:ml-60{margin-right:15rem}.lg\:block{display:block}.lg\:inline-block{display:inline-block}.lg\:hidden{display:none}.lg\:w-60{width:15rem}.lg\:max-w-lg{max-width:32rem}.lg\:break-words{overflow-wrap:break-word}.lg\:px-12{padding-left:3rem;padding-right:3rem}.lg\:px-6{padding-left:1.5rem;padding-right:1.5rem}}.ltr\:-rotate-90:where([dir=ltr],[dir=ltr] *){--tw-rotate:-90deg;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.rtl\:rotate-90:where([dir=rtl],[dir=rtl] *){--tw-rotate:90deg;transform:translate(var(--tw-translate-x),var(--tw-translate-y)) rotate(var(--tw-rotate)) skewX(var(--tw-skew-x)) skewY(var(--tw-skew-y)) scaleX(var(--tw-scale-x)) scaleY(var(--tw-scale-y))}.hover\:\[\&\:not\(\:disabled\)\]\:border-primary-400:not(:disabled):hover{border-color:rgba(var(--colors-primary-400))}.hover\:\[\&\:not\(\:disabled\)\]\:border-red-400:not(:disabled):hover{border-color:rgba(var(--colors-red-400))}.hover\:\[\&\:not\(\:disabled\)\]\:bg-gray-700\/5:not(:disabled):hover{background-color:rgba(var(--colors-gray-700),.05)}.hover\:\[\&\:not\(\:disabled\)\]\:bg-primary-400:not(:disabled):hover{background-color:rgba(var(--colors-primary-400))}.hover\:\[\&\:not\(\:disabled\)\]\:bg-red-400:not(:disabled):hover{background-color:rgba(var(--colors-red-400))}.hover\:\[\&\:not\(\:disabled\)\]\:text-gray-400:not(:disabled):hover{color:rgba(var(--colors-gray-400))}.hover\:\[\&\:not\(\:disabled\)\]\:text-primary-400:not(:disabled):hover{color:rgba(var(--colors-primary-400))}.hover\:\[\&\:not\(\:disabled\)\]\:text-primary-500:not(:disabled):hover{color:rgba(var(--colors-primary-500))}.hover\:\[\&\:not\(\:disabled\)\]\:text-red-400:not(:disabled):hover{color:rgba(var(--colors-red-400))}:is(.dark .dark\:hover\:\[\&\:not\(\:disabled\)\]\:bg-gray-950:not(:disabled):hover){background-color:rgba(var(--colors-gray-950))}:is(.dark .dark\:hover\:\[\&\:not\(\:disabled\)\]\:text-primary-500:not(:disabled):hover){color:rgba(var(--colors-primary-500))} /*# sourceMappingURL=app.css.map*/ \ No newline at end of file diff --git a/public/vendor/nova/app.css.map b/public/vendor/nova/app.css.map index e6e8841..6c6cc24 100644 --- a/public/vendor/nova/app.css.map +++ b/public/vendor/nova/app.css.map @@ -1 +1 @@ -{"version":3,"file":"app.css","mappings":"AAAA,+DAAc,CAAd,0DAAc,CAAd,kBAAc,CAAd,cAAc,CAAd,qBAAc,CAAd,8BAAc,CAAd,wCAAc,CAAd,4BAAc,CAAd,uCAAc,CAAd,4HAAc,CAAd,8BAAc,CAAd,eAAc,CAAd,eAAc,CAAd,aAAc,CAAd,UAAc,CAAd,wBAAc,CAAd,QAAc,CAAd,uBAAc,CAAd,aAAc,CAAd,QAAc,CAAd,4DAAc,CAAd,gCAAc,CAAd,mCAAc,CAAd,mBAAc,CAAd,eAAc,CAAd,uBAAc,CAAd,2BAAc,CAAd,8CAAc,CAAd,mGAAc,CAAd,aAAc,CAAd,8BAAc,CAAd,mBAAc,CAAd,qBAAc,CAAd,aAAc,CAAd,iBAAc,CAAd,uBAAc,CAAd,iBAAc,CAAd,aAAc,CAAd,8BAAc,CAAd,oBAAc,CAAd,aAAc,CAAd,mEAAc,CAAd,aAAc,CAAd,mBAAc,CAAd,cAAc,CAAd,+BAAc,CAAd,mBAAc,CAAd,mBAAc,CAAd,QAAc,CAAd,SAAc,CAAd,iCAAc,CAAd,yEAAc,CAAd,4BAAc,CAAd,qBAAc,CAAd,4BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,mEAAc,CAAd,0CAAc,CAAd,mBAAc,CAAd,mDAAc,CAAd,sDAAc,CAAd,YAAc,CAAd,yBAAc,CAAd,2DAAc,CAAd,iBAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,QAAc,CAAd,SAAc,CAAd,gBAAc,CAAd,wBAAc,CAAd,qFAAc,CAAd,SAAc,CAAd,2EAAc,CAAd,SAAc,CAAd,mCAAc,CAAd,wBAAc,CAAd,4DAAc,CAAd,qBAAc,CAAd,qBAAc,CAAd,cAAc,CAAd,qBAAc,CAAd,qCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,4BAAc,CAAd,wBAAc,CAAd,6BAAc,CAAd,gCAAc,CAAd,oBAAc,CAAd,0BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,yBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,+BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,0BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,+BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,+BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,yBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,yBAAc,CAAd,wCAAc,CAAd,uBAAc,CAAd,kBAAc,CAAd,kBAAc,CAAd,aAAc,CAAd,aAAc,CAAd,aAAc,CAAd,cAAc,CAAd,cAAc,CAAd,YAAc,CAAd,YAAc,CAAd,iBAAc,CAAd,qCAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,cAAc,CAAd,mBAAc,CAAd,qBAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,iBAAc,CAAd,0BAAc,CAAd,2BAAc,CAAd,gDAAc,CAAd,iCAAc,CAAd,0BAAc,CAAd,qBAAc,CAAd,6BAAc,CAAd,WAAc,CAAd,iBAAc,CAAd,eAAc,CAAd,gBAAc,CAAd,iBAAc,CAAd,aAAc,CAAd,eAAc,CAAd,YAAc,CAAd,kBAAc,CAAd,oBAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,wBAAc,CAAd,qBAAc,CAAd,kCAAc,CAAd,uBAAc,CAAd,kBAAc,CAAd,kBAAc,CAAd,aAAc,CAAd,aAAc,CAAd,aAAc,CAAd,cAAc,CAAd,cAAc,CAAd,YAAc,CAAd,YAAc,CAAd,iBAAc,CAAd,qCAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,cAAc,CAAd,mBAAc,CAAd,qBAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,iBAAc,CAAd,0BAAc,CAAd,2BAAc,CAAd,gDAAc,CAAd,iCAAc,CAAd,0BAAc,CAAd,qBAAc,CAAd,6BAAc,CAAd,WAAc,CAAd,iBAAc,CAAd,eAAc,CAAd,gBAAc,CAAd,iBAAc,CAAd,aAAc,CAAd,eAAc,CAAd,YAAc,CAAd,kBAAc,CAAd,oBAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,wBAAc,CAAd,qBAAc,CCAd,qBAAoB,CAApB,mDAAoB,EAApB,mDAAoB,EAApB,qDAAoB,EAApB,qDAAoB,EAApB,qDAAoB,EAApB,iCAAoB,CAApB,cAAoB,CAApB,0FAAoB,CAApB,iBAAoB,CAApB,4GAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,mBAAoB,CAApB,gBAAoB,CAApB,iGAAoB,CAApB,eAAoB,CAApB,yBAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,0FAAoB,CAApB,mGAAoB,CAApB,iGAAoB,CAApB,8FAAoB,CAApB,oBAAoB,CAApB,iBAAoB,CAApB,qGAAoB,CAApB,sGAAoB,CAApB,0GAAoB,CAApB,0GAAoB,CAApB,4GAAoB,CAApB,4GAAoB,CAApB,0GAAoB,CAApB,0GAAoB,CAApB,4GAAoB,CAApB,4GAAoB,CAApB,wGAAoB,CAApB,2FAAoB,CAApB,oBAAoB,CAApB,iBAAoB,CAApB,qGAAoB,CAApB,sGAAoB,CAApB,gHAAoB,CAApB,eAAoB,CAApB,+GAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,iBAAoB,CAApB,sGAAoB,CAApB,oBAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,2GAAoB,CAApB,iBAAoB,CAApB,eAAoB,CAApB,mBAAoB,CAApB,gBAAoB,CAApB,mCAAoB,CAApB,wIAAoB,CAApB,wBAAoB,CAApB,gBAAoB,CAApB,yIAAoB,CAApB,yBAAoB,CAApB,iBAAoB,CAApB,wHAAoB,CAApB,uHAAoB,CAApB,qGAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,qBAAoB,CAApB,wBAAoB,CAApB,YAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,eAAoB,CAApB,qBAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,qGAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,gBAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,gBAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,yFAAoB,CAApB,cAAoB,CAApB,yFAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,8FAAoB,CAApB,sGAAoB,CAApB,yBAAoB,CAApB,mBAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,sBAAoB,CAApB,mGAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,2FAAoB,CAApB,0FAAoB,CAApB,wFAAoB,CAApB,yFAAoB,CAApB,yFAAoB,CAApB,gBAAoB,CAApB,yFAAoB,CAApB,cAAoB,CAApB,yFAAoB,CAApB,iGAAoB,CAApB,+FAAoB,CAApB,+GAAoB,CAApB,qBAAoB,CAApB,8BAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,qBAAoB,CAApB,yBAAoB,CAApB,sBAAoB,CAApB,eAAoB,CAApB,8BAAoB,CAApB,yGAAoB,CAApB,eAAoB,CAApB,cAAoB,CAApB,aAAoB,CAApB,mBAAoB,CAApB,iBAAoB,CAApB,mBAAoB,CAApB,mBAAoB,CAApB,SAAoB,CAApB,gGAAoB,CAApB,+FAAoB,CAApB,0FAAoB,CAApB,qBAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,iBAAoB,CAApB,UAAoB,CAApB,mGAAoB,CAApB,oGAAoB,CAApB,wHAAoB,CAApB,uBAAoB,CAApB,2GAAoB,CAApB,eAAoB,CAApB,yBAAoB,CAApB,uBAAoB,CAApB,wBAAoB,CAApB,qBAAoB,CAApB,2HAAoB,CAApB,uBAAoB,CAApB,6GAAoB,CAApB,oGAAoB,CAApB,qHAAoB,CAApB,oBAAoB,CAApB,+FAAoB,CAApB,4FAAoB,CAApB,YAAoB,CAApB,6GAAoB,CAApB,gBAAoB,CAApB,qBAAoB,CAApB,qBAAoB,CAApB,8BAAoB,CAApB,2BAAoB,CAApB,uBAAoB,CAApB,wBAAoB,CAApB,uBAAoB,CAApB,2BAAoB,CAApB,0BAAoB,CAApB,qBAAoB,CAApB,yBAAoB,CAApB,gCAAoB,CAApB,2BAAoB,CAApB,sBAAoB,CAApB,+BAAoB,CAApB,uBAAoB,CAApB,2BAAoB,CAApB,yBAAoB,CAApB,6BAAoB,CAApB,6BAAoB,CAApB,8BAAoB,CAApB,+BAAoB,CAApB,8BAAoB,CAApB,4BAAoB,CAApB,2BAAoB,CAApB,kCAAoB,CAApB,iCAAoB,CAApB,4BAAoB,CAApB,gCAAoB,CAApB,uCAAoB,CAApB,kCAAoB,CAApB,0BAAoB,CAApB,yCAAoB,CAApB,2BAAoB,CAApB,kCAAoB,CAApB,uCAAoB,CAApB,oCAAoB,CAApB,oCAAoB,CAApB,cAAoB,CAApB,gBAAoB,CAApB,+FAAoB,CAApB,YAAoB,CAApB,2FAAoB,CAApB,cAAoB,CAApB,yFAAoB,CAApB,eAAoB,CAApB,uGAAoB,CAApB,wGAAoB,CAApB,uGAAoB,CAApB,wGAAoB,CAApB,sGAAoB,CAApB,gBAAoB,CAApB,+GAAoB,CAApB,iHAAoB,CAApB,+GAAoB,CAApB,iHAAoB,CAApB,+GAAoB,CAApB,gBAAoB,CAApB,2FAAoB,CAApB,iBAAoB,CAApB,sFAAoB,CAApB,qGAAoB,CAApB,sGAAoB,CAApB,qFAAoB,CAApB,qFAAoB,CAApB,qFAAoB,CAApB,qFAAoB,CAApB,iHAAoB,CAApB,kHAAoB,CAApB,iHAAoB,CAApB,gHAAoB,CAApB,wGAAoB,CAApB,sIAAoB,CAApB,uIAAoB,CAApB,qIAAoB,CAApB,oIAAoB,CAApB,4FAAoB,CAApB,cAAoB,CAApB,oGAAoB,CAApB,sGAAoB,CAApB,2BAAoB,CAApB,qBAAoB,CAApB,kGAAoB,CAApB,sBAAoB,CAApB,0GAAoB,CAApB,qBAAoB,CAApB,wBAAoB,CAApB,qBAAoB,CAApB,2GAAoB,CAApB,sBAAoB,CAApB,oHAAoB,CAApB,qHAAoB,CAApB,+FAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,YAAoB,CAApB,+FAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,gBAAoB,CAApB,+FAAoB,CAApB,qBAAoB,CAApB,wBAAoB,CAApB,sBAAoB,CAApB,+FAAoB,CAApB,wBAAoB,CAApB,sBAAoB,CAApB,oGAAoB,CAApB,sBAAoB,CAApB,wGAAoB,CAApB,sBAAoB,CAApB,kGAAoB,CAApB,YAAoB,CAApB,sGAAoB,CAApB,sBAAoB,CAApB,iGAAoB,CAApB,oBAAoB,CAApB,6BAAoB,CAApB,gGAAoB,CAApB,6FAAoB,CAApB,mGAAoB,CAApB,+FAAoB,CAApB,oBAAoB,CAApB,qBAAoB,CAApB,yBAAoB,CAApB,sBAAoB,CAApB,sBAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,4GAAoB,CAApB,6GAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,4GAAoB,CAApB,6GAAoB,CAApB,kGAAoB,CAApB,qBAAoB,CAApB,8GAAoB,CAApB,+GAAoB,CAApB,8GAAoB,CAApB,+GAAoB,CAApB,iHAAoB,CAApB,qBAAoB,CAApB,0HAAoB,CAApB,4HAAoB,CAApB,0HAAoB,CAApB,4HAAoB,CAApB,uHAAoB,CAApB,qBAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,gGAAoB,CAApB,+FAAoB,CAApB,4GAAoB,CAApB,6GAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,wFAAoB,CAApB,wFAAoB,CAApB,wFAAoB,CAApB,wFAAoB,CAApB,iGAAoB,CAApB,eAAoB,CAApB,yGAAoB,CAApB,gBAAoB,CAApB,iBAAoB,CAApB,oHAAoB,CAApB,qHAAoB,CAApB,oHAAoB,CAApB,mHAAoB,CAApB,+GAAoB,CAApB,yIAAoB,CAApB,0IAAoB,CAApB,wIAAoB,CAApB,uIAAoB,CAApB,uGAAoB,CAApB,sBAAoB,CAApB,+FAAoB,CAApB,YAAoB,CAApB,sGAAoB,CAApB,qBAAoB,CAApB,qBAAoB,CAApB,0GAAoB,CAApB,4GAAoB,CCwhBhB,uBAJA,oEAA4C,CAA5C,4FAA4C,CAA5C,mBAA4C,CAA5C,kGAA4C,CAA5C,eAA4C,CAA5C,qBAI2C,CAA3C,iEAA2C,CAA3C,qCAA2C,CAI3C,qFAA4E,CAA5E,4FAA4E,CAA5E,6CAA4E,CAA5E,mBAA4E,CAA5E,kGAA4E,CAA5E,mCAA4E,CAA5E,eAA4E,CAA5E,qBAA4E,CAA5E,0EAA4E,CAA5E,mCAA4E,CAI5E,mFAAoE,CAApE,4FAAoE,CAApE,2CAAoE,CAApE,mBAAoE,CAApE,kGAAoE,CAApE,iCAAoE,CAApE,eAAoE,CAApE,qBAAoE,CAApE,sEAAoE,CAApE,iCAAoE,CAApE,qFAAoE,CAApE,4FAAoE,CAApE,2CAAoE,CAApE,mBAAoE,CAApE,kGAAoE,CAApE,iCAAoE,CAApE,eAAoE,CAApE,qBAAoE,CAApE,wEAAoE,CAApE,iCAAoE,CAIpE,kFAAoF,CAApF,4FAAoF,CAApF,+CAAoF,CAApF,mBAAoF,CAApF,kGAAoF,CAApF,qCAAoF,CAApF,eAAoF,CAApF,qBAAoF,CAApF,yEAAoF,CAApF,qCAAoF,CAIpF,qFAAgF,CAAhF,4FAAgF,CAAhF,8CAAgF,CAAhF,mBAAgF,CAAhF,kGAAgF,CAAhF,oCAAgF,CAAhF,eAAgF,CAAhF,qBAAgF,CAAhF,2EAAgF,CAAhF,oCAAgF,CAIhF,6DAAoC,CAApC,0BAAoC,CAApC,uBAAoC,CC1iBxC,YAIE,UAAY,CACZ,aAAc,CAHd,qBAAsB,CACtB,YAGF,CAIA,kBACE,aACF,CACA,qEAEE,aACF,CAEA,uDACE,qBACF,CAIA,oBAEE,wBAAyB,CADzB,2BAA4B,CAE5B,kBACF,CAEA,uBAIE,UAAW,CAFX,cAAe,CADf,mBAAoB,CAEpB,gBAAiB,CAEjB,kBACF,CAEA,yBAA2B,UAAc,CACzC,gCAAkC,UAAa,CAI/C,mBAEE,iBAAkB,CAClB,OACF,CAEA,2CACE,4BACF,CACA,kCAGE,eAAgB,CADhB,kBAAoB,CADpB,UAGF,CACA,sCACE,SACF,CACA,gJAE2D,sBAAyB,CACpF,+JAEgE,sBAAyB,CACzF,eAAiB,uBAA0B,CAW3C,iBAEE,IAAM,4BAA+B,CAEvC,CAKA,QAAU,oBAAqB,CAAE,uBAA0B,CAE3D,mBAEiC,QAAS,CAAxC,MAAO,CACP,eAAgB,CAFhB,iBAAkB,CACT,OAAQ,CAAE,SAErB,CACA,kBACE,0BAA2B,CACnB,QAAS,CACjB,iBAAkB,CADlB,KAEF,CAIA,yBAA0B,UAAY,CACtC,wBAAyB,UAAY,CACrC,aAAc,UAAY,CAC1B,aAAc,UAAY,CAC1B,sBAAwB,eAAkB,CAC1C,OAAQ,iBAAmB,CAC3B,SAAU,yBAA2B,CACrC,kBAAmB,4BAA8B,CAEjD,0BAA2B,UAAY,CACvC,uBAAwB,UAAY,CACpC,yBAA0B,UAAY,CACtC,sBAAuB,UAAY,CAKnC,6BAA8B,UAAY,CAC1C,oDAAsD,UAAY,CAClE,0BAA2B,UAAY,CACvC,yBAA0B,UAAY,CACtC,2BAA4B,UAAY,CAExC,mDAA6B,UAAY,CACzC,0BAA2B,UAAY,CACvC,0BAA2B,UAAY,CACvC,sBAAuB,UAAY,CACnC,4BAA6B,UAAY,CACzC,qBAAsB,UAAY,CAClC,uBAAwB,UAAY,CAGpC,wCAAiB,SAAY,CAE7B,sBAAwB,uBAA0B,CAIlD,+CAAgD,UAAY,CAC5D,kDAAmD,UAAY,CAC/D,wBAA0B,6BAAmC,CAC7D,kCAAmC,kBAAoB,CAOvD,YAGE,eAAiB,CADjB,eAEF,CAEA,mBAME,WAAY,CAFZ,mBAAoB,CAAE,kBAAmB,CAGzC,YAAa,CANb,yBAA2B,CAI3B,mBAAoB,CAGpB,iBAAkB,CAClB,SACF,CACA,kBAEE,mCAAoC,CADpC,iBAEF,CAKA,qGAGE,YAAa,CACb,YAAa,CAHb,iBAAkB,CAClB,SAGF,CACA,uBAEE,iBAAkB,CAClB,iBAAkB,CAFlB,OAAQ,CAAE,KAGZ,CACA,uBACE,QAAS,CAAE,MAAO,CAElB,iBAAkB,CADlB,iBAEF,CACA,6BACY,QAAS,CAAnB,OACF,CACA,0BACW,QAAS,CAAlB,MACF,CAEA,oBACsB,MAAO,CAC3B,eAAgB,CADhB,iBAAkB,CAAW,KAAM,CAEnC,SACF,CACA,mBAGE,oBAAqB,CADrB,WAAY,CAGZ,mBAAoB,CADpB,kBAAmB,CAHnB,kBAKF,CACA,2BAGE,yBAA2B,CAC3B,qBAAuB,CAHvB,iBAAkB,CAClB,SAGF,CACA,8BAEU,QAAS,CADjB,iBAAkB,CAClB,KAAM,CACN,SACF,CACA,uBAEE,cAAe,CADf,iBAAkB,CAElB,SACF,CACA,uCAAyC,4BAA8B,CACvE,4CAA8C,4BAA8B,CAE5E,kBACE,WAAY,CACZ,cACF,CACA,qEAUE,gBAAiB,CAMjB,uCAAwC,CAXxC,sBAAuB,CAF0B,eAAgB,CACjE,cAAe,CAQf,aAAc,CANd,mBAAoB,CACpB,iBAAkB,CAWlB,iCAAkC,CAPlC,mBAAoB,CAHpB,QAAS,CAOT,gBAAiB,CADjB,iBAAkB,CALlB,eAAgB,CAIhB,SAMF,CACA,+EAEE,oBAAqB,CACrB,oBAAqB,CACrB,iBACF,CAEA,2BAE6B,QAAS,CAApC,MAAO,CADP,iBAAkB,CACT,OAAQ,CAAE,KAAM,CACzB,SACF,CAEA,uBAGE,YAAc,CAFd,iBAAkB,CAClB,SAEF,CAIA,oBAAsB,aAAgB,CAEtC,iBACE,YACF,CAGA,mGAME,sBACF,CAEA,oBAGE,QAAS,CACT,eAAgB,CAHhB,iBAAkB,CAIlB,iBAAkB,CAHlB,UAIF,CAEA,mBAEE,mBAAoB,CADpB,iBAEF,CACA,wBAA0B,eAAkB,CAE5C,uBAEE,iBAAkB,CADlB,iBAAkB,CAElB,SACF,CAKA,sEACE,kBACF,CAEA,qBAAuB,kBAAqB,CAC5C,yCAA2C,kBAAqB,CAChE,sBAAwB,gBAAmB,CAC3C,mGAA6G,kBAAqB,CAClI,kHAA4H,kBAAqB,CAEjJ,cACE,qBAAsB,CACtB,mCACF,CAGA,iBAAmB,kBAAqB,CAExC,aAEE,mCACE,iBACF,CACF,CAGA,wBAA0B,UAAa,CAGvC,6BAA+B,eAAkB,CC7UjD,0BAA4B,kBAAmB,CAAE,aAAgB,CACjE,uCAAyC,kBAAqB,CAE9D,+JAA0J,kBAAqB,CAA/K,gJAA0J,kBAAqB,CAC/K,0DAAoK,kBAAqB,CAAzL,0JAAoK,kBAAqB,CAEzL,mCAAqC,kBAAmB,CAAE,cAAmB,CAC7E,wCAA0C,aAAgB,CAE1D,qFAAwC,aAAgB,CAExD,kCAAoC,6BAAgC,CAEpE,+BAAiC,aAAgB,CAEjD,0DAAgC,aAAgB,CAEhD,iEAAoE,aAAgB,CACpF,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAEhD,gCAAkC,aAAgB,CAClD,kCAAoC,aAAgB,CACpD,2BAA6B,aAAgB,CAC7C,+BAAiC,aAAgB,CACjD,2BAA6B,aAAgB,CAC7C,4BAA8B,aAAgB,CAC9C,6BAA+B,kBAAmB,CAAE,aAAgB,CAEpE,iDAAmD,kBAAqB,CACxE,2CAAyE,uBAAyB,CAArD,yBAAuD,CC9BpG,4BAA8B,kBAAmB,CAAE,aAAgB,CACnE,yCAA2C,kBAAqB,CAChE,sJAAgK,6BAAmC,CACnM,qKAA+K,6BAAmC,CAClN,qCAAuC,kBAAmB,CAAE,cAAmB,CAC/E,0CAA4C,aAAgB,CAE5D,yFAA0C,aAAgB,CAE1D,oCAAsC,6BAAgC,CAEtE,iCAAmC,aAAgB,CAEnD,8DAAkC,aAAgB,CAElD,qEAAwE,aAAgB,CACxF,iCAAmC,aAAgB,CACnD,gCAAkC,aAAgB,CAElD,kCAAoC,aAAgB,CACpD,oCAAsC,aAAgB,CACtD,6BAA+B,aAAgB,CAC/C,iCAAmC,aAAgB,CACnD,6BAA+B,aAAgB,CAC/C,8BAAgC,aAAgB,CAChD,+BAAiC,kBAAmB,CAAE,aAAgB,CAEtE,mDAAqD,kBAAqB,CAC1E,6CAA2E,oBAAuB,CAAnD,yBAAqD,CCtCpG,wBAA0B,kBAAmB,CAAE,aAAgB,CAC/D,qCAAuC,kBAAqB,CAC5D,0IAAoJ,6BAAoC,CACxL,yJAAmK,6BAAoC,CACvM,iCAAmC,eAAgB,CAAE,8BAAiC,CACtF,sCAAwC,UAAa,CACrD,6CAA+C,WAAc,CAC7D,oCAAsC,UAAgB,CACtD,gCAAkC,0BAAgC,CAElE,6BAA+B,aAAoB,CAAE,eAAmB,CACxE,0BAA4B,UAAa,CACzC,4BAA8B,YAAe,CAC7C,yBAA2B,aAAgB,CAC3C,8BAAgC,aAAgB,CAChD,gCAAkC,aAAgB,CAClD,0DAA6D,UAAa,CAC1E,8BAAgC,aAAgB,CAChD,8BAAgC,UAAa,CAC7C,6BAA+B,aAAc,CAAE,iBAAmB,CAClE,4BAA8B,UAAa,CAC3C,0BAA4B,UAAa,CACzC,+BAAiC,aAAgB,CACjD,6BAA+B,aAAgB,CAC/C,6BAA+B,aAAgB,CAC/C,yBAA2B,UAAgB,CAC3C,+BAAiC,UAAgB,CACjD,2BAA6B,SAAgB,CAC7C,4BAA8B,aAAiB,CAAE,eAAmB,CACpE,0BAA4B,aAAmB,CAE/C,+CAAiD,kBAAqB,CC/BtE,0BAGE,eACF,CCAA,0BAA4B,UAAa,CACzC,yBAA2B,aAAgB,CAE3C,2BAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAC1C,0BAA4B,aAAgB,CAC5C,uBAAyB,aAAgB,CACzC,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,sDAAyD,aAAgB,CACzE,4BAA8B,aAAgB,CAC9C,4BAA8B,aAAgB,CAC9C,2BAA6B,UAAW,CAAE,iBAAmB,CAC7D,0BAA4B,aAAgB,CAC5C,4BAA8B,aAAgB,CAC9C,wBAA0B,aAAgB,CAC1C,6BAA+B,UAAe,CAC9C,2BAA6B,UAAgB,CAC7C,2BAA6B,aAAgB,CAC7C,uBAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,sBAAwB,UAAa,CACrC,wBAA0B,aAAgB,CAC1C,2BAA6B,aAAgB,CAC7C,yBAA2B,aAAgB,CAE3C,2CAA6C,UAAa,CAC1D,8CAAgD,UAAa,CAE7D,uCAAyC,8BAAuC,CAChF,0DAA4D,6BAAuC,CACnG,gJAA0J,6BAAuC,CACjM,+JAAyK,6BAAuC,CAIhN,0BAGE,wBAAyB,CAGzB,8BAAgC,CAJhC,aAAc,CADd,iBAMF,CAEA,mCACE,kBAAmB,CACnB,8BAA+B,CAC/B,2BACF,CAEA,sCAEE,UAAW,CACX,aAAc,CAFd,6BAGF,CAEA,wCAA0C,UAAa,CACvD,+CAAiD,UAAa,CAE9D,kCAAoC,6BAAgC,CAEpE,iDACE,sDACF,CAEA,6DAEE,spuBACF,CC/DA,6BAA+B,kBAAmB,CAAE,aAAgB,CACpE,0CAA4C,kBAAqB,CACjE,yJAAmK,6BAAmC,CACtM,wKAAkL,6BAAmC,CACrN,sCAAwC,kBAAmB,CAAE,cAAmB,CAChF,2CAA6C,aAAgB,CAE7D,2FAA2C,aAAgB,CAC3D,qCAAuC,6BAAgC,CAEvE,4FAA2C,oCAAwC,CAEnF,kCAAoC,aAAgB,CAEpD,gEAAmC,aAAgB,CAEnD,uEAA0E,aAAgB,CAC1F,kCAAoC,aAAgB,CACpD,iCAAmC,aAAgB,CAEnD,mCAAqC,aAAgB,CACrD,qCAAuC,aAAgB,CACvD,8BAAgC,aAAgB,CAChD,kCAAoC,aAAgB,CACpD,8BAAgC,aAAgB,CAChD,+BAAiC,aAAgB,CACjD,gCAAkC,kBAAmB,CAAE,aAAgB,CAEvE,oDAAsD,kBAAqB,CAC3E,8CAA4E,oBAAuB,CAAnD,yBAAqD,CC7BrG,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,kBAAqB,CAClE,4JAAsK,kBAAqB,CAC3L,2KAAqL,kBAAqB,CAC1M,uCAAyC,kBAAmB,CAAE,cAAmB,CACjF,4CAA8C,aAAgB,CAE9D,6FAA4C,aAAgB,CAC5D,sCAAwC,6BAAgC,CAExE,mCAAqC,aAAgB,CAErD,kEAAoC,aAAgB,CAEpD,yEAA4E,aAAgB,CAC5F,mCAAqC,aAAgB,CACrD,kCAAoC,aAAgB,CAEpD,oCAAsC,aAAgB,CACtD,sCAAwC,aAAgB,CACxD,+BAAiC,aAAgB,CACjD,mCAAqC,aAAgB,CACrD,+BAAiC,aAAgB,CACjD,gCAAkC,aAAgB,CAClD,iCAAmC,kBAAmB,CAAE,aAAgB,CAExE,qDAAuD,kBAAqB,CAC5E,+CAA4E,kCAAmC,CAA9D,uBAA+D,CC3BhH,wBAAyB,kBAAmB,CAAE,aAAe,CAC7D,qCAAsC,4BAA+B,CACrE,iCAAkC,kBAAmB,CAAE,cAAkB,CACzE,oCAAqC,UAAe,CACpD,gCAAiC,uCAA0C,CAE3E,6BAA8B,aAAe,CAE7C,sDAA6B,aAAe,CAE5C,6DAA+D,aAAe,CAC9E,6BAA8B,aAAe,CAC7C,4BAA6B,aAAe,CAE5C,8BAA+B,aAAe,CAC9C,gCAAiC,aAAe,CAChD,yBAA0B,aAAe,CACzC,2BAA4B,kBAAmB,CAAE,aAAe,CAChE,6BAA8B,aAAe,CAC7C,yBAA0B,aAAe,CACzC,0BAA2B,aAAe,CAE1C,yCAAuE,oBAAuB,CAAnD,yBAAoD,CAC/F,+CAAiD,kBAAqB,CC/BtE,4BAA8B,kBAAmB,CAAE,aAAgB,CACnE,yCAA2C,kBAAqB,CAChE,sJAAgK,8BAAoC,CACpM,qKAA+K,8BAAoC,CACnN,qCAAuC,kBAAmB,CAAE,cAAiB,CAC7E,0CAA4C,aAAgB,CAE5D,yFAA0C,UAAa,CACvD,oCAAsC,6BAAgC,CAEtE,6BAA+B,aAAgB,CAE/C,sDAA8B,aAAgB,CAC9C,yBAA2B,aAAgB,CAC3C,8BAAgC,aAAgB,CAChD,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAE/C,0DAAgC,aAAgB,CAChD,0BAA4B,aAAgB,CAG5C,qFAAiC,aAAgB,CACjD,4BAA8B,aAAgB,CAC9C,wBAA0B,aAAgB,CAC1C,0BAA4B,aAAgB,CAC5C,2BAA6B,kBAAmB,CAAE,aAAgB,CAElE,mDAAqD,kBAAqB,CAC1E,6CAAsE,oBAAsB,CAA7C,sBAA+C,CC/B9F,wBAA0B,kBAAmB,CAAE,UAAc,CAC7D,qCAAuC,kBAAqB,CAC5D,0IAAoJ,+BAAqC,CACzL,yJAAmK,+BAAqC,CACxM,iCAAmC,kBAAmB,CAAE,2BAA8B,CACtF,sCAAwC,aAAgB,CAExD,iFAAsC,aAAgB,CACtD,gCAAkC,0BAA8B,CAEhE,6BAA+B,UAAa,CAC5C,0BAA4B,aAAgB,CAC5C,2DAA8D,aAAgB,CAC9E,6BAA+B,aAAgB,CAC/C,4BAA8B,aAAgB,CAC9C,0BAA4B,aAAgB,CAC5C,yDAA4D,aAAgB,CAC5E,+EAAmF,UAAc,CACjG,6BAA+B,aAAgB,CAC/C,0DAA6D,aAAgB,CAC7E,0BAA4B,aAAgB,CAC5C,2BAA6B,aAAgB,CAE7C,+CAAiD,kBAAqB,CACtE,yCAAkE,oBAAsB,CAA7C,sBAA+C,CCxB1F,4BAA8B,eAAmB,CAAE,aAAgB,CACnE,qCAAuC,kBAAmB,CAAE,2BAA8B,CAC1F,0CAA4C,aAAgB,CAC5D,iDAAmD,aAAgB,CACnE,wCAA0C,aAAgB,CAC1D,oCAAsC,0BAA8B,CAEpE,iCAAuC,aAAgB,CACvD,6BAAuC,aAAc,CAAE,eAAkB,CACzE,iCAAuC,aAAgB,CACvD,iCAAuC,aAAgB,CACvD,kCAAuC,aAAgB,CACvD,gCAAuC,aAAgB,CACvD,gCAAuC,aAAgB,CACvD,8BAAuC,aAAgB,CAEvD,oCAAuC,UAAa,CACpD,kEAAqE,UAAa,CAIlF,8BAAuC,UAAe,CACtD,mCAAuC,aAAgB,CACvD,iCAAuC,UAAa,CACpD,6BAAuC,aAAgB,CACvD,mCAAuC,aAAgB,CACvD,+BAAuC,SAAa,CAEpD,yCAA2C,kBAAqB,CAEhE,qCAAuC,8BAAuC,CAE9E,mDAAqD,kBAAqB,CC3B1E,cAAiB,sIAA2J,CAC5K,yBAA2B,kBAAmB,CAAE,aAAgB,CAEhE,2BAA6B,aAAgB,CAC7C,6BAA+B,aAAgB,CAC/C,8BAAgC,aAAc,CAAoB,eAAiB,CAAnC,eAAqC,CACrF,0BAA4B,aAAc,CAAE,iBAAoB,CAEhE,gEAAmC,aAAgB,CACnD,iCAAmC,aAAgB,CACnD,2BAA6B,UAAc,CAAE,eAAmB,CAChE,+BAAiC,aAAgB,CACjD,+BAAiC,aAAgB,CAEjD,4DAAiC,aAAgB,CACjD,8BAAgC,aAAc,CAAE,iBAAoB,CAEpE,sDAA6B,aAAgB,CAC7C,4BAA8B,aAAgB,CAC9C,0BAA4B,aAAc,CAAqB,iBAAkB,CAArC,eAAiB,CAAsB,yBAA4B,CAC/G,gCAAkC,aAAgB,CAClD,gCAAkC,aAAgB,CAClD,8BAAgC,aAAgB,CAEhD,4DAAgC,aAAgB,CAChD,qCAAuD,kCAAsC,CAAtD,UAAc,CAA0C,eAAoB,CACnH,gCAAkD,mCAAuC,CAAvD,UAAc,CAA2C,eAAoB,CAE/G,iCAAmC,6BAAgC,CACnE,gDAAkD,kBAAqB,CACvE,kCAAoC,kBAAmB,CAAE,8BAAiC,CAC1F,uCAAyC,aAAgB,CACzD,8CAAgD,aAAgB,CAChE,qCAAuC,aAAgB,CACvD,0CAA4C,wBAAyB,CAAE,uBAAyB,CAAE,eAAmB,CAErH,sCAAwC,kBAAqB,CAE7D,0BAGE,kCAAoC,CADpC,aAAc,CADd,uDAGF,CAEA,kDACE,kCAAoC,CACpC,uBACF,CC1CA,2DACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CACA,kCAAoC,aAAgB,CACpD,iCAAmC,8BAAiC,CACpE,qCAAuC,aAAgB,CACvD,mCAAqC,6BAAuC,CAC5E,6IAAuJ,6BAAuC,CAC9L,4JAAsK,6BAAuC,CAC7M,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAC/E,6BAA+B,aAAgB,CAC/C,+BAAiC,aAAgB,CACjD,iCAAmC,UAAc,CACjD,0BAA4B,aAAgB,CAE5C,6DAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAC7C,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAE5C,gEAAkC,aAAgB,CAClD,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAE/E,gDAAkD,6BAAmC,CACrF,0CAAwE,oBAAuB,CAAnD,yBAAqD,CChCjG,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,4BAA+B,CAC5E,uCAAyC,kBAAmB,CAAE,cAAmB,CACjF,0CAA4C,aAAgB,CAG5D,sCAAwC,6BAA8B,CAA0C,+BAAgC,CAA4C,UAAa,CACzM,qDAAuD,kBAAmB,CAAgC,UAAY,CACtH,qDAAuD,kBAAmB,CAA+B,UAAY,CAGrH,6QAAsR,UAAgB,CAEtS,oCAAsC,aAAgB,CACtD,2GAA+G,aAAgB,CAC/H,kCAAoC,aAAgB,CACpD,oCAAsC,aAAgB,CACtD,oCAAsC,aAAgB,CAEtD,+KAAqL,aAAgB,CACrM,sMAA6M,aAAgB,CAC7N,sEAAyE,aAAgB,CAGzF,wEAA2E,SAAa,CAExF,kCAAoC,eAAqB,CACzD,+CAA6E,uBAAyB,CAArD,yBAAuD,CC3BxG,+BAAiC,kBAAmB,CAAE,aAAgB,CACtE,4CAA8C,4BAAgC,CAC9E,wCAA0C,kBAAmB,CAAE,cAAmB,CAClF,2CAA6C,aAAgB,CAG7D,uCAAyC,6BAA8B,CAA0C,+BAAgC,CAA4C,UAAa,CAC1M,sDAAwD,kBAAmB,CAAgC,UAAa,CACxH,sDAAwD,kBAAmB,CAAmB,UAAa,CAG3G,iSAA0S,aAAgB,CAE1T,qCAAuC,aAAgB,CACvD,8GAAkH,aAAgB,CAClI,wEAA2E,aAAgB,CAG3F,yNAA0L,aAAgB,CAC1M,4MAAmN,aAAgB,CACnO,wEAA2E,aAAgB,CAI3F,0EAA6E,SAAa,CAE1F,mCAAqC,eAAqB,CAC1D,gDAA8E,uBAAyB,CAArD,yBAAuD,CClCzG,2BAA6B,aAAgB,CAC7C,8BAAqE,aAAc,CAAjC,eAAiB,CAAnC,eAAqD,CACrF,2BAA6B,UAAa,CAC1C,6BAA+B,UAAa,CAC5C,0BAA4B,UAAa,CACzC,+BAAiC,UAAc,CAE/C,6FAA+D,aAAgB,CAE/E,8DAAiC,UAAc,CAC/C,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAC/C,+BAAiC,UAAa,CAC9C,gCAAkC,UAAa,CAC/C,8BAAgC,UAAa,CAC7C,8BAAgC,UAAa,CAC7C,0BAA4B,UAAa,CACzC,gCAAkC,UAAa,CAC/C,2BAA6B,UAAa,CAC1C,4BAA8B,SAAa,CAE3C,gDAAkD,kBAAqB,CACvE,0CAAoE,oBAAsB,CAA9C,sBAAgD,CCtB5F,qFAAyF,UAAa,CACtG,8BAAgC,UAAW,CAAE,iBAAkB,CAAE,eAAkB,CACnF,2BAA6B,UAAW,CAAE,iBAAkB,CAAE,eAAkB,CAChF,+BAAiC,UAAc,CAC/C,iCAAmC,UAAa,CAChD,gCAAkC,UAAa,CAC/C,8BAAgC,UAAa,CAC7C,8BAAgC,UAAa,CAC7C,2BAA6B,UAAa,CAC1C,4BAA8B,qBAAwB,CAEtD,gDAAkD,kBAAqB,CACvE,0CAAoE,oBAAsB,CAA9C,sBAAgD,CCZ5F,6BAA+B,kBAAmB,CAAE,UAAc,CAClE,0CAA4C,kBAAqB,CACjE,yJAAmK,+BAAqC,CACxM,wKAAkL,+BAAqC,CACvN,sCAAwC,kBAAmB,CAAE,2BAA8B,CAC3F,2CAA6C,UAAc,CAE3D,2FAA2C,aAAgB,CAC3D,qCAAuC,0BAA8B,CAErE,gCAAuC,UAAa,CACpD,+BAAuC,aAAgB,CACvD,oCAAuC,aAAgB,CACvD,kCAAuC,aAAgB,CACvD,kCAAuC,UAAa,CACpD,kCAAuC,UAAa,CACpD,8BAAuC,UAAa,CACpD,kCAAuC,aAAgB,CACvD,+BAAuC,aAAgB,CACvD,iCAAuC,aAAgB,CACvD,mCAAuC,UAAa,CAEpD,uEAAuC,UAAa,CACpD,kCAAuC,UAAgB,CACvD,iCAAuC,aAAgB,CACvD,mCAAuC,UAAa,CACpD,8BAAuC,aAAgB,CACvD,mCAAuC,aAAgB,CACvD,qCAAuC,UAAa,CACpD,oEAAuE,UAAa,CACpF,gCAAuC,aAAgB,CAEvD,oDAAsD,kBAAqB,CAC3E,8CAAwE,oBAAsB,CAA9C,sBAAgD,CCxBhG,qEAAwE,wBAAyB,CAAE,aAAgB,CACnH,uCAAwC,kBAAmB,CAAE,cAAkB,CAC/E,0CAA2C,aAAe,CAC1D,sCAAwC,6BAAgC,CAExE,8FAA4C,oCAAwC,CACpF,2CAA6C,kBAAqB,CAClE,gCAAkC,aAAgB,CAElD,mCAAqC,aAAgB,CACrD,+CAAkD,aAAgB,CAClE,mCAAqC,aAAgB,CAGrD,0EAAwC,aAAgB,CACxD,sEAAyE,aAAgB,CAIzF,yIAAsC,aAAgB,CACtD,kCAAoC,aAAgB,CAGpD,8GAAuC,aAAgB,CAEvD,qDAAuD,kBAAqB,CAC5E,+CAAiD,kBAAmB,CAAE,uBAA0B,CAGhG,kEAAiC,aAAgB,CC5BjD,2BAA4B,kBAAmB,CAAE,aAAe,CAChE,wCAAyC,4BAA+B,CACxE,oCAAqC,kBAAmB,CAAE,cAAkB,CAC5E,uCAAwC,aAAe,CACvD,mCAAoC,uCAA0C,CAE9E,gCAAiC,aAAe,CAEhD,4DAAgC,aAAe,CAE/C,mEAAqE,aAAe,CACpF,gCAAiC,aAAe,CAChD,+BAAgC,aAAe,CAE/C,iCAAkC,aAAe,CACjD,mCAAoC,aAAe,CACnD,4BAA6B,aAAe,CAC5C,8BAA+B,kBAAmB,CAAE,aAAe,CACnE,gCAAiC,aAAe,CAChD,4BAA6B,aAAe,CAC5C,6BAA8B,aAAe,CAE7C,4CAA0E,oBAAuB,CAAnD,yBAAoD,CAClG,kDAAoD,kBAAqB,CC7BzE,eAA8B,kBAAmB,CAAhC,UAAkC,CAEnD,+BAAiC,UAAW,CAAE,eAAkB,CAChE,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAE7C,gCAAkC,aAAgB,CAClD,kCAAoC,aAAgB,CACpD,8DAAiE,aAAgB,CAEjF,gCAAkC,UAAa,CAC/C,gCAAkC,aAAgB,CAClD,+BAAiC,aAAgB,CAEjD,8BAAgC,aAAgB,CAChD,gCAAkC,aAAgB,CAIlD,6DAAmC,UAAa,CAChD,+BAAiC,aAAgB,CACjD,+BAAiC,UAAa,CAE9C,2BAA6B,aAAgB,CAC7C,iCAAmC,UAAa,CAEhD,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAC/C,0BAA4B,UAAa,CACzC,4BAA8B,aAAgB,CAC9C,6BAA+B,UAAa,CAE5C,kCAAoC,0BAA8B,CAClE,uCAAsD,eAAgB,CAA7B,UAA+B,CACxE,mCAAqC,kBAAmB,CAAmB,cAAe,CAAhC,cAAkC,CAC5F,sCAAwC,UAAW,CAAE,cAAiB,CACtE,2CAAqE,yBAA2B,CAAnD,oBAAqD,CAClG,iDAAmD,eAAkB,CCrCrE,wBAA0B,WAAgB,CAC1C,0BAA4B,UAAgB,CAC5C,2BAAkE,UAAc,CAAjC,eAAiB,CAAnC,eAAqD,CAClF,wBAA6C,UAAc,CAAjC,eAAmC,CAM7D,+LAA8B,UAAc,CAC5C,2BAA6B,UAAgB,CAE7C,sDAA8B,WAAgB,CAC9C,6BAA+B,UAAa,CAC5C,yBAA2B,SAAgB,CAC3C,6BAA+B,UAAgB,CAC/C,uBAAyB,UAAgB,CACzC,wBAA0B,UAAgB,CAC1C,6CAA+C,kBAAqB,CAEpE,2BAA6B,UAAa,CAC1C,2BAA6B,UAAa,CAC1C,WAAc,sIAAiJ,CAG/J,uCAAiE,oBAAsB,CAA9C,sBAAgD,CAEzF,uBAGE,kCAAoC,CADpC,aAAc,CADd,uDAGF,CAEA,+CACE,kCAAoC,CACpC,uBACF,CC/BA,yBAA0B,eAAmB,CAAE,aAAe,CAC9D,sCAAuC,4BAA+B,CACtE,kCAAmC,eAAmB,CAAE,cAAkB,CAC1E,qCAAsC,UAAe,CACrD,iCAAkC,sCAA0C,CAE5E,8BAA+B,UAAe,CAE9C,wDAA8B,UAAe,CAE7C,+DAAiE,UAAe,CAChF,8BAA+B,SAAe,CAC9C,6BAA8B,UAAe,CAE7C,+BAAgC,UAAe,CAC/C,iCAAkC,UAAe,CACjD,0BAA2B,UAAe,CAC1C,4BAA6B,cAAmB,CAAE,YAAe,CACjE,8BAA+B,aAAe,CAC9C,0BAA2B,SAAe,CAC1C,2BAA4B,UAAe,CAE3C,0CAAwE,oBAAuB,CAAnD,yBAAoD,CAChG,gDAAkD,kBAAqB,CC7BvE,kBACE,iBACF,CACA,6BAA+B,kBAAmB,CAAE,aAAc,CAAE,8BAAiC,CACrG,0CAA4C,kBAAqB,CACjE,yJAAmK,6BAAmC,CACtM,wKAAkL,6BAAmC,CACrN,qCAAuC,0BAA8B,CACrE,sBAAwB,aAAgB,CAExC,6DAA+D,aAAgB,CAE/E,sCAAwC,kBAAmB,CAAE,2BAA6B,CAC1F,2CAA6C,aAAgB,CAE7D,2FAA2C,UAAa,CAExD,iCAAmC,UAAa,CAChD,gCAAkC,UAAa,CAC/C,kCAAoC,aAAgB,CACpD,+BAAiC,aAAgB,CACjD,iCAAmC,aAAgB,CACnD,8BAAgC,UAAc,CAC9C,mCAAqC,aAAe,CACpD,qCAAuC,aAAgB,CACvD,oEAAuE,UAAc,CAErF,sEAAqC,aAAgB,CACrD,kCAAoC,UAAa,CACjD,iCAAmC,aAAgB,CACnD,mCAAqC,UAAa,CAClD,+BAAiC,aAAgB,CACjD,oCAAsC,UAAa,CACnD,kCAAoC,aAAgB,CACpD,kCAAoC,aAAgB,CACpD,8BAAgC,aAAgB,CAChD,oCAAsC,aAAgB,CACtD,6BAA+B,UAAa,CAC5C,+BAAiC,aAAgB,CACjD,gCAAkC,aAAgB,CAElD,oDAAsD,kBAAqB,CAC3E,8CAAwE,oBAAsB,CAA9C,sBAAgD,CC9ChG,2BACC,qBAAsB,CACtB,UAAW,CAEX,aAAc,CADd,iBAED,CACA,uDACC,yBAA0B,CAC1B,0BAA2B,CAC3B,0BACD,CACA,kCACC,4BAA6B,CAC7B,yBAA2B,CAC3B,4BACD,CACA,wBACC,4BAA6B,CAC7B,6BAA8B,CAC9B,4BACD,CACA,oCAAsC,wBAAyB,CAAE,8BAA+B,CAAE,kBAAsB,CACxH,2CAA6C,eAAkB,CAG/D,uCAAyC,aAAc,CAAE,cAAiB,CAC1E,mCAAqC,0BAA6B,CAElE,gCAAsC,WAAgB,CACtD,4BAAsC,aAAc,CAAE,eAAmB,CACzE,gCAAsC,aAAc,CAAE,eAAmB,CACzE,gCAAsC,aAAc,CAAE,eAAmB,CACzE,iCAAsC,aAAc,CAAE,eAAmB,CACzE,+BAAsC,aAAgB,CACtD,+BAAsC,UAAW,CAAE,eAAmB,CACtE,6BAAsC,aAAc,CAAE,eAAmB,CAEzE,mCAAsC,aAAc,CAAE,eAAmB,CACzE,gEAAmE,aAAc,CAAE,eAAmB,CACtG,iCAAsC,UAAW,CAAE,eAAmB,CACtE,iCAAsC,UAAa,CAEnD,6BAAsC,UAAa,CACnD,kCAAsC,aAAc,CAAE,eAAmB,CACzE,gCAAsC,UAAa,CACnD,4BAAsC,UAAW,CAAE,eAAmB,CACtE,kCAAsC,aAAc,CAAE,eAAmB,CACzE,8BAAsC,SAAa,CAEnD,wCAA0C,kCAAyC,CAEnF,oCAAsC,oCAA6C,CAEnF,kDAAoD,kCAAyC,CAG7F,4DAA8D,UAAW,CAAE,eAAmB,CAC9F,+DAAiE,SAAW,CAAE,eAAmB,CACjG,wBAA0B,mCAAyC,CAGnE,gIACC,kCACD,CACA,oHACC,kCAAsC,CACtC,wBAAyB,CACzB,iBACD,CACA,yDAEC,+BAAgC,CADhC,4BAED,CACA,2DACC,6BAA8B,CAC9B,8BACD,CACA,qDACC,wBACD,CACA,uDACC,wBAAyB,CACzB,4BACD,CAEA,sGACC,wBAAyB,CACzB,iBACD,CAIA,sHACC,wBACD,CCvFA,2DACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CACA,kCAAoC,aAAgB,CACpD,iCAAmC,8BAAiC,CACpE,qCAAuC,aAAgB,CACvD,mCAAqC,kBAAqB,CAC1D,6IAAuJ,kBAAqB,CAC5K,4JAAsK,kBAAqB,CAC3L,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAC/E,6BAA+B,aAAgB,CAE/C,gEAAmC,aAAgB,CACnD,0BAA4B,aAAgB,CAC5C,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAC7C,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAC5C,gCAAkC,aAAgB,CAClD,gCAAkC,aAAgB,CAClD,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAE/E,gDAAkD,kBAAqB,CACvE,0CAAwE,oBAAuB,CAAnD,yBAAqD,CC9BjG,0BACE,wBAAyB,CACzB,UACF,CAEA,mCACE,kBAAmB,CAEnB,WAAY,CADZ,aAEF,CAEA,6HAGE,aACF,CAEA,kCACE,0BACF,CAIA,sFACE,oCACF,CAMA,iGACE,+BACF,CAEA,gJAGE,+BACF,CAEA,+JAGE,+BACF,CAEA,iDACE,yBACF,CAEA,2BACE,aACF,CAEA,4BACE,aACF,CAEA,8BACE,UACF,CAEA,sDAEE,aACF,CAEA,2BACE,aACF,CAEA,wBACE,aACF,CAEA,0BACE,aACF,CAEA,uBACE,aACF,CAEA,0BACE,aACF,CAEA,4BACE,aACF,CAEA,2BACE,aACF,CAEA,4BACE,aACF,CAEA,uBACE,aACF,CAEA,wBACE,aACF,CAMA,yDACE,aACF,CAMA,mFAEE,aACF,CAGA,yBAEE,wBAAyB,CADzB,UAEF,CAEA,2CAEE,oBAAuB,CADvB,yBAEF,CCtIA,qBAAuB,kBAAmB,CAAE,aAAgB,CAC5D,kCAAoC,kBAAqB,CACzD,iIAA2I,8BAAqC,CAChL,gJAA0J,8BAAqC,CAC/L,8BAAgC,kBAAmB,CAAE,cAAmB,CACxE,mCAAqC,UAAc,CACnD,0CAA4C,UAAa,CACzD,iCAAmC,aAAgB,CACnD,6BAA+B,6BAAgC,CAE/D,0BAA4B,aAAgB,CAE5C,gDAA2B,aAAgB,CAE3C,uDAA0D,aAAgB,CAC1E,0BAA4B,aAAgB,CAC5C,yBAA2B,aAAgB,CAG3C,gEAA6B,aAAgB,CAC7C,6BAA+B,aAAgB,CAC/C,sBAAwB,aAAgB,CACxC,0BAA4B,aAAc,CAAE,eAAmB,CAC/D,sBAAwB,aAAgB,CACxC,uBAAyB,aAAgB,CACzC,wBAA0B,qBAAsB,CAAE,aAAgB,CAClE,4BAA8B,aAAgB,CAE9C,4CAA8C,kBAAqB,CACnE,sCAAwC,uBAA2B,CACnE,kCAAoC,8BAAsC,CC3B1E,0BAAyC,qBAAsB,CAAnC,UAAqC,CACjE,uCAAyC,eAAkB,CAC3D,gJAA0J,eAAkB,CAC5K,+JAAyK,eAAkB,CAE3L,mCAAqC,kBAAmB,CAAE,wCAA0C,CAAE,UAAa,CACnH,sCAAwC,UAAW,CAAE,gBAAmB,CACxE,kCAAoC,0BAA6B,CAEjE,2BAA6B,aAAgB,CAC7C,wBAA0B,UAAa,CACvC,0BAA4B,aAAiB,CAC7C,uBAAyB,aAAgB,CACzC,6DAAgE,UAAa,CAG7E,qHAA8B,UAAa,CAC3C,4BAA8B,UAAa,CAC3C,6BAA+B,UAAa,CAE5C,4BAA8B,aAAgB,CAC9C,2BAA6B,UAAU,CAAE,eAAoB,CAC7D,0BAA4B,UAAU,CAAE,iBAAmB,CAC3D,4BAA8B,aAAe,CAC7C,wBAA0B,UAAa,CACvC,2BAA6B,aAAgB,CAC7C,uBAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,0BAA4B,aAAgB,CAC5C,sBAAwB,aAAgB,CACxC,wBAA0B,aAAa,CAAE,iBAAiB,CAAE,oBAAsB,CAClF,yBAA2B,2BAA8B,CAEzD,oDAAsD,kBAAqB,CAC3E,kDAA4E,aAAc,CAAtC,sBAAwC,CAE5F,0BAA4B,4sFAA+sF,CC1C3uF,iDAAmD,kBAAqB,CAExE,0BACI,kBAAmB,CACnB,aACJ,CAEA,uCAAyC,kBAAqB,CAC9D,gJAA0J,8BAAoC,CAC9L,+JAAyK,8BAAoC,CAC7M,mCAAqC,kBAAmB,CAAE,sBAAyB,CACnF,wCAA0C,UAAc,CAExD,qFAAwC,aAAgB,CACxD,kCAAoC,6BAAgC,CAEpE,+BAAiC,aAAgB,CACjD,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAEhD,iEAAoE,aAAgB,CACpF,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAGhD,kEAAoC,aAAgB,CACpD,2BAA6B,UAAa,CAC1C,+BAAiC,aAAgB,CACjD,2BAA6B,UAAa,CAC1C,4BAA8B,aAAgB,CAC9C,6BAA+B,kBAAmB,CAAE,aAAgB,CAEpE,2CAEE,oBAAuB,CADvB,yBAEF,CCpCA,yBAA2B,kBAAmB,CAAE,aAAgB,CAChE,sCAAwC,kBAAqB,CAC7D,6IAAuJ,6BAAmC,CAC1L,4JAAsK,6BAAmC,CACzM,kCAAoC,kBAAmB,CAAE,cAAmB,CAC5E,uCAAyC,UAAc,CAEvD,mFAAuC,aAAgB,CACvD,iCAAmC,6BAAgC,CAEnE,8BAAgC,aAAgB,CAEhD,wDAA+B,aAAgB,CAE/C,2CAA6C,aAAgB,CAC7D,qCAAuC,aAAgB,CACvD,qCAAuC,aAAgB,CACvD,sCAAwC,aAAgB,CAExD,+DAAkE,aAAgB,CAClF,8BAAgC,aAAgB,CAChD,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAE/C,+BAAiC,aAAgB,CACjD,iCAAmC,aAAgB,CACnD,4DAA+D,aAAgB,CAC/E,0BAA4B,aAAgB,CAC5C,8BAAgC,aAAgB,CAChD,0BAA4B,aAAgB,CAE5C,wDAA6B,aAAgB,CAC7C,4BAA8B,kBAAmB,CAAE,aAAgB,CAEnE,gDAAkD,kBAAqB,CACvE,0CAEE,oBAAuB,CADvB,yBAEF,CCxCA,2BAA6B,UAAa,CAC1C,2BAAkE,UAAW,CAA9B,eAAiB,CAAnC,eAAkD,CAC/E,0BAA4B,UAAa,CACzC,2BAAkE,UAAW,CAA9B,eAAiB,CAAnC,eAAkD,CAC/E,2BAAkE,UAAW,CAA9B,eAAiB,CAAnC,eAAkD,CAC/E,4BAA8B,UAAc,CAC5C,kDAAqD,UAAa,CAClE,wBAA0B,UAAa,CACvC,wBAA0B,UAAa,CAEvC,6CAA+C,kBAAqB,CACpE,uCAAiE,oBAAsB,CAA9C,sBAAgD,CCPzF,qBACE,qBAAwB,CACxB,aAAa,CACb,kBACF,CACA,sBAAwB,aAAe,CACvC,6CAAgD,aAAe,CAC/D,wCAA0C,aAAe,CACzD,qCAAuC,aAAe,CACtD,qBAAuB,aAAe,CACtC,+CAAiD,aAAe,CAKhE,cACE,SACF,CAEA,8BAGE,4BAA4B,CAD5B,WAAmC,CAAnC,mCAEF,CAEA,iCAEE,aAAa,CADb,SAEF,CAEA,mCAAqC,aAAgB,CACrD,0CAA4C,aAAgB,CAE5D,6BAGE,+BAAkC,CADlC,QAAS,CADT,UAAW,CAGX,SACF,CCxCA,uBAAyB,kBAAmB,CAAE,aAAgB,CAC9D,oCAAsC,eAAkB,CACxD,uIAAiJ,8BAAoC,CACrL,sJAAgK,8BAAoC,CACpM,gCAAkC,kBAAmB,CAAE,2BAA8B,CACrF,qCAAuC,UAAc,CACrD,4CAA8C,UAAa,CAC3D,mCAAqC,aAAgB,CACrD,+BAAiC,0BAA8B,CAE/D,4BAA8B,aAAgB,CAC9C,yBAA2B,aAAgB,CAC3C,yDAA4D,aAAgB,CAC5E,4BAA8B,aAAgB,CAC9C,2BAA6B,aAAgB,CAC7C,yBAA2B,aAAgB,CAC3C,uDAA0D,aAAgB,CAC1E,gFAAoF,UAAc,CAClG,4BAA8B,aAAgB,CAC9C,wDAA2D,aAAgB,CAC3E,yBAA2B,aAAgB,CAC3C,0BAA4B,aAAgB,CAE5C,8CAAgD,kBAAqB,CACrE,wCAAkE,oBAAsB,CAA9C,sBAAgD,CCjB1F,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,gCAAuC,CACpF,4JAAsK,gCAAuC,CAC7M,2KAAqL,gCAAuC,CAC5N,uCAAyC,kBAAmB,CAAE,iBAAoB,CAClF,4CAA8C,UAAc,CAE5D,6FAA4C,aAAgB,CAC5D,sCAAwC,6BAAgC,CAExE,8FAA4C,oCAAwC,CAEpF,mCAAqC,aAAgB,CACrD,gCAAkC,aAAgB,CAClD,kCAAoC,aAAgB,CAEpD,oCAAsC,aAAgB,CACtD,wEACqC,aAAgB,CACrD,mCAAqC,aAAgB,CACrD,kCAAoC,aAAgB,CAEpD,gHAEwC,aAAgB,CACxD,+BAAiC,UAAgB,CACjD,mCAAqC,aAAgB,CAGrD,iGAAkC,aAAgB,CAClD,iCAAmC,kBAAmB,CAAE,aAAgB,CAExE,qDAAuD,gCAAuC,CAC9F,+CAEE,oBAAuB,CADvB,yBAEF,CCxCA,mBACC,kBAAmB,CACnB,aAAc,CAEd,qFAAgG,CADhG,eAED,CACA,sCAAwC,oBAAuB,CAC/D,qDACC,8BACD,CACA,wCACC,eACD,CACA,+BAEC,aAAc,CADd,iBAED,CACA,gCACC,aACD,CACA,8BACC,aACD,CACA,gCACI,aACJ,CAEA,2BACC,aACD,CACA,4BACC,aACD,CAEA,8BACC,aACD,CACA,4BACC,aACD,CACA,+BACC,aACD,CACA,gCACC,aACD,CAIA,gGACC,aACD,CAEA,2BACC,aACD,CACA,gCACC,aACD,CAKA,6DACI,aACJ,CAEA,+CACI,gCAAiC,CAEjC,aAAc,CADd,kBAEJ,CACA,uCACI,kBAAmB,CACnB,qCACJ,CACA,0CACI,aAAc,CACd,UACJ,CC1EA,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,kBAAqB,CAClE,4JAAsK,6BAAmC,CACzM,2KAAqL,6BAAmC,CACxN,uCAAyC,kBAAmB,CAAE,cAAmB,CACjF,4CAA8C,aAAgB,CAE9D,6FAA4C,aAAgB,CAC5D,sCAAwC,6BAAgC,CAExE,mCAAqC,aAAgB,CAErD,kEAAoC,aAAgB,CAEpD,yEAA4E,aAAgB,CAC5F,mCAAqC,aAAgB,CACrD,kCAAoC,aAAgB,CAEpD,oCAAsC,aAAgB,CACtD,sCAAwC,aAAgB,CACxD,+BAAiC,aAAgB,CACjD,mCAAqC,aAAgB,CACrD,+BAAiC,aAAgB,CACjD,gCAAkC,aAAgB,CAClD,iCAAmC,kBAAmB,CAAE,aAAgB,CAExE,qDAAuD,kBAAqB,CAC5E,+CAA6E,oBAAuB,CAAnD,yBAAqD,CC3BtG,+BAAiC,kBAAmB,CAAE,aAAgB,CACtE,4CAA8C,kBAAqB,CACnE,+JAAyK,kBAAqB,CAC9L,8KAAwL,kBAAqB,CAC7M,wCAA0C,kBAAmB,CAAE,cAAmB,CAClF,6CAA+C,UAAc,CAE7D,+FAA6C,aAAgB,CAC7D,uCAAyC,6BAAgC,CAEzE,oCAAsC,aAAgB,CAEtD,oEAAqC,aAAgB,CAErD,2EAA8E,aAAgB,CAC9F,oCAAsC,aAAgB,CACtD,mCAAqC,aAAgB,CAErD,qCAAuC,aAAgB,CACvD,uCAAyC,aAAgB,CACzD,gCAAkC,aAAgB,CAClD,oCAAsC,aAAgB,CACtD,gCAAkC,aAAgB,CAClD,iCAAmC,aAAgB,CACnD,kCAAoC,kBAAmB,CAAE,aAAgB,CAEzE,sDAAwD,kBAAqB,CAC7E,gDAA8E,oBAAuB,CAAnD,yBAAqD,CC5BvG,gCACC,kBAAmB,CACnB,aAAc,CACd,eACD,CACA,6CAA+C,+BAAmC,CAClF,kKAA4K,+BAAmC,CAC/M,iLAA2L,+BAAmC,CAE9N,yCACC,kBAAmB,CACnB,cAAiB,CACjB,aACD,CACA,8CAAgD,UAAc,CAE9D,iGAA8C,aAAgB,CAC9D,wCAA0C,6BAAgC,CAC1E,qCAAuC,aAAgB,CACvD,kCAAoC,aAAgB,CACpD,oCAAsC,UAAgB,CACtD,sCAAwC,aAAgB,CACxD,uCAAyC,aAAgB,CACzD,qCAAuC,aAAgB,CACvD,oCAAsC,aAAgB,CACtD,sCAAwC,aAAgB,CACxD,wCAA0C,aAAgB,CAC1D,0EAA6E,aAAgB,CAC7F,iCAAmC,aAAgB,CACnD,qCAAuC,aAAgB,CACvD,iCAAmC,aAAgB,CACnD,kCAAoC,aAAgB,CACpD,4EAA8E,aAAgB,CAC9F,mCACC,kBAAmB,CACnB,aACD,CACA,uDAAyD,+BAAwC,CACjG,iDACC,oCAAwC,CACxC,uBAAyB,CACzB,kBACD,CCzCA,4BAA6B,kBAAmB,CAAE,aAAe,CACjE,yCAA0C,4BAA+B,CACzE,qCAAsC,kBAAmB,CAAE,cAAkB,CAC7E,wCAAyC,aAAe,CACxD,oCAAqC,uCAA0C,CAE/E,iCAAkC,aAAe,CAEjD,8DAAiC,aAAe,CAEhD,qEAAuE,aAAe,CACtF,iCAAkC,aAAe,CACjD,gCAAiC,aAAe,CAEhD,kCAAmC,aAAe,CAClD,oCAAqC,aAAe,CACpD,6BAA8B,aAAe,CAC7C,+BAAgC,kBAAmB,CAAE,aAAe,CACpE,iCAAkC,aAAe,CACjD,6BAA8B,aAAe,CAC7C,8BAA+B,aAAe,CAE9C,6CAA2E,oBAAuB,CAAnD,yBAAoD,CACnG,mDAAqD,kBAAqB,CCjC1E,0BAA4B,kBAAmB,CAAE,UAAc,CAC/D,uCAAyC,kBAAqB,CAC9D,gJAA0J,8BAAqC,CAC/L,+JAAyK,8BAAqC,CAC9M,mCAAqC,kBAAmB,CAAE,8BAAiC,CAC3F,wCAA0C,UAAc,CACxD,+CAAiD,aAAgB,CACjE,sCAAwC,UAAc,CACtD,kCAAoC,0BAA8B,CAElE,+BAAiC,UAAW,CAAE,iBAAiB,CAAE,eAAkB,CACnF,4BAA8B,aAAgB,CAC9C,+DAAkE,aAAgB,CAClF,+BAAiC,UAAa,CAC9C,8BAAgC,aAAgB,CAChD,4BAA8B,UAAa,CAC3C,6DAAgE,aAAgB,CAChF,yFAA6F,UAAc,CAC3G,+BAAiC,UAAa,CAC9C,4BAA8B,aAAgB,CAC9C,+CAAiD,oBAAuB,CACxE,8DAAiE,aAAgB,CACjF,6BAA+B,aAAgB,CAE/C,iDAAmD,kBAAqB,CCdxE,sBACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CACA,+BAEE,wBAAyB,CACzB,WAAY,CAFZ,aAGF,CACA,8BAAgC,8BAAiC,CACjE,kCAAoC,aAAgB,CACpD,sDAAwD,6BAAuC,CAC/F,oIAA8I,6BAAuC,CACrL,mJAA6J,6BAAuC,CACpM,2BAA6B,aAAgB,CAC7C,sDAAyD,aAAgB,CACzE,0BAA4B,aAAgB,CAC5C,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,uBAAyB,aAAgB,CACzC,2BAA6B,aAAgB,CAC7C,4BAA8B,aAAgB,CAC9C,2BAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAE1C,+CAAyB,aAAgB,CAEzC,0DAA+B,aAAgB,CAC/C,4BAA8B,aAAgB,CAE9C,iFAA6B,aAAgB,CAC7C,6CAA+C,kBAAqB,CACpE,uCAAqE,oBAAuB,CAAnD,yBAAqD,CClC9F,2BAA6B,kBAAmB,CAAE,aAAgB,CAClE,wCAA0C,kBAAqB,CAC/D,mJAA6J,kBAAqB,CAClL,kKAA4K,kBAAqB,CACjM,oCAAsC,kBAAoB,CAAE,8BAAiC,CAC7F,yCAA2C,UAAa,CACxD,uCAAyC,aAAgB,CACzD,mCAAqC,0BAA6B,CAElE,gCAAkC,aAAgB,CAMlD,2LAAgC,aAAgB,CAIhD,+FAAmC,aAAgB,CAGnD,wDAA6B,aAAgB,CAI7C,oGAAqC,aAAgB,CAErD,iCAAmC,aAAgB,CAKnD,6HAAuC,aAAgB,CAEvD,iCAAmC,aAAgB,CACnD,mCAAqC,aAAgB,CACrD,6BAA+B,aAAgB,CAC/C,iCAAmC,aAAgB,CACnD,gCAAkC,aAAgB,CAElD,kDAAoD,gCAAqC,CACzF,4CAA2F,oBAAuB,CAApE,qCAAsE,CCzCpH,kBAAoB,aAAgB,CACpC,kBAAoB,aAAgB,CACpC,kBAAoB,aAAgB,CACpC,kBAAoB,aAAgB,CACpC,iBAAmB,aAAgB,CACnC,iBAAmB,aAAgB,CACnC,iBAAmB,aAAgB,CACnC,iBAAoB,aAAgB,CACpC,wBAA2B,aAAgB,CAC3C,wBAA2B,aAAgB,CAC3C,qBAAuB,aAAgB,CACvC,yBAA2B,aAAgB,CAC3C,wBAA2B,aAAgB,CAC3C,sBAAwB,aAAgB,CACxC,sBAAwB,aAAgB,CACxC,uBAAyB,aAAgB,CAIzC,gBAEE,kBAAmB,CACnB,qBAAsB,CAFtB,kBAGF,CACA,0BAEE,wBAAyB,CADzB,aAEF,CACA,2BACE,wBAAyB,CACzB,aACF,CAEA,mCACE,gBACF,CAEA,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAE5C,4BAA8B,aAAgB,CAE9C,oDAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAE1C,6BAA+B,aAAgB,CAC/C,+BAAiC,aAAgB,CACjD,wDAA2D,aAAgB,CAE3E,6BAA+B,aAAgB,CAC/C,6BAA+B,aAAgB,CAE/C,4BAA8B,aAAc,CAAE,iBAAmB,CAEjE,2BAA6B,aAAgB,CAC7C,6BAA+B,aAAgB,CAE/C,yBAA2B,aAAgB,CAC3C,8BAAgC,aAAgB,CAChD,4BAA8B,aAAgB,CAC9C,4BAA8B,aAAgB,CAC9C,4CAA8C,aAAgB,CAC9D,+CAAiD,aAAgB,CACjE,wBAA0B,aAAgB,CAC1C,8BAAgC,aAAgB,CAChD,uBAEE,4BAA6B,CAD7B,iBAAkB,CAElB,aACF,CACA,yBAA2B,aAAc,CAAE,cAAiB,CAC5D,4BAA8B,aAAgB,CAC9C,uBACE,UAAW,CACX,yBAA0B,CAC1B,4BACF,CACA,0DAGE,gCAAiC,CADjC,aAEF,CAEA,kDAAoD,kBAAqB,CACzE,sDAAmD,4BAAmC,CAAtF,iDAAmD,4BAAmC,CACtF,kKAA4K,4BAAmC,CAE/M,mDAAqD,kBAAqB,CAC1E,sJAAgK,kBAAqB,CACrL,qKAA+K,kBAAqB,CAOpM,2BAGE,qCACF,CAGA,oCACE,cACF,CAKA,8CACE,wBACF,CAEA,iDACE,aACF,CAGA,+CACE,wBACF,CAEA,kDACE,aACF,CAGA,uCACE,aACF,CACA,gDAAkD,aAAgB,CAClE,mDAAqD,UAAa,CAClE,oDAAsD,aAAgB,CAEtE,2DACE,aACF,CAGA,mCAAqC,6BAAgC,CAGrE,4DAA8D,eAAqB,CACnF,kDAAoD,qBAA2B,CAC/E,2DAA6D,kBAAqB,CAClF,iDAAmD,wBAA2B,CAG9E,4DACE,8BACF,CACA,6DACE,0BACF,CCpKA,2BAA6B,UAAa,CAC1C,2BAA6B,aAAkB,CAC/C,0BAA4B,SAAY,CAGxC,iFAAgC,UAAc,CAC9C,wBAA0B,aAAiB,CAC3C,kCAAoC,UAAa,CACjD,6CAA+C,eAAqB,CACpE,4BAA8B,UAAgB,CAC9C,sFAEiC,aAAiB,CAClD,+BAAkE,qBAAyB,CAA1D,8BAA4D,CAC7F,mCAAqC,kBAAqB,CCd1D,4BAA8B,eAAmB,CAAE,UAAgB,CACnE,yCAA2C,kBAAqB,CAChE,sJAAgK,6BAAoC,CACpM,qKAA+K,6BAAoC,CACnN,qCAAuC,eAAgB,CAAE,2BAAiC,CAC1F,0CAA4C,UAAa,CAEzD,yFAA0C,UAAgB,CAC1D,oCAAsC,0BAAgC,CAEtE,iCAAmC,aAAc,CAAE,eAAmB,CACtE,8BAAgC,UAAa,CAC7C,gCAAkC,aAAgB,CAClD,6BAA+B,UAAa,CAC5C,kCAAoC,UAAa,CACjD,oCAAsC,UAAa,CACnD,kEAAqE,UAAa,CAClF,kCAAoC,aAAgB,CACpD,kCAAoC,UAAa,CACjD,iCAAmC,UAAgB,CACnD,gCAAkC,UAAa,CAC/C,8BAAgC,UAAa,CAC7C,mCAAqC,aAAgB,CACrD,iCAAmC,UAAa,CAChD,iCAAmC,UAAa,CAChD,6BAA+B,aAAgB,CAC/C,mCAAqC,aAAgB,CACrD,+BAAiC,SAAgB,CAEjD,mDAAqD,eAAkB,CCpBvE,uCAAyC,eAAmB,CAAE,aAAgB,CAC9E,oDAAsD,kBAAqB,CAC3E,gDAAkD,eAAmB,CAAE,cAAmB,CAC1F,qDAAuD,aAAgB,CACvE,4DAA8D,UAAa,CAC3E,mDAAqD,aAAgB,CACrE,+CAAiD,6BAAgC,CAEjF,4CAA8C,aAAgB,CAE9D,oFAA6C,aAAgB,CAE7D,2FAA8F,UAAgB,CAC9G,4CAA8C,aAAgB,CAC9D,2CAA6C,aAAgB,CAE7D,6CAA+C,aAAgB,CAC/D,+CAAiD,aAAgB,CACjE,wCAA0C,aAAgB,CAC1D,4CAA8C,aAAgB,CAC9D,wCAA0C,aAAgB,CAC1D,yCAA2C,aAAgB,CAC3D,0CAA4C,kBAAmB,CAAE,aAAgB,CAEjF,8DAAgE,kBAAqB,CACrF,wDAAsF,oBAAuB,CAAnD,yBAAqD,CCxB/G,yCAA2C,eAAmB,CAAE,UAAgB,CAChF,sDAAwD,kBAAqB,CAC7E,6LAAuM,6BAAoC,CAC3O,4MAAsN,6BAAoC,CAC1P,kDAAoD,eAAmB,CAAE,cAAmB,CAC5F,uDAAyD,aAAgB,CACzE,8DAAgE,UAAa,CAC7E,qDAAuD,aAAgB,CACvE,iDAAmD,6BAAgC,CAEnF,8CAAgD,aAAgB,CAEhE,wFAA+C,aAAgB,CAE/D,+FAAkG,UAAgB,CAClH,8CAAgD,aAAgB,CAChE,6CAA+C,UAAgB,CAE/D,+CAAiD,UAAgB,CACjE,iDAAmD,UAAgB,CACnE,0CAA4C,aAAgB,CAC5D,8CAAgD,UAAgB,CAChE,0CAA4C,aAAgB,CAC5D,2CAA6C,aAAgB,CAC7D,4CAA8C,kBAAmB,CAAE,aAAgB,CAEnF,gEAAkE,kBAAqB,CACvF,0DAAwF,oBAAuB,CAAnD,yBAAqD,CCrCjH,qBAAuB,UAAa,CAGpC,iCAAoC,eAAmB,CAIvD,sBAAwB,UAAW,CAAE,eAAmB,CAExD,oBAAsB,UAAa,CACnC,yBAA2B,UAAa,CACxC,uBAAyB,UAAa,CACtC,uBAAyB,UAAgB,CACzC,mBAAqB,UAAa,CAClC,kBAAoB,iBAAoB,CACxC,qBAAuB,SAAa,CACpC,kBAAoB,UAAa,CAEjC,uBAAyB,eAAkB,CAC3C,oBAAsB,UAAW,CAAE,yBAA4B,CAC/D,oBAAsB,UAAa,CACnC,wBAA0B,UAAa,CACvC,wBAA0B,UAAa,CACvC,yBAA2B,UAAa,CACxC,6BAA+B,4BAA+B,CAC9D,sBAAwB,aAAgB,CACxC,wBAA0B,UAAa,CACvC,sBAAwB,eAAmB,CAC3C,mBAAqB,UAAa,CAClC,wBAA0B,aAAgB,CAC1C,0BAA4B,UAAa,CACzC,8CAAiD,UAAa,CAE9D,2BAA6B,SAAa,CAG1C,uDAC8B,aAAgB,CAC9C,yBAA2B,aAAgB,CAC3C,wBAA0B,aAAe,CACzC,sBAAwB,aAAe,CACvC,uBAAyB,aAAe,CACxC,oBAAsB,aAAe,CAGrC,gCAAkC,aAAc,CAAE,eAAkB,CACpE,gEAC8B,aAAc,CAAE,eAAkB,CAGhE,qFAE+B,aAAgB,CAC/C,mJAK4B,UAAgB,CAC5C,oFAE6B,aAAgB,CAC7C,qBAAuB,WAAc,CAAE,eAAkB,CACzD,mCAAqC,eAAkB,CC/DvD,0BAA4B,kBAAmB,CAAE,aAAgB,CACjE,uCAAyC,kBAAqB,CAC9D,gJAA0J,6BAAoC,CAC9L,+JAAyK,6BAAoC,CAE7M,mCAAqC,eAAgB,CAAE,2BAA8B,CACrF,wCAA0C,UAAc,CAExD,qFAAwC,UAAa,CACrD,kCAAoC,0BAA8B,CAElE,2BAA6B,aAAgB,CAC7C,wBAA0B,UAAa,CACvC,0BAA4B,aAAiB,CAC7C,uBAAyB,aAAgB,CAEzC,sJAA6F,aAAgB,CAC7G,4BAA8B,aAAgB,CAC9C,2BAA6B,UAAU,CAAE,iBAAiB,CAAE,eAAoB,CAChF,0BAA4B,aAAa,CAAE,iBAAmB,CAC9D,4BAA8B,aAAe,CAC7C,wBAA0B,wBAAwB,CAAE,aAAe,CACnE,2BAA6B,aAAgB,CAC7C,uBAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,0BAA4B,aAAgB,CAC5C,sBAAwB,aAAgB,CACxC,wBAA0B,aAAa,CAAE,iBAAiB,CAAE,oBAAsB,CAClF,yBAA2B,2BAA8B,CAEzD,iDAAmD,kBAAqB,CACxE,2CAAqE,oBAAsB,CAA9C,sBAAgD,CC7B7F,6BAA+B,eAAiB,CAAE,UAAc,CAChE,0CAA4C,kBAAqB,CACjE,yJAAmK,6BAAoC,CACvM,wKAAkL,6BAAoC,CAEtN,sCAAwC,kBAAmB,CAAE,2BAA8B,CAC3F,2CAA6C,UAAc,CAE3D,2FAA2C,aAAgB,CAC3D,qCAAuC,0BAA8B,CAErE,8BAAgC,aAAgB,CAChD,2BAA6B,UAAa,CAC1C,6BAA+B,aAAiB,CAChD,0BAA4B,aAAgB,CAE5C,yJAA8F,aAAgB,CAC9G,+BAAiC,UAAa,CAC9C,8BAAgC,UAAW,CAAE,eAAmB,CAChE,6BAA+B,aAAiB,CAChD,+BAAiC,SAAY,CAC7C,2BAA6B,aAAgB,CAG7C,wFAAkC,aAAgB,CAClD,6BAA+B,aAAgB,CAC/C,yBAA2B,aAAgB,CAC3C,2BAA6B,aAAgB,CAC7C,4BAA8B,2BAA8B,CAE5D,oDAAsD,kBAAqB,CAC3E,8CAAwE,oBAAsB,CAA9C,sBAAgD,CCXhG,yBAA2B,kBAAmB,CAAE,aAAgB,CAChE,sCAAwC,kBAAqB,CAC7D,6IAAuJ,6BAAoC,CAC3L,4JAAsK,6BAAoC,CAC1M,kCAAoC,kBAAmB,CAAE,2BAA8B,CACvF,uCAAyC,aAAgB,CAEzD,mFAAuC,aAAgB,CACvD,iCAAmC,0BAA8B,CAEjE,8BAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAC7C,6BAA+B,UAAa,CAC5C,0BAA4B,UAAW,CAAE,yBAA2B,CACpE,+BAAiC,UAAa,CAC9C,iCAAmC,UAAa,CAChD,4DAA+D,UAAa,CAG5E,8BAAgC,UAAa,CAC7C,6BAA+B,aAAgB,CAC/C,2BAA6B,UAAe,CAC5C,gCAAkC,aAAgB,CAClD,8BAAgC,UAAa,CAC7C,8BAAgC,UAAa,CAC7C,0BAA4B,aAAgB,CAC5C,gCAAkC,aAAgB,CAClD,4BAA8B,SAAa,CAE3C,gDAAkD,kBAAqB,CACvE,0CAAoE,oBAAsB,CAA9C,sBAAgD,CC9B5F,+BAAsE,aAAc,CAAjC,eAAiB,CAAnC,eAAqD,CACtF,4BAA8B,aAAgB,CAC9C,8BAAgC,UAAa,CAC7C,2BAA6B,yBAA2B,CAGxD,gIAAiE,UAAc,CAG/E,+BAAiC,aAAc,CAAE,iBAAoB,CACrE,8BAAgC,SAAY,CAC5C,4BAA8B,UAAe,CAC7C,iCAAmC,UAAa,CAChD,+BAAiC,aAAgB,CACjD,+BAAiC,UAAa,CAC9C,2BAA6B,aAAgB,CAC7C,iCAAmC,aAAgB,CACnD,6BAA+B,SAAa,CAE5C,iDAAmD,kBAAqB,CACxE,2CAA2F,eAAiB,CAAxC,oBAAsB,CAA7C,sBAAiE,CChC9G,sBACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CAEA,+BAEE,wBAAyB,CACzB,WAAY,CAFZ,aAGF,CACA,8BAAgC,8BAAiC,CACjE,kCAAoC,aAAgB,CACpD,sDAAwD,kBAAqB,CAC7E,oIAA8I,kBAAqB,CACnK,mJAA6J,kBAAqB,CAClL,2BAA6B,aAAgB,CAC7C,sDAAyD,aAAgB,CACzE,0BAA4B,aAAgB,CAC5C,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,uBAAyB,aAAgB,CAEzC,uDAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAE1C,+CAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,6BAA+B,aAAgB,CAE/C,uDAA6B,aAAgB,CAC7C,sDAAyD,aAAgB,CACzE,6CAA+C,kBAAqB,CACpE,uCAAyC,yBAA4B,CCjCrE,kCAAoC,4BAAgC,CACpE,wEAA2E,UAAa,CACxF,iCAAmC,0BAA8B,CACjE,yBAA2B,wBAAyB,CAAE,aAAgB,CACtE,8BAAgC,aAAc,CAAE,eAAmB,CACnE,8BAAgC,aAAgB,CAChD,8BAAgC,aAAc,CAAE,eAAmB,CACnE,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAC5C,+BAAiC,aAAgB,CACjD,iCAAmC,aAAgB,CAEnD,4DAAiC,aAAgB,CACjD,6BAA+B,aAAgB,CAC/C,0BAA4B,aAAgB,CAE5C,+DAAkC,aAAgB,CAClD,gCAAkC,aAAgB,CAClD,2BAA6B,aAAgB,CAE7C,4DAAiC,aAAgB,CACjD,8CAAwE,sBAAuB,CAAE,uBAAwB,CAAzE,qBAA2E,CAC3H,iDAA6E,eAAgB,CAA1C,uBAA4C,CAE/F,qFAAkD,eAAqB,CACvE,sCAAwC,kBAAqB,CAC7D,0DAA4D,kBAAqB,CCjC/E,mCAAsG,CAAtG,cAAsG,CAAtG,eAAsG,CAAtG,kEAAsG,CAAtG,6DAAsG,CAAtG,iDAAsG,CAAtG,kBAAsG,CAAtG,6EAAsG,CAAtG,wEAAsG,CAItG,iIAAwF,CAAxF,wGAAwF,CAAxF,gDAAwF,CAAxF,4IAAwF,CAAxF,uIAAwF,CAAxF,wGAAwF,CAAxF,+CAAwF,CAAxF,kFAAwF,CAIxF,kFAAgD,CAAhD,6FAAgD,CAIhD,gIAA8B,CAA9B,wGAA8B,CAA9B,+CAA8B,CAA9B,wFAA8B,CAK9B,gGAA6D,CAA7D,kCAA6D,CAA7D,6BAA6D,CAA7D,kBAA6D,CAA7D,uHAA6D,CAM7D,6BAA6L,CAA7L,oEAA6L,CAA7L,4FAA6L,CAA7L,uBAA6L,CAA7L,oBAA6L,CAA7L,eAA6L,CAA7L,sDAA6L,CAA7L,oBAA6L,CAA7L,kGAA6L,CAA7L,kCAA6L,CAA7L,iBAA6L,CAA7L,mBAA6L,CAA7L,mBAA6L,CAA7L,oBAA6L,CAA7L,UAA6L,CAA7L,gEAA6L,CAA7L,2DAA6L,CAA7L,oEAA6L,CAA7L,kCAA6L,CAA7L,2EAA6L,CAA7L,sEAA6L,CAM7L,gDAAW,CAAX,+CAAW,CAGb,2CAEE,iBACF,CAEA,kEAEE,iBAAkB,CAClB,QAEF,CALA,sFAIE,UACF,CALA,sFAIE,SACF,CAkCE,gCAA2F,CAA3F,sDAA2F,CAA3F,oBAA2F,CAA3F,qCAA2F,CAA3F,aAA2F,CAA3F,WAA2F,CAA3F,wBAA2F,CAA3F,qBAA2F,CAA3F,gBAA2F,CAA3F,UAA2F,CAA3F,uEAA2F,CAD7F,eAIE,4BAA6B,CAE7B,yCAA6B,CAA7B,gBAA6B,CAJ7B,oBAAqB,CACrB,qBAKF,CADE,mEAA2B,CAI3B,2BAAqI,CAArI,uBAAqI,CAArI,oBAAqI,CAArI,eAAqI,CAArI,sDAAqI,CAArI,oBAAqI,CAArI,qCAAqI,CAArI,oBAAqI,CAArI,aAAqI,CAArI,WAAqI,CAArI,wBAAqI,CAArI,qBAAqI,CAArI,gBAAqI,CAArI,qBAAqI,CAArI,UAAqI,CAArI,kEAAqI,CADvI,UAGE,kBAAmB,CACnB,yCAAsD,CAAtD,gBAAsD,CAFtD,gCAMF,CAJE,4DAAsD,CACtD,8DAAsD,CAAtD,oEAAsD,CACtD,gEAAqD,CAArD,2EAAqD,CACrD,sCAAmC,CAKnC,2IAA8D,CAA9D,wGAA8D,CAA9D,+CAA8D,CAA9D,wFAA8D,CAA9D,6BAA8D,CAA9D,kBAA8D,CAA9D,mGAA8D,CAGhE,yCAIE,6BAA8B,CAF9B,wWAA2V,CAI3V,uBAA2B,CAC3B,2BAA4B,CAF5B,qBAAsB,CAFtB,wBAKF,CAEA,qDAIE,6BAA8B,CAF9B,0UAA6T,CAI7T,uBAA2B,CAC3B,2BAA4B,CAF5B,qBAAsB,CAFtB,wBAKF,CAEA,yEAGE,gDAAqB,CADrB,6UAEF,CAEA,6DAGE,gDAAqB,CADrB,2WAEF,CAKE,4BAAe,CAOf,iBAEA,WAAa,CAFb,SAAyC,CAAzC,eAAyC,CAAzC,iBAAyC,CACzC,UAAY,CAEZ,UAHyC,CAQzC,4HAAoC,CAApC,cAAoC,CzDvJtC,MACE,4CACF,CAEA,iBAKE,0BAA8B,CAD9B,UAAW,CAFX,eAAgB,CADhB,2BAA6B,CAE7B,SAGF,CAEA,gDACE,mBACF,CAKE,kEAAgF,CAAhF,8EAAgF,CAAhF,sGAAgF,CAAhF,gEAAgF,CAAhF,4GAAgF,CAAhF,4CAAgF,CAAhF,+EAAgF,CAAhF,uDAAgF,CAAhF,uDAAgF,CAOlF,0FACE,iBACF,CAGE,qEAAgF,CAAhF,8EAAgF,CAAhF,sGAAgF,CAAhF,gEAAgF,CAAhF,4GAAgF,CAAhF,4CAAgF,CAAhF,kFAAgF,CAAhF,uDAAgF,CAAhF,uDAAgF,CAIhF,+EAA8B,CAA9B,gEAA8B,CAC9B,iBAD8B,CAIhC,gDACE,iBACF,CAKE,mEAA2F,CAA3F,8EAA2F,CAA3F,sGAA2F,CAA3F,gEAA2F,CAA3F,6BAA2F,CAA3F,4GAA2F,CAA3F,4CAA2F,CAA3F,gFAA2F,CAA3F,uDAA2F,CAA3F,uDAA2F,CAO7F,4FACE,iBACF,CAKE,6CAAkD,CAAlD,gBAAkD,CAAlD,iBAAkD,CAAlD,gBAAkD,CAAlD,eAAkD,CAIlD,kDAAmB,CAInB,kDAAoC,CAApC,yBAAoC,CAKtC,eAOE,qBAAsB,CADtB,iBAAkB,CAGlB,2CAAgD,CADhD,aAAc,CALd,cAAe,CAEf,eAAgB,CADhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAEA,uBACE,aACF,CAEA,qBACE,aACF,CAEA,oBACE,aACF,CAEA,uBACE,aACF,CAEA,+BACE,aACF,CAEA,kBAKE,wBAAyB,CACzB,iBAAkB,CAGlB,8DAAwE,CADxE,UAAW,CALX,cAAe,CAIf,eAAgB,CAHhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAEA,0BACE,aACF,CAEA,wBACE,aACF,CAEA,uBACE,aACF,CAEA,0BACE,aACF,CAEA,iBAQE,eAAgB,CADhB,wBAAyB,CAFzB,iBAAkB,CAClB,aAAc,CAHd,cAAe,CAMf,eAAgB,CALhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAEA,uBAIE,wBAAyB,CAIzB,kBAAmB,CAPnB,UAAW,CAEX,UAAW,CAEX,iBAAkB,CAClB,QAAS,CAJT,SAOF,CATA,iCAOE,SAEF,CATA,iCAOE,UAEF,CAEA,yBACE,aACF,CAEA,uBACE,aACF,CAEA,sBACE,aACF,CAEA,yBACE,aACF,CAEA,iCACE,aACF,CAEA,mBAME,wBAAyB,CAEzB,wBAAqB,CACrB,oBAAsB,CAEtB,oCAAyC,CANzC,aAAc,CAFd,cAAe,CAOf,eAAgB,CANhB,iBAAkB,CAFlB,eAAgB,CADhB,cAWF,CAEA,2BAEE,wBAAyB,CACzB,oBAAqB,CAFrB,aAGF,CAEA,yBAEE,wBAAyB,CACzB,oBAAqB,CAFrB,aAGF,CAEA,wBAEE,wBAAyB,CACzB,oBAAqB,CAFrB,aAGF,CAEA,gBAKE,kBAAmB,CAInB,2CAAgD,CAHhD,UAAW,CAHX,cAAe,CAKf,eAAgB,CAJhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAVA,0BAOE,iDAGF,CAVA,0BAOE,kDAGF,CAEA,wBACE,aACF,CAEA,sBACE,aACF,CAEA,qBACE,aACF,CAEA,wBACE,aACF,CAEA,gCACE,UACF,CAEA,eAKE,wBAAyB,CAEzB,iBAAkB,CADlB,UAAW,CAHX,cAAe,CAKf,eAAgB,CAJhB,iBAAkB,CAFlB,eAAgB,CADhB,cAQF,CAEA,uBAEE,wBAAyB,CADzB,UAEF,CAEA,qBAEE,wBAAyB,CADzB,aAEF,CAEA,oBAEE,wBAAyB,CADzB,UAEF,CAEA,mBACE,cAAe,CACf,aACF,CAEA,iDAGE,YAAa,CAEb,qBACF,CAEA,8BACE,aAAc,CACd,UACF,CAEA,4CACE,cACF,CAEA,iEACE,YACF,CAEA,sDACE,KAEF,CAHA,gEAEE,OACF,CAHA,gEAEE,MACF,CAEA,qDACE,KAEF,CAHA,+DAEE,MACF,CAHA,+DAEE,OACF,CAEA,uDACE,KAAM,CAGN,uBACF,CALA,iEAEE,MAGF,CALA,iEAEE,OAGF,CAEA,yDAEE,QACF,CAHA,mEACE,OAEF,CAHA,mEACE,MAEF,CAEA,wDAEE,QACF,CAHA,kEACE,MAEF,CAHA,kEACE,OAEF,CAEA,0DAEE,QAAS,CAET,uBACF,CALA,oEACE,MAIF,CALA,oEACE,OAIF,CAEA,6BACE,OAEF,CAHA,uCAEE,QACF,CAHA,uCAEE,OACF,CAEA,8CAEE,oBACF,CAEA,4BACE,OAEF,CAHA,sCAEE,OACF,CAHA,sCAEE,QACF,CAEA,6CAEE,sBACF,CAEA,8BAIE,kBAAmB,CAHnB,OAMF,CAPA,wCAEE,QAAS,CAIT,0BACF,CAPA,wCAEE,SAAS,CAIT,yBACF,CAEA,gCAEE,SACF,CAHA,0CACE,QAEF,CAHA,0CACE,OAEF,CAEA,iDAEE,oBACF,CAEA,+BAEE,SACF,CAHA,yCACE,OAEF,CAHA,yCACE,QAEF,CAEA,gDAEE,sBACF,CAEA,iCAIE,kBAAmB,CAFnB,SAKF,CAPA,2CACE,QAAS,CAKT,0BACF,CAPA,2CACE,SAAS,CAKT,yBACF,CAEA,iGAEE,UACF,CAEA,oMAEE,WACF,CAHA,mGAEE,UACF,CAEA,4BAYE,kBAAmB,CAGnB,kBAAmB,CAZnB,UAAW,CAOX,YAAa,CAHb,WAAY,CAOZ,6BAA8B,CAV9B,eAAiB,CAEjB,cAAe,CADf,iBAAkB,CAJlB,QAAS,CACT,UAAW,CAMX,oBAQF,CAEA,sDAEE,kBAAoB,CADpB,kBAEF,CAEA,kHACE,iBAAmB,CACnB,mBACF,CAHA,4DAEE,kBAAqB,CADrB,kBAEF,CAEA,uDACE,gBAAkB,CAClB,mBACF,CAHA,uDAEE,kBAAoB,CADpB,iBAEF,CAEA,qDAIE,iBAAkB,CAIlB,cAAe,CANf,eAAiB,CAKjB,eAAgB,CADhB,oBAAsB,CAHtB,WAAY,CAFZ,oBAAqB,CAIrB,wBAKF,CAVA,+DASE,kBACF,CAVA,+DASE,iBACF,CAEA,0DAKE,kBAAmB,CAFnB,YAAa,CAIb,sBAAuB,CANvB,WAOF,CAEA,oFAEE,eAAgB,CADhB,cAEF,CAHA,oFACE,aAAe,CACf,gBACF,CAEA,gEACE,oBACF,CAEA,2DACE,yBACF,CAEA,yCACE,mBACE,cACF,CAEA,wCACE,YACF,CAEA,6BACE,KAEF,CAHA,uCAEE,OACF,CAHA,uCAEE,MACF,CAEA,4BACE,KAEF,CAHA,sCAEE,MACF,CAHA,sCAEE,OACF,CAEA,8BACE,KAAM,CAGN,uBACF,CALA,wCAEE,MAGF,CALA,wCAEE,OAGF,CAEA,gCAEE,QACF,CAHA,0CACE,OAEF,CAHA,0CACE,MAEF,CAEA,+BAEE,QACF,CAHA,yCACE,MAEF,CAHA,yCACE,OAEF,CAEA,iCAEE,QAAS,CAET,uBACF,CALA,2CACE,MAIF,CALA,2CACE,OAIF,CAEA,+DAGE,6BACF,CAEA,4JAIE,UACF,CAEA,4BACE,eACF,CACF,CAwCE,kCAA2G,CAA3G,qCAA2G,CAA3G,eAA2G,CAA3G,yBAA2G,CAA3G,8HAA2G,CAA3G,wGAA2G,CAA3G,+CAA2G,CAA3G,wFAA2G,CAA3G,6BAA2G,CAA3G,kBAA2G,CAC3G,yDAAqD,CAArD,0DAAqD,CACrD,qEAAyB,CAIzB,wCAAmG,CAAnG,iCAAmG,CAAnG,eAAmG,CAAnG,yBAAmG,CAAnG,oIAAmG,CAAnG,wGAAmG,CAAnG,2CAAmG,CAAnG,wFAAmG,CAAnG,6BAAmG,CAAnG,kBAAmG,CACnG,2DAA6C,CAA7C,4DAA6C,CAC7C,2EAAyB,CAMzB,2CAAkB,CAMlB,6CAAqF,CAArF,8EAAqF,CAArF,sGAAqF,CAArF,gEAAqF,CAArF,8BAAqF,CAArF,4GAAqF,CAArF,+CAAqF,CAArF,sIAAqF,CAArF,oFAAqF,CADvF,kBAEE,qBAAuB,CAEvB,0BAA6B,CAD7B,kBAEF,CAEA,yBAEE,sDAAyD,CADzD,YAEF,CAKA,iIAGE,8CACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAGA,kEAGE,gDAA8C,CAC9C,gBACF,CAEA,iDAEE,8CACF,CAEA,UACE,gDAA8C,CAC9C,0BACF,CAKE,+BAAuD,CAAvD,oEAAuD,CAAvD,yCAAuD,CACvD,2DAA+F,CAA/F,4HAA+F,CAA/F,wGAA+F,CAA/F,wFAA+F,CAA/F,6BAA+F,CAA/F,kBAA+F,CAA/F,mEAA+F,CAA/F,0EAA+F,CAGjG,6CAEE,mBACF,CAEA,sBACE,8CACF,CAEA,4BACE,+CACF,CAEA,uBACE,sBACF,CAEA,qCACE,oCACF,CAEA,qBACE,mBACF,CAGE,qGAA2B,CAI3B,sHAAmE,CAAnE,yCAAmE,CAAnE,4HAAmE,CAInE,kIAAuB,CAKzB,yBACE,2BACF,CAKE,sDAA6C,CAA7C,+BAA6C,CAA7C,gCAA6C,CAA7C,qBAA6C,CAG/C,8DACE,kBACF,CAKA,YACE,0BAA4B,CAG5B,qBAAsB,CAMtB,oBAAuB,CACvB,4CAAkD,CARlD,yDAAgE,CAKhE,WAAY,CAHZ,WAAY,CAHZ,eAAgB,CAIhB,iBAAkB,CAGlB,UAAW,CAFX,SAKF,CADE,mEAAkD,CAIlD,6EAA6B,CAG/B,iBACE,eACF,CAEA,uCACE,yBACF,CAEA,iCACE,WACF,CAEA,mBACE,0BAEF,CADE,mDAAwB,CAAxB,sDAAwB,CAIxB,qDAAiC,CAAjC,uCAAiC,CAAjC,gEAAiC,CAAjC,6CAAiC,CAIjC,2DAAuC,CAAvC,sEAAuC,CAQvC,0IAAuC,CAAvC,sLAAuC,CAKvC,+EAA0C,CAA1C,wGAA0C,CAO5C,WACE,mBACF,CAEA,gBACE,4CAA8C,CAM9C,UAAW,CALX,cAAe,CAEf,KAAM,CAEN,UAAW,CAHX,YAKF,CARA,0BAKE,MAGF,CARA,0BAKE,OAGF,CAQA,0CACE,eACF,C0DnzBA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,sHACiB,CACjB,wKAGF,CCzkCA,2BAAmB,CAAnB,cAAmB,CAAnB,UAAmB,CAAnB,WAAmB,CAAnB,eAAmB,CAAnB,SAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,SAAmB,CAAnB,wCAAmB,CAAnB,2BAAmB,CAAnB,4BAAmB,CAAnB,6BAAmB,CAAnB,uBAAmB,CAAnB,qBAAmB,CAAnB,2BAAmB,CAAnB,2BAAmB,CAAnB,gBAAmB,CAAnB,sCAAmB,CAAnB,qCAAmB,CAAnB,kBAAmB,CAAnB,wBAAmB,CAAnB,yBAAmB,CAAnB,kCAAmB,CAAnB,mCAAmB,CAAnB,0BAAmB,CAAnB,yBAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,YAAmB,CAAnB,wBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,oBAAmB,CAAnB,0BAAmB,CAAnB,cAAmB,CAAnB,gBAAmB,CAAnB,gBAAmB,CAAnB,gBAAmB,CAAnB,gBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,aAAmB,CAAnB,yBAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,oBAAmB,CAAnB,0BAAmB,CAAnB,oBAAmB,CAAnB,mBAAmB,CAAnB,cAAmB,CAAnB,uBAAmB,CAAnB,kBAAmB,CAAnB,sBAAmB,CAAnB,iBAAmB,CAAnB,yBAAmB,CAAnB,iBAAmB,CAAnB,0BAAmB,CAAnB,iBAAmB,CAAnB,2BAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,uCAAmB,CAAnB,wCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,wBAAmB,CAAnB,0BAAmB,CAAnB,yBAAmB,CAAnB,0BAAmB,CAAnB,wBAAmB,CAAnB,2BAAmB,CAAnB,0BAAmB,CAAnB,wBAAmB,CAAnB,6BAAmB,CAAnB,8BAAmB,CAAnB,kCAAmB,CAAnB,mCAAmB,CAAnB,iCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,kCAAmB,CAAnB,kCAAmB,CAAnB,mCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,8BAAmB,CAAnB,6BAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,qCAAmB,CAAnB,oCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,gCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,uBAAmB,CAAnB,sBAAmB,CAAnB,uBAAmB,CAAnB,uBAAmB,CAAnB,qBAAmB,CAAnB,wBAAmB,CAAnB,oBAAmB,CAAnB,kCAAmB,CAAnB,sBAAmB,CAAnB,kBAAmB,CAAnB,gCAAmB,CAAnB,oBAAmB,CAAnB,kBAAmB,CAAnB,0BAAmB,CAAnB,oBAAmB,CAAnB,8BAAmB,CAAnB,+BAAmB,CAAnB,mBAAmB,CAAnB,oBAAmB,CAAnB,iBAAmB,CAAnB,mBAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,gBAAmB,CAAnB,mBAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,gBAAmB,CAAnB,mBAAmB,CAAnB,uBAAmB,CAAnB,qBAAmB,CAAnB,uBAAmB,CAAnB,mBAAmB,CAAnB,mBAAmB,CAAnB,sBAAmB,CAAnB,+BAAmB,CAAnB,yDAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,wBAAmB,CAAnB,iCAAmB,CAAnB,+BAAmB,CAAnB,2BAAmB,CAAnB,iBAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,gBAAmB,CAAnB,kBAAmB,CAAnB,gBAAmB,CAAnB,iBAAmB,CAAnB,eAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,iBAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,eAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,wBAAmB,CAAnB,sBAAmB,CAAnB,wBAAmB,CAAnB,oBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,kBAAmB,CAAnB,eAAmB,CAAnB,0BAAmB,CAAnB,gCAAmB,CAAnB,8BAAmB,CAAnB,sCAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,gCAAmB,CAAnB,8BAAmB,CAAnB,yBAAmB,CAAnB,yBAAmB,CAAnB,0BAAmB,CAAnB,yBAAmB,CAAnB,yBAAmB,CAAnB,yBAAmB,CAAnB,0BAAmB,CAAnB,mBAAmB,CAAnB,wBAAmB,CAAnB,oBAAmB,CAAnB,kCAAmB,CAAnB,uBAAmB,CAAnB,sBAAmB,CAAnB,4BAAmB,CAAnB,mNAAmB,CAAnB,0CAAmB,EAAnB,+CAAmB,CAAnB,0CAAmB,CAAnB,8BAAmB,CAAnB,sCAAmB,CAAnB,8BAAmB,CAAnB,wBAAmB,CAAnB,qCAAmB,CAAnB,qBAAmB,CAAnB,gBAAmB,CAAnB,wBAAmB,CAAnB,wCAAmB,CAAnB,oBAAmB,CAAnB,eAAmB,CAAnB,0DAAmB,CAAnB,4BAAmB,CAAnB,+BAAmB,CAAnB,yBAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,gCAAmB,CAAnB,kCAAmB,CAAnB,yCAAmB,CAAnB,qCAAmB,CAAnB,sCAAmB,CAAnB,8CAAmB,CAAnB,iBAAmB,CAAnB,gBAAmB,CAAnB,eAAmB,CAAnB,iBAAmB,CAAnB,+BAAmB,CAAnB,iBAAmB,CAAnB,sBAAmB,CAAnB,+DAAmB,CAAnB,wGAAmB,CAAnB,gDAAmB,CAAnB,kGAAmB,CAAnB,sDAAmB,CAAnB,+DAAmB,CAAnB,2GAAmB,CAAnB,mDAAmB,CAAnB,qGAAmB,CAAnB,yDAAmB,CAAnB,+DAAmB,CAAnB,0GAAmB,CAAnB,kDAAmB,CAAnB,oGAAmB,CAAnB,wDAAmB,CAAnB,+DAAmB,CAAnB,2GAAmB,CAAnB,mDAAmB,CAAnB,qGAAmB,CAAnB,yDAAmB,CAAnB,+DAAmB,CAAnB,yGAAmB,CAAnB,iDAAmB,CAAnB,mGAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,oDAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,mDAAmB,CAAnB,sDAAmB,CAAnB,+DAAmB,CAAnB,oDAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,kDAAmB,CAAnB,qDAAmB,CAAnB,+DAAmB,CAAnB,oDAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,kDAAmB,CAAnB,qDAAmB,CAAnB,+DAAmB,CAAnB,8GAAmB,CAAnB,uDAAmB,CAAnB,wGAAmB,CAAnB,6DAAmB,CAAnB,+DAAmB,CAAnB,wDAAmB,CAAnB,2DAAmB,CAAnB,8DAAmB,CAAnB,wFAAmB,CAAnB,wFAAmB,CAAnB,wFAAmB,CAAnB,4BAAmB,CAAnB,gCAAmB,CAAnB,gCAAmB,CAAnB,gCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,yBAAmB,CAAnB,sBAAmB,CAAnB,+CAAmB,CAAnB,yCAAmB,CAAnB,kCAAmB,CAAnB,iBAAmB,CAAnB,qCAAmB,CAAnB,+BAAmB,CAAnB,yCAAmB,CAAnB,6BAAmB,CAAnB,kCAAmB,CAAnB,+BAAmB,CAAnB,6BAAmB,CAAnB,2CAAmB,CAAnB,iCAAmB,CAAnB,6CAAmB,CAAnB,gCAAmB,CAAnB,qDAAmB,CAAnB,wBAAmB,CAAnB,gFAAmB,CAAnB,yBAAmB,CAAnB,qDAAmB,CAAnB,wBAAmB,CAAnB,wCAAmB,CAAnB,8BAAmB,CAAnB,0CAAmB,CAAnB,6BAAmB,CAAnB,wDAAmB,CAAnB,kFAAmB,CAAnB,wDAAmB,CAAnB,wBAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,gCAAmB,CAAnB,iCAAmB,CAAnB,yCAAmB,CAAnB,8DAAmB,CAAnB,yCAAmB,CAAnB,0CAAmB,CAAnB,yCAAmB,CAAnB,8BAAmB,CAAnB,kCAAmB,CAAnB,8BAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,iEAAmB,CAAnB,gEAAmB,CAAnB,gEAAmB,CAAnB,wDAAmB,CAAnB,4CAAmB,CAAnB,mCAAmB,CAAnB,sDAAmB,CAAnB,sEAAmB,CAAnB,2BAAmB,CAAnB,gDAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,wDAAmB,CAAnB,kEAAmB,CAAnB,kEAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,4DAAmB,CAAnB,4DAAmB,CAAnB,4DAAmB,CAAnB,gEAAmB,CAAnB,8DAAmB,CAAnB,gEAAmB,CAAnB,gEAAmB,CAAnB,wDAAmB,CAAnB,sDAAmB,CAAnB,8DAAmB,CAAnB,wDAAmB,CAAnB,wDAAmB,CAAnB,4CAAmB,CAAnB,2BAAmB,CAAnB,sDAAmB,CAAnB,kDAAmB,CAAnB,8DAAmB,CAAnB,8DAAmB,CAAnB,8DAAmB,CAAnB,0CAAmB,CAAnB,+BAAmB,CAAnB,gDAAmB,CAAnB,gDAAmB,CAAnB,mCAAmB,CAAnB,2CAAmB,CAAnB,qBAAmB,CAAnB,cAAmB,CAAnB,mBAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,iBAAmB,CAAnB,mBAAmB,CAAnB,iBAAmB,CAAnB,oBAAmB,CAAnB,qCAAmB,CAAnB,8BAAmB,CAAnB,oBAAmB,CAAnB,eAAmB,CAAnB,yBAAmB,CAAnB,oBAAmB,CAAnB,6BAAmB,CAAnB,qBAAmB,CAAnB,wBAAmB,CAAnB,mBAAmB,CAAnB,yBAAmB,CAAnB,oBAAmB,CAAnB,uBAAmB,CAAnB,kBAAmB,CAAnB,yBAAmB,CAAnB,oBAAmB,CAAnB,uBAAmB,CAAnB,kBAAmB,CAAnB,sBAAmB,CAAnB,aAAmB,CAAnB,+BAAmB,CAAnB,mBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,+BAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,gBAAmB,CAAnB,0BAAmB,CAAnB,iBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,yBAAmB,CAAnB,gBAAmB,CAAnB,4BAAmB,CAAnB,mBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,yBAAmB,CAAnB,gBAAmB,CAAnB,8CAAmB,CAAnB,+CAAmB,CAAnB,gDAAmB,CAAnB,+CAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,2BAAmB,CAAnB,yBAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,qCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,uBAAmB,CAAnB,wBAAmB,CAAnB,sBAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,8BAAmB,CAAnB,sCAAmB,CAAnB,qCAAmB,CAAnB,mCAAmB,CAAnB,8GAAmB,CAAnB,uIAAmB,CAAnB,0BAAmB,CAAnB,gBAAmB,CAAnB,4BAAmB,CAAnB,mBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,6BAAmB,CAAnB,yBAAmB,CAAnB,kBAAmB,CAAnB,2BAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,mBAAmB,CAAnB,yBAAmB,CAAnB,gBAAmB,CAAnB,wBAAmB,CAAnB,2BAAmB,CAAnB,0BAAmB,CAAnB,2BAAmB,CAAnB,4BAAmB,CAAnB,4BAAmB,CAAnB,8BAAmB,CAAnB,mCAAmB,CAAnB,qCAAmB,CAAnB,yBAAmB,CAAnB,8BAAmB,CAAnB,2BAAmB,CAAnB,+BAAmB,CAAnB,+BAAmB,CAAnB,iCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,6DAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,mDAAmB,CAAnB,mDAAmB,CAAnB,uDAAmB,CAAnB,uDAAmB,CAAnB,uDAAmB,CAAnB,+CAAmB,CAAnB,+CAAmB,CAAnB,+CAAmB,CAAnB,+CAAmB,CAAnB,+BAAmB,CAAnB,6CAAmB,CAAnB,qDAAmB,CAAnB,qDAAmB,CAAnB,uCAAmB,CAAnB,+CAAmB,CAAnB,iCAAmB,CAAnB,oBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,uBAAmB,CAAnB,4EAAmB,CAAnB,4FAAmB,CAAnB,qHAAmB,CAAnB,oFAAmB,CAAnB,iGAAmB,CAAnB,2CAAmB,CAAnB,kBAAmB,CAAnB,4BAAmB,CAAnB,gHAAmB,CAAnB,wGAAmB,CAAnB,sGAAmB,CAAnB,kHAAmB,CAAnB,wGAAmB,CAAnB,iCAAmB,CAAnB,2DAAmB,CAAnB,mEAAmB,CAAnB,iEAAmB,CAAnB,iEAAmB,CAAnB,yDAAmB,CAAnB,yCAAmB,CAAnB,yBAAmB,CAAnB,8LAAmB,CAAnB,oCAAmB,CAAnB,qJAAmB,CAAnB,6IAAmB,CAAnB,qKAAmB,CAAnB,kDAAmB,CAAnB,2CAAmB,CAAnB,yFAAmB,CAAnB,kDAAmB,CAAnB,kCAAmB,CAAnB,qCAAmB,CAAnB,qCAAmB,CAAnB,qCAAmB,CAAnB,0DAAmB,CAAnB,2DAAmB,CAAnB,wCAAmB,CAAnB,0BAAmB,CAAnB,8CAAmB,CAAnB,0BAAmB,CCAnB,0EA+DA,CA/DA,mDA+DA,CA/DA,2CA+DA,CA/DA,6CA+DA,CA/DA,2CA+DA,CA/DA,mDA+DA,CA/DA,iDA+DA,CA/DA,uCA+DA,CA/DA,+CA+DA,CA/DA,6DA+DA,CA/DA,mDA+DA,CA/DA,yCA+DA,CA/DA,yDA+DA,CA/DA,2CA+DA,CA/DA,mDA+DA,CA/DA,+CA+DA,CA/DA,uDA+DA,CA/DA,uDA+DA,CA/DA,gFA+DA,CA/DA,2EA+DA,CA/DA,6IA+DA,CA/DA,wGA+DA,CA/DA,wFA+DA,CA/DA,4FA+DA,CA/DA,uEA+DA,CA/DA,6EA+DA,CA/DA,uEA+DA,CA/DA,uEA+DA,CA/DA,qEA+DA,CA/DA,6EA+DA,CA/DA,6DA+DA,CA/DA,8DA+DA,CA/DA,8DA+DA,CA/DA,oEA+DA,CA/DA,oEA+DA,CA/DA,4DA+DA,CA/DA,mCA+DA,CA/DA,oCA+DA,CA/DA,yFA+DA,CA/DA,qEA+DA,CA/DA,wCA+DA,CA/DA,sDA+DA,CA/DA,oEA+DA,CA/DA,wDA+DA,CA/DA,kBA+DA,CA/DA,6HA+DA,CA/DA,wGA+DA,CA/DA,gIA+DA,CA/DA,+HA+DA,CA/DA,wGA+DA,CA/DA,8CA+DA,CA/DA,8EA+DA,CA/DA,4CA+DA,CA/DA,uDA+DA,CA/DA,sDA+DA,CA/DA,sFA+DA,CA/DA,+EA+DA,CA/DA,+EA+DA,CA/DA,+DA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,sEA+DA,CA/DA,sEA+DA,CA/DA,0DA+DA,CA/DA,kBA+DA,CA/DA,+HA+DA,CA/DA,wGA+DA,CA/DA,wFA+DA,CA/DA,kFA+DA,CA/DA,yDA+DA,CA/DA,yCA+DA,CA/DA,kFA+DA,CA/DA,oNA+DA,CA/DA,gNA+DA,CA/DA,8EA+DA,CA/DA,gFA+DA,CA/DA,0FA+DA,CA/DA,4FA+DA,CA/DA,kFA+DA,CA/DA,sKA+DA,CA/DA,wGA+DA,CA/DA,wFA+DA,CA/DA,qHA+DA,CA/DA,wEA+DA,CA/DA,iCA+DA,CA/DA,4CA+DA,CA/DA,+EA+DA,CA/DA,iDA+DA,CA/DA,oDA+DA,CA/DA,+CA+DA,CA/DA,sCA+DA,CA/DA,aA+DA,CA/DA,2CA+DA,CA/DA,kBA+DA,EA/DA,uEA+DA,CA/DA,+BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,yCA+DA,CA/DA,4CA+DA,CA/DA,4EA+DA,CA/DA,iDA+DA,CA/DA,oDA+DA,CA/DA,4EA+DA,CA/DA,mDA+DA,CA/DA,sDA+DA,CA/DA,gDA+DA,CA/DA,4BA+DA,CA/DA,kDA+DA,CA/DA,8BA+DA,CA/DA,oCA+DA,CA/DA,kBA+DA,CA/DA,mCA+DA,CA/DA,aA+DA,CA/DA,wCA+DA,CA/DA,kBA+DA,EA/DA,4FA+DA,EA/DA,sFA+DA,EA/DA,yGA+DA,CA/DA,yGA+DA,CA/DA,yGA+DA,CA/DA,kDA+DA,CA/DA,uFA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,uFA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,mFA+DA,CA/DA,2EA+DA,CA/DA,kFA+DA,CA/DA,mFA+DA,CA/DA,2EA+DA,CA/DA,6EA+DA,CA/DA,6EA+DA,CA/DA,iFA+DA,CA/DA,yEA+DA,CA/DA,yEA+DA,CA/DA,6DA+DA,CA/DA,+EA+DA,CA/DA,iEA+DA,CA/DA,iEA+DA,CA/DA,iEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,oEA+DA,CA/DA,wEA+DA,CA/DA,wEA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,gDA+DA,CA/DA,6CA+DA,CA/DA,sEA+DA,CA/DA,uCA+DA,CA/DA,oFA+DA,CA/DA,4EA+DA,CA/DA,4EA+DA,CA/DA,0EA+DA,CA/DA,iGA+DA,CA/DA,4FA+DA,CA/DA,uGA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,8EA+DA,CA/DA,+EA+DA,CA/DA,+EA+DA,CA/DA,oDA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,yFA+DA,CA/DA,uGA+DA,CA/DA,uGA+DA,CA/DA,0FA+DA,CA/DA,iFA+DA,CA/DA,iFA+DA,CA/DA,4FA+DA,CA/DA,mFA+DA,CA/DA,gGA+DA,CA/DA,qGA+DA,CA/DA,mIA+DA,CA/DA,oDA+DA,CA/DA,kBA+DA,EA/DA,qEA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,qCA+DA,CA/DA,sCA+DA,CA/DA,sCA+DA,CA/DA,uCA+DA,CA/DA,sCA+DA,CA/DA,qCA+DA,CA/DA,sBA+DA,CA/DA,0BA+DA,CA/DA,2BA+DA,CA/DA,sCA+DA,CA/DA,0BA+DA,CA/DA,sBA+DA,CA/DA,sBA+DA,CA/DA,wBA+DA,CA/DA,4BA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,4BA+DA,CA/DA,2BA+DA,CA/DA,gEA+DA,CA/DA,8DA+DA,CA/DA,gCA+DA,CA/DA,mCA+DA,CA/DA,oCA+DA,CA/DA,yCA+DA,CA/DA,oEA+DA,CA/DA,8GA+DA,CA/DA,iDA+DA,CA/DA,wGA+DA,CA/DA,uDA+DA,CA/DA,mEA+DA,CA/DA,+GA+DA,CA/DA,mDA+DA,CA/DA,yGA+DA,CA/DA,yDA+DA,CA/DA,mEA+DA,CA/DA,iDA+DA,CA/DA,oDA+DA,CA/DA,mEA+DA,CA/DA,mDA+DA,CA/DA,sDA+DA,CA/DA,mEA+DA,CA/DA,kDA+DA,CA/DA,qDA+DA,CA/DA,qCA+DA,CA/DA,sCA+DA,CA/DA,kBA+DA,CA/DA,uCA+DA,CA/DA,4BA+DA,CA/DA,yCA+DA,CA/DA,8BA+DA,CA/DA,wBA+DA,CA/DA,eA+DA,CA/DA,4BA+DA,CA/DA,kBA+DA,CA/DA,4BA+DA,CA/DA,mBA+DA,CA/DA,6BA+DA,CA/DA,oBA+DA,CA/DA,2BA+DA,CA/DA,kBA+DA,CA/DA,0BA+DA,CA/DA,aA+DA,CA/DA,+BA+DA,CA/DA,kBA+DA,CA/DA,+BA+DA,CA/DA,kBA+DA,CA/DA,6BA+DA,CA/DA,gBA+DA,CA/DA,wCA+DA,CA/DA,uCA+DA,CA/DA,8BA+DA,CA/DA,gBA+DA,CA/DA,iCA+DA,CA/DA,8BA+DA,CA/DA,mBA+DA,EA/DA,yDA+DA,CA/DA,4BA+DA,CA/DA,0BA+DA,CA/DA,sCA+DA,CA/DA,uCA+DA,CA/DA,wBA+DA,CA/DA,sCA+DA,CA/DA,wBA+DA,CA/DA,qBA+DA,CA/DA,6BA+DA,CA/DA,yCA+DA,CA/DA,4BA+DA,CA/DA,kBA+DA,CA/DA,6BA+DA,CA/DA,oBA+DA,EA/DA,gEA+DA,CA/DA,6LA+DA,CA/DA,8DA+DA,CA/DA,6LA+DA,CA/DA,uHA+DA,CA/DA,+GA+DA,CA/DA,wHA+DA,CA/DA,uHA+DA,CA/DA,+GA+DA,CA/DA,wGA+DA,CA/DA,8GA+DA,CA/DA,8GA+DA,CA/DA,sGA+DA,CA/DA,kIA+DA,CA/DA,+HA+DA,C","sources":["webpack://laravel/nova/./node_modules/tailwindcss/base.css","webpack://laravel/nova/./node_modules/tailwindcss/components.css","webpack://laravel/nova/./resources/css/nova.css","webpack://laravel/nova/./node_modules/codemirror/lib/codemirror.css","webpack://laravel/nova/./node_modules/codemirror/theme/3024-day.css","webpack://laravel/nova/./node_modules/codemirror/theme/3024-night.css","webpack://laravel/nova/./node_modules/codemirror/theme/abcdef.css","webpack://laravel/nova/./node_modules/codemirror/theme/ambiance-mobile.css","webpack://laravel/nova/./node_modules/codemirror/theme/ambiance.css","webpack://laravel/nova/./node_modules/codemirror/theme/base16-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/base16-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/bespin.css","webpack://laravel/nova/./node_modules/codemirror/theme/blackboard.css","webpack://laravel/nova/./node_modules/codemirror/theme/cobalt.css","webpack://laravel/nova/./node_modules/codemirror/theme/colorforth.css","webpack://laravel/nova/./node_modules/codemirror/theme/darcula.css","webpack://laravel/nova/./node_modules/codemirror/theme/dracula.css","webpack://laravel/nova/./node_modules/codemirror/theme/duotone-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/duotone-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/eclipse.css","webpack://laravel/nova/./node_modules/codemirror/theme/elegant.css","webpack://laravel/nova/./node_modules/codemirror/theme/erlang-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/gruvbox-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/hopscotch.css","webpack://laravel/nova/./node_modules/codemirror/theme/icecoder.css","webpack://laravel/nova/./node_modules/codemirror/theme/idea.css","webpack://laravel/nova/./node_modules/codemirror/theme/isotope.css","webpack://laravel/nova/./node_modules/codemirror/theme/lesser-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/liquibyte.css","webpack://laravel/nova/./node_modules/codemirror/theme/lucario.css","webpack://laravel/nova/./node_modules/codemirror/theme/material.css","webpack://laravel/nova/./node_modules/codemirror/theme/mbo.css","webpack://laravel/nova/./node_modules/codemirror/theme/mdn-like.css","webpack://laravel/nova/./node_modules/codemirror/theme/midnight.css","webpack://laravel/nova/./node_modules/codemirror/theme/monokai.css","webpack://laravel/nova/./node_modules/codemirror/theme/neat.css","webpack://laravel/nova/./node_modules/codemirror/theme/neo.css","webpack://laravel/nova/./node_modules/codemirror/theme/night.css","webpack://laravel/nova/./node_modules/codemirror/theme/oceanic-next.css","webpack://laravel/nova/./node_modules/codemirror/theme/panda-syntax.css","webpack://laravel/nova/./node_modules/codemirror/theme/paraiso-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/paraiso-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/pastel-on-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/railscasts.css","webpack://laravel/nova/./node_modules/codemirror/theme/rubyblue.css","webpack://laravel/nova/./node_modules/codemirror/theme/seti.css","webpack://laravel/nova/./node_modules/codemirror/theme/shadowfox.css","webpack://laravel/nova/./node_modules/codemirror/theme/solarized.css","webpack://laravel/nova/./node_modules/codemirror/theme/ssms.css","webpack://laravel/nova/./node_modules/codemirror/theme/the-matrix.css","webpack://laravel/nova/./node_modules/codemirror/theme/tomorrow-night-bright.css","webpack://laravel/nova/./node_modules/codemirror/theme/tomorrow-night-eighties.css","webpack://laravel/nova/./node_modules/codemirror/theme/ttcn.css","webpack://laravel/nova/./node_modules/codemirror/theme/twilight.css","webpack://laravel/nova/./node_modules/codemirror/theme/vibrant-ink.css","webpack://laravel/nova/./node_modules/codemirror/theme/xq-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/xq-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/yeti.css","webpack://laravel/nova/./node_modules/codemirror/theme/zenburn.css","webpack://laravel/nova/./resources/css/form.css","webpack://laravel/nova/./resources/css/fonts.css","webpack://laravel/nova/./node_modules/tailwindcss/utilities.css","webpack://laravel/nova/./resources/css/app.css"],"sourcesContent":["@tailwind base;\n","@tailwind components;\n","@import 'form.css';\n\n:root {\n accent-color: theme('colors.primary.500');\n}\n\n.visually-hidden {\n position: absolute !important;\n overflow: hidden;\n width: 1px;\n height: 1px;\n clip: rect(1px, 1px, 1px, 1px);\n}\n\n.visually-hidden:is(:focus, :focus-within) + label {\n outline: thin dotted;\n}\n\n/* Tooltip\n---------------------------------------------------------------------------- */\n.v-popper--theme-Nova .v-popper__inner {\n @apply shadow bg-white dark:bg-gray-900 text-gray-500 dark:text-white !important;\n}\n\n.v-popper--theme-Nova .v-popper__arrow-outer {\n visibility: hidden;\n}\n\n.v-popper--theme-Nova .v-popper__arrow-inner {\n visibility: hidden;\n}\n\n.v-popper--theme-tooltip .v-popper__inner {\n @apply shadow bg-white dark:bg-gray-900 text-gray-500 dark:text-white !important;\n}\n\n.v-popper--theme-tooltip .v-popper__arrow-outer {\n @apply border-white !important;\n visibility: hidden;\n}\n\n.v-popper--theme-tooltip .v-popper__arrow-inner {\n visibility: hidden;\n}\n\n/* Plain Theme */\n\n.v-popper--theme-plain .v-popper__inner {\n @apply rounded-lg shadow bg-white dark:bg-gray-900 text-gray-500 dark:text-white !important;\n}\n\n.v-popper--theme-plain .v-popper__arrow-outer {\n visibility: hidden;\n}\n\n.v-popper--theme-plain .v-popper__arrow-inner {\n visibility: hidden;\n}\n\n/* Help Text\n---------------------------------------------------------------------------- */\n.help-text {\n @apply text-xs leading-normal text-gray-500 italic;\n}\n\n.help-text-error {\n @apply text-red-500;\n}\n\n.help-text a {\n @apply text-primary-500 no-underline;\n}\n\n/* Toast Messages\n-----------------------------------------------------------------------------*/\n.toasted.alive {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n font-weight: 700;\n border-radius: 2px;\n background-color: #fff;\n color: #007fff;\n box-shadow: 0 12px 44px 0 rgba(10, 21, 84, 0.24);\n}\n\n.toasted.alive.success {\n color: #4caf50;\n}\n\n.toasted.alive.error {\n color: #f44336;\n}\n\n.toasted.alive.info {\n color: #3f51b5;\n}\n\n.toasted.alive .action {\n color: #007fff;\n}\n\n.toasted.alive .material-icons {\n color: #ffc107;\n}\n\n.toasted.material {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n background-color: #353535;\n border-radius: 2px;\n font-weight: 300;\n color: #fff;\n box-shadow: 0 1px 3px rgba(0, 0, 0, 0.12), 0 1px 2px rgba(0, 0, 0, 0.24);\n}\n\n.toasted.material.success {\n color: #4caf50;\n}\n\n.toasted.material.error {\n color: #f44336;\n}\n\n.toasted.material.info {\n color: #3f51b5;\n}\n\n.toasted.material .action {\n color: #a1c2fa;\n}\n\n.toasted.colombo {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n border-radius: 6px;\n color: #7492b1;\n border: 2px solid #7492b1;\n background: #fff;\n font-weight: 700;\n}\n\n.toasted.colombo:after {\n content: '';\n width: 8px;\n height: 8px;\n background-color: #5e7b9a;\n position: absolute;\n top: -4px;\n left: -5px;\n border-radius: 100%;\n}\n\n.toasted.colombo.success {\n color: #4caf50;\n}\n\n.toasted.colombo.error {\n color: #f44336;\n}\n\n.toasted.colombo.info {\n color: #3f51b5;\n}\n\n.toasted.colombo .action {\n color: #007fff;\n}\n\n.toasted.colombo .material-icons {\n color: #5dcccd;\n}\n\n.toasted.bootstrap {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n color: #31708f;\n background-color: #f9fbfd;\n border: 1px solid transparent;\n border-color: #d9edf7;\n border-radius: 0.25rem;\n font-weight: 700;\n box-shadow: 0 1px 3px rgba(0, 0, 0, 0.07);\n}\n\n.toasted.bootstrap.success {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d0e9c6;\n}\n\n.toasted.bootstrap.error {\n color: #a94442;\n background-color: #f2dede;\n border-color: #f2dede;\n}\n\n.toasted.bootstrap.info {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #d9edf7;\n}\n\n.toasted.venice {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n border-radius: 30px;\n color: #fff;\n background: linear-gradient(85deg, #5861bf, #a56be2);\n font-weight: 700;\n box-shadow: 0 12px 44px 0 rgba(10, 21, 84, 0.24);\n}\n\n.toasted.venice.success {\n color: #4caf50;\n}\n\n.toasted.venice.error {\n color: #f44336;\n}\n\n.toasted.venice.info {\n color: #3f51b5;\n}\n\n.toasted.venice .action {\n color: #007fff;\n}\n\n.toasted.venice .material-icons {\n color: #fff;\n}\n\n.toasted.bulma {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n background-color: #00d1b2;\n color: #fff;\n border-radius: 3px;\n font-weight: 700;\n}\n\n.toasted.bulma.success {\n color: #fff;\n background-color: #23d160;\n}\n\n.toasted.bulma.error {\n color: #a94442;\n background-color: #ff3860;\n}\n\n.toasted.bulma.info {\n color: #fff;\n background-color: #3273dc;\n}\n\n.toasted-container {\n position: fixed;\n z-index: 10000;\n}\n\n.toasted-container,\n.toasted-container.full-width {\n display: -ms-flexbox;\n display: flex;\n -ms-flex-direction: column;\n flex-direction: column;\n}\n\n.toasted-container.full-width {\n max-width: 86%;\n width: 100%;\n}\n\n.toasted-container.full-width.fit-to-screen {\n min-width: 100%;\n}\n\n.toasted-container.full-width.fit-to-screen .toasted:first-child {\n margin-top: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.top-right {\n top: 0;\n right: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.top-left {\n top: 0;\n left: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.top-center {\n top: 0;\n left: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n}\n\n.toasted-container.full-width.fit-to-screen.bottom-right {\n right: 0;\n bottom: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.bottom-left {\n left: 0;\n bottom: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.bottom-center {\n left: 0;\n bottom: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n}\n\n.toasted-container.top-right {\n top: 10%;\n right: 7%;\n}\n\n.toasted-container.top-right:not(.full-width) {\n -ms-flex-align: end;\n align-items: flex-end;\n}\n\n.toasted-container.top-left {\n top: 10%;\n left: 7%;\n}\n\n.toasted-container.top-left:not(.full-width) {\n -ms-flex-align: start;\n align-items: flex-start;\n}\n\n.toasted-container.top-center {\n top: 10%;\n left: 50%;\n -ms-flex-align: center;\n align-items: center;\n -webkit-transform: translateX(-50%);\n transform: translateX(-50%);\n}\n\n.toasted-container.bottom-right {\n right: 5%;\n bottom: 7%;\n}\n\n.toasted-container.bottom-right:not(.full-width) {\n -ms-flex-align: end;\n align-items: flex-end;\n}\n\n.toasted-container.bottom-left {\n left: 5%;\n bottom: 7%;\n}\n\n.toasted-container.bottom-left:not(.full-width) {\n -ms-flex-align: start;\n align-items: flex-start;\n}\n\n.toasted-container.bottom-center {\n left: 50%;\n bottom: 7%;\n -ms-flex-align: center;\n align-items: center;\n -webkit-transform: translateX(-50%);\n transform: translateX(-50%);\n}\n\n.toasted-container.bottom-left .toasted,\n.toasted-container.top-left .toasted {\n float: left;\n}\n\n.toasted-container.bottom-right .toasted,\n.toasted-container.top-right .toasted {\n float: right;\n}\n\n.toasted-container .toasted {\n top: 35px;\n width: auto;\n clear: both;\n margin-top: 0.8em;\n position: relative;\n max-width: 100%;\n height: auto;\n word-break: break-all;\n display: -ms-flexbox;\n display: flex;\n -ms-flex-align: center;\n align-items: center;\n -ms-flex-pack: justify;\n justify-content: space-between;\n box-sizing: inherit;\n}\n\n.toasted-container .toasted .material-icons {\n margin-right: 0.5rem;\n margin-left: -0.4rem;\n}\n\n.toasted-container .toasted .material-icons.after {\n margin-left: 0.5rem;\n margin-right: -0.4rem;\n}\n\n.toasted-container .toasted .actions-wrapper {\n margin-left: 0.4em;\n margin-right: -1.2em;\n}\n\n.toasted-container .toasted .actions-wrapper .action {\n text-decoration: none;\n font-size: 0.9rem;\n padding: 8px;\n border-radius: 3px;\n text-transform: uppercase;\n letter-spacing: 0.03em;\n font-weight: 600;\n cursor: pointer;\n margin-right: 0.2rem;\n}\n\n.toasted-container .toasted .actions-wrapper .action.icon {\n padding: 4px;\n display: -ms-flexbox;\n display: flex;\n -ms-flex-align: center;\n align-items: center;\n -ms-flex-pack: center;\n justify-content: center;\n}\n\n.toasted-container .toasted .actions-wrapper .action.icon .material-icons {\n margin-right: 0;\n margin-left: 4px;\n}\n\n.toasted-container .toasted .actions-wrapper .action.icon:hover {\n text-decoration: none;\n}\n\n.toasted-container .toasted .actions-wrapper .action:hover {\n text-decoration: underline;\n}\n\n@media only screen and (max-width: 600px) {\n #toasted-container {\n min-width: 100%;\n }\n\n #toasted-container .toasted:first-child {\n margin-top: 0;\n }\n\n #toasted-container.top-right {\n top: 0;\n right: 0;\n }\n\n #toasted-container.top-left {\n top: 0;\n left: 0;\n }\n\n #toasted-container.top-center {\n top: 0;\n left: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n }\n\n #toasted-container.bottom-right {\n right: 0;\n bottom: 0;\n }\n\n #toasted-container.bottom-left {\n left: 0;\n bottom: 0;\n }\n\n #toasted-container.bottom-center {\n left: 0;\n bottom: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n }\n\n #toasted-container.bottom-center,\n #toasted-container.top-center {\n -ms-flex-align: stretch !important;\n align-items: stretch !important;\n }\n\n #toasted-container.bottom-left .toasted,\n #toasted-container.bottom-right .toasted,\n #toasted-container.top-left .toasted,\n #toasted-container.top-right .toasted {\n float: none;\n }\n\n #toasted-container .toasted {\n border-radius: 0;\n }\n}\n\n@layer components {\n .toasted-container.top-center {\n top: 30px !important;\n }\n\n /* TODO: Dark modes for toast messages */\n .nova {\n @apply font-bold py-2 px-5 rounded-lg shadow;\n }\n\n .toasted.default {\n @apply text-primary-500 bg-primary-100 nova;\n }\n\n .toasted.success {\n @apply text-green-600 dark:text-green-400 bg-green-50 dark:bg-green-900 nova;\n }\n\n .toasted.error {\n @apply text-red-500 dark:text-red-400 bg-red-50 dark:bg-red-900 nova;\n }\n\n .toasted.info {\n @apply text-primary-500 dark:text-primary-400 bg-primary-50 dark:bg-primary-900 nova;\n }\n\n .toasted.warning {\n @apply text-yellow-600 dark:text-yellow-900 bg-yellow-50 dark:bg-yellow-600 nova;\n }\n\n .toasted .action {\n @apply font-semibold py-0 !important;\n }\n}\n\n/* Links\n---------------------------------------------------------------------------- */\n.link-default {\n @apply no-underline text-primary-500 font-bold rounded focus:outline-none focus:ring focus:ring-primary-200;\n @apply hover:text-primary-400 active:text-primary-600;\n @apply dark:ring-gray-600;\n}\n\n.link-default-error {\n @apply no-underline text-red-500 font-bold rounded focus:outline-none focus:ring focus:ring-red-200;\n @apply hover:text-red-400 active:text-red-600;\n @apply dark:ring-gray-600;\n}\n\n/* Field Wrapper\n---------------------------------------------------------------------------- */\n.field-wrapper:last-child {\n @apply border-none;\n}\n\n/* Chartist\n-----------------------------------------------------------------------------*/\n.chartist-tooltip {\n @apply bg-white dark:bg-gray-900 text-primary-500 rounded shadow font-sans !important;\n min-width: 0 !important;\n white-space: nowrap;\n padding: 0.2em 1em !important;\n}\n\n.chartist-tooltip:before {\n display: none;\n border-top-color: rgba(var(--colors-white), 1) !important;\n}\n\n/* Charts\n---------------------------------------------------------------------------- */\n/* Partition Metric */\n.ct-chart-line .ct-series-a .ct-area,\n.ct-chart-line .ct-series-a .ct-slice-donut-solid,\n.ct-chart-line .ct-series-a .ct-slice-pie {\n fill: theme('colors.primary.500') !important;\n}\n\n.ct-series-b .ct-area,\n.ct-series-b .ct-slice-donut-solid,\n.ct-series-b .ct-slice-pie {\n fill: #f99037 !important;\n}\n\n.ct-series-c .ct-area,\n.ct-series-c .ct-slice-donut-solid,\n.ct-series-c .ct-slice-pie {\n fill: #f2cb22 !important;\n}\n\n.ct-series-d .ct-area,\n.ct-series-d .ct-slice-donut-solid,\n.ct-series-d .ct-slice-pie {\n fill: #8fc15d !important;\n}\n\n.ct-series-e .ct-area,\n.ct-series-e .ct-slice-donut-solid,\n.ct-series-e .ct-slice-pie {\n fill: #098f56 !important;\n}\n\n.ct-series-f .ct-area,\n.ct-series-f .ct-slice-donut-solid,\n.ct-series-f .ct-slice-pie {\n fill: #47c1bf !important;\n}\n\n.ct-series-g .ct-area,\n.ct-series-g .ct-slice-donut-solid,\n.ct-series-g .ct-slice-pie {\n fill: #1693eb !important;\n}\n\n.ct-series-h .ct-area,\n.ct-series-h .ct-slice-donut-solid,\n.ct-series-h .ct-slice-pie {\n fill: #6474d7 !important;\n}\n\n.ct-series-i .ct-area,\n.ct-series-i .ct-slice-donut-solid,\n.ct-series-i .ct-slice-pie {\n fill: #9c6ade !important;\n}\n\n.ct-series-j .ct-area,\n.ct-series-j .ct-slice-donut-solid,\n.ct-series-j .ct-slice-pie {\n fill: #e471de !important;\n}\n\n/* Trend Metric */\n.ct-series-a .ct-bar,\n.ct-series-a .ct-line,\n.ct-series-a .ct-point {\n stroke: theme('colors.primary.500') !important;\n stroke-width: 2px;\n}\n\n.ct-series-a .ct-area,\n.ct-series-a .ct-slice-pie {\n fill: theme('colors.primary.500') !important;\n}\n\n.ct-point {\n stroke: theme('colors.primary.500') !important;\n stroke-width: 6px !important;\n}\n\n/* Trix\n---------------------------------------------------------------------------- */\ntrix-editor {\n @apply rounded-lg dark:bg-gray-900 dark:border-gray-700;\n @apply dark:focus:bg-gray-900 focus:outline-none focus:ring ring-primary-100 dark:ring-gray-700;\n}\n\n.disabled trix-editor,\n.disabled trix-toolbar {\n pointer-events: none;\n}\n\n.disabled trix-editor {\n background-color: rgba(var(--colors-gray-50), 1);\n}\n\n.dark .disabled trix-editor {\n background-color: rgba(var(--colors-gray-700), 1);\n}\n\n.disabled trix-toolbar {\n display: none !important;\n}\n\ntrix-editor:empty:not(:focus)::before {\n color: rgba(var(--colors-gray-500), 1);\n}\n\ntrix-editor.disabled {\n pointer-events: none;\n}\n\ntrix-toolbar .trix-button-row .trix-button-group {\n @apply dark:border-gray-900;\n}\n\ntrix-toolbar .trix-button-row .trix-button-group .trix-button {\n @apply dark:bg-gray-400 dark:border-gray-900 dark:hover:bg-gray-300;\n}\n\ntrix-toolbar .trix-button-row .trix-button-group .trix-button.trix-active {\n @apply dark:bg-gray-500;\n}\n\n/* Place Field\n---------------------------------------------------------------------------- */\n.modal .ap-dropdown-menu {\n position: relative !important;\n}\n\n/* KeyValue\n---------------------------------------------------------------------------- */\n.key-value-items:last-child {\n @apply rounded-b-lg bg-clip-border border-b-0;\n}\n\n.key-value-items .key-value-item:last-child > .key-value-fields {\n border-bottom: none;\n}\n\n/*rtl:begin:ignore*/\n/* CodeMirror Styles\n---------------------------------------------------------------------------- */\n.CodeMirror {\n background: unset !important;\n min-height: 50px;\n font: 14px/1.5 Menlo, Consolas, Monaco, 'Andale Mono', monospace;\n box-sizing: border-box;\n margin: auto;\n position: relative;\n z-index: 0;\n height: auto;\n width: 100%;\n color: white !important;\n @apply text-gray-500 dark:text-gray-200 !important;\n}\n\n.readonly > .CodeMirror {\n @apply bg-gray-100 !important;\n}\n\n.CodeMirror-wrap {\n padding: 0.5rem 0;\n}\n\n.markdown-fullscreen .markdown-content {\n height: calc(100vh - 30px);\n}\n\n.markdown-fullscreen .CodeMirror {\n height: 100%;\n}\n\n.CodeMirror-cursor {\n border-left: 1px solid black;\n @apply dark:border-white;\n}\n\n.cm-fat-cursor .CodeMirror-cursor {\n @apply text-black dark:text-white;\n}\n\n.cm-s-default .cm-header {\n @apply text-gray-600 dark:text-gray-300;\n}\n\n/*.CodeMirror-line,*/\n.cm-s-default .cm-variable-2,\n.cm-s-default .cm-quote,\n.cm-s-default .cm-string,\n.cm-s-default .cm-comment {\n @apply text-gray-600 dark:text-gray-300;\n}\n\n.cm-s-default .cm-link,\n.cm-s-default .cm-url {\n @apply text-gray-500 dark:text-primary-400;\n}\n\n/*rtl:end:ignore*/\n\n/* NProgress Styles\n---------------------------------------------------------------------------- */\n#nprogress {\n pointer-events: none;\n}\n\n#nprogress .bar {\n background: rgba(var(--colors-primary-500), 1);\n position: fixed;\n z-index: 1031;\n top: 0;\n left: 0;\n width: 100%;\n height: 2px;\n}\n\n/* Algolia Places Styles\n---------------------------------------------------------------------------- */\n.ap-footer-algolia svg {\n display: inherit;\n}\n\n.ap-footer-osm svg {\n display: inherit;\n}\n","/* BASICS */\n\n.CodeMirror {\n /* Set height, width, borders, and global font properties here */\n font-family: monospace;\n height: 300px;\n color: black;\n direction: ltr;\n}\n\n/* PADDING */\n\n.CodeMirror-lines {\n padding: 4px 0; /* Vertical padding around content */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n padding: 0 4px; /* Horizontal padding of content */\n}\n\n.CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n background-color: white; /* The little square between H and V scrollbars */\n}\n\n/* GUTTER */\n\n.CodeMirror-gutters {\n border-right: 1px solid #ddd;\n background-color: #f7f7f7;\n white-space: nowrap;\n}\n.CodeMirror-linenumbers {}\n.CodeMirror-linenumber {\n padding: 0 3px 0 5px;\n min-width: 20px;\n text-align: right;\n color: #999;\n white-space: nowrap;\n}\n\n.CodeMirror-guttermarker { color: black; }\n.CodeMirror-guttermarker-subtle { color: #999; }\n\n/* CURSOR */\n\n.CodeMirror-cursor {\n border-left: 1px solid black;\n border-right: none;\n width: 0;\n}\n/* Shown when moving in bi-directional text */\n.CodeMirror div.CodeMirror-secondarycursor {\n border-left: 1px solid silver;\n}\n.cm-fat-cursor .CodeMirror-cursor {\n width: auto;\n border: 0 !important;\n background: #7e7;\n}\n.cm-fat-cursor div.CodeMirror-cursors {\n z-index: 1;\n}\n.cm-fat-cursor .CodeMirror-line::selection,\n.cm-fat-cursor .CodeMirror-line > span::selection, \n.cm-fat-cursor .CodeMirror-line > span > span::selection { background: transparent; }\n.cm-fat-cursor .CodeMirror-line::-moz-selection,\n.cm-fat-cursor .CodeMirror-line > span::-moz-selection,\n.cm-fat-cursor .CodeMirror-line > span > span::-moz-selection { background: transparent; }\n.cm-fat-cursor { caret-color: transparent; }\n@-moz-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@-webkit-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n\n/* Can style cursor different in overwrite (non-insert) mode */\n.CodeMirror-overwrite .CodeMirror-cursor {}\n\n.cm-tab { display: inline-block; text-decoration: inherit; }\n\n.CodeMirror-rulers {\n position: absolute;\n left: 0; right: 0; top: -50px; bottom: 0;\n overflow: hidden;\n}\n.CodeMirror-ruler {\n border-left: 1px solid #ccc;\n top: 0; bottom: 0;\n position: absolute;\n}\n\n/* DEFAULT THEME */\n\n.cm-s-default .cm-header {color: blue;}\n.cm-s-default .cm-quote {color: #090;}\n.cm-negative {color: #d44;}\n.cm-positive {color: #292;}\n.cm-header, .cm-strong {font-weight: bold;}\n.cm-em {font-style: italic;}\n.cm-link {text-decoration: underline;}\n.cm-strikethrough {text-decoration: line-through;}\n\n.cm-s-default .cm-keyword {color: #708;}\n.cm-s-default .cm-atom {color: #219;}\n.cm-s-default .cm-number {color: #164;}\n.cm-s-default .cm-def {color: #00f;}\n.cm-s-default .cm-variable,\n.cm-s-default .cm-punctuation,\n.cm-s-default .cm-property,\n.cm-s-default .cm-operator {}\n.cm-s-default .cm-variable-2 {color: #05a;}\n.cm-s-default .cm-variable-3, .cm-s-default .cm-type {color: #085;}\n.cm-s-default .cm-comment {color: #a50;}\n.cm-s-default .cm-string {color: #a11;}\n.cm-s-default .cm-string-2 {color: #f50;}\n.cm-s-default .cm-meta {color: #555;}\n.cm-s-default .cm-qualifier {color: #555;}\n.cm-s-default .cm-builtin {color: #30a;}\n.cm-s-default .cm-bracket {color: #997;}\n.cm-s-default .cm-tag {color: #170;}\n.cm-s-default .cm-attribute {color: #00c;}\n.cm-s-default .cm-hr {color: #999;}\n.cm-s-default .cm-link {color: #00c;}\n\n.cm-s-default .cm-error {color: #f00;}\n.cm-invalidchar {color: #f00;}\n\n.CodeMirror-composing { border-bottom: 2px solid; }\n\n/* Default styles for common addons */\n\ndiv.CodeMirror span.CodeMirror-matchingbracket {color: #0b0;}\ndiv.CodeMirror span.CodeMirror-nonmatchingbracket {color: #a22;}\n.CodeMirror-matchingtag { background: rgba(255, 150, 0, .3); }\n.CodeMirror-activeline-background {background: #e8f2ff;}\n\n/* STOP */\n\n/* The rest of this file contains styles related to the mechanics of\n the editor. You probably shouldn't touch them. */\n\n.CodeMirror {\n position: relative;\n overflow: hidden;\n background: white;\n}\n\n.CodeMirror-scroll {\n overflow: scroll !important; /* Things will break if this is overridden */\n /* 50px is the magic margin used to hide the element's real scrollbars */\n /* See overflow: hidden in .CodeMirror */\n margin-bottom: -50px; margin-right: -50px;\n padding-bottom: 50px;\n height: 100%;\n outline: none; /* Prevent dragging from highlighting the element */\n position: relative;\n z-index: 0;\n}\n.CodeMirror-sizer {\n position: relative;\n border-right: 50px solid transparent;\n}\n\n/* The fake, visible scrollbars. Used to force redraw during scrolling\n before actual scrolling happens, thus preventing shaking and\n flickering artifacts. */\n.CodeMirror-vscrollbar, .CodeMirror-hscrollbar, .CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n position: absolute;\n z-index: 6;\n display: none;\n outline: none;\n}\n.CodeMirror-vscrollbar {\n right: 0; top: 0;\n overflow-x: hidden;\n overflow-y: scroll;\n}\n.CodeMirror-hscrollbar {\n bottom: 0; left: 0;\n overflow-y: hidden;\n overflow-x: scroll;\n}\n.CodeMirror-scrollbar-filler {\n right: 0; bottom: 0;\n}\n.CodeMirror-gutter-filler {\n left: 0; bottom: 0;\n}\n\n.CodeMirror-gutters {\n position: absolute; left: 0; top: 0;\n min-height: 100%;\n z-index: 3;\n}\n.CodeMirror-gutter {\n white-space: normal;\n height: 100%;\n display: inline-block;\n vertical-align: top;\n margin-bottom: -50px;\n}\n.CodeMirror-gutter-wrapper {\n position: absolute;\n z-index: 4;\n background: none !important;\n border: none !important;\n}\n.CodeMirror-gutter-background {\n position: absolute;\n top: 0; bottom: 0;\n z-index: 4;\n}\n.CodeMirror-gutter-elt {\n position: absolute;\n cursor: default;\n z-index: 4;\n}\n.CodeMirror-gutter-wrapper ::selection { background-color: transparent }\n.CodeMirror-gutter-wrapper ::-moz-selection { background-color: transparent }\n\n.CodeMirror-lines {\n cursor: text;\n min-height: 1px; /* prevents collapsing before first draw */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n /* Reset some styles that the rest of the page might have set */\n -moz-border-radius: 0; -webkit-border-radius: 0; border-radius: 0;\n border-width: 0;\n background: transparent;\n font-family: inherit;\n font-size: inherit;\n margin: 0;\n white-space: pre;\n word-wrap: normal;\n line-height: inherit;\n color: inherit;\n z-index: 2;\n position: relative;\n overflow: visible;\n -webkit-tap-highlight-color: transparent;\n -webkit-font-variant-ligatures: contextual;\n font-variant-ligatures: contextual;\n}\n.CodeMirror-wrap pre.CodeMirror-line,\n.CodeMirror-wrap pre.CodeMirror-line-like {\n word-wrap: break-word;\n white-space: pre-wrap;\n word-break: normal;\n}\n\n.CodeMirror-linebackground {\n position: absolute;\n left: 0; right: 0; top: 0; bottom: 0;\n z-index: 0;\n}\n\n.CodeMirror-linewidget {\n position: relative;\n z-index: 2;\n padding: 0.1px; /* Force widget margins to stay inside of the container */\n}\n\n.CodeMirror-widget {}\n\n.CodeMirror-rtl pre { direction: rtl; }\n\n.CodeMirror-code {\n outline: none;\n}\n\n/* Force content-box sizing for the elements where we expect it */\n.CodeMirror-scroll,\n.CodeMirror-sizer,\n.CodeMirror-gutter,\n.CodeMirror-gutters,\n.CodeMirror-linenumber {\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n}\n\n.CodeMirror-measure {\n position: absolute;\n width: 100%;\n height: 0;\n overflow: hidden;\n visibility: hidden;\n}\n\n.CodeMirror-cursor {\n position: absolute;\n pointer-events: none;\n}\n.CodeMirror-measure pre { position: static; }\n\ndiv.CodeMirror-cursors {\n visibility: hidden;\n position: relative;\n z-index: 3;\n}\ndiv.CodeMirror-dragcursors {\n visibility: visible;\n}\n\n.CodeMirror-focused div.CodeMirror-cursors {\n visibility: visible;\n}\n\n.CodeMirror-selected { background: #d9d9d9; }\n.CodeMirror-focused .CodeMirror-selected { background: #d7d4f0; }\n.CodeMirror-crosshair { cursor: crosshair; }\n.CodeMirror-line::selection, .CodeMirror-line > span::selection, .CodeMirror-line > span > span::selection { background: #d7d4f0; }\n.CodeMirror-line::-moz-selection, .CodeMirror-line > span::-moz-selection, .CodeMirror-line > span > span::-moz-selection { background: #d7d4f0; }\n\n.cm-searching {\n background-color: #ffa;\n background-color: rgba(255, 255, 0, .4);\n}\n\n/* Used to force a border model for a node */\n.cm-force-border { padding-right: .1px; }\n\n@media print {\n /* Hide the cursor when printing */\n .CodeMirror div.CodeMirror-cursors {\n visibility: hidden;\n }\n}\n\n/* See issue #2901 */\n.cm-tab-wrap-hack:after { content: ''; }\n\n/* Help users use markselection to safely style text background */\nspan.CodeMirror-selectedtext { background: none; }\n","/*\n\n Name: 3024 day\n Author: Jan T. Sott (http://github.com/idleberg)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-3024-day.CodeMirror { background: #f7f7f7; color: #3a3432; }\n.cm-s-3024-day div.CodeMirror-selected { background: #d6d5d4; }\n\n.cm-s-3024-day .CodeMirror-line::selection, .cm-s-3024-day .CodeMirror-line > span::selection, .cm-s-3024-day .CodeMirror-line > span > span::selection { background: #d6d5d4; }\n.cm-s-3024-day .CodeMirror-line::-moz-selection, .cm-s-3024-day .CodeMirror-line > span::-moz-selection, .cm-s-3024-day .CodeMirror-line > span > span::selection { background: #d9d9d9; }\n\n.cm-s-3024-day .CodeMirror-gutters { background: #f7f7f7; border-right: 0px; }\n.cm-s-3024-day .CodeMirror-guttermarker { color: #db2d20; }\n.cm-s-3024-day .CodeMirror-guttermarker-subtle { color: #807d7c; }\n.cm-s-3024-day .CodeMirror-linenumber { color: #807d7c; }\n\n.cm-s-3024-day .CodeMirror-cursor { border-left: 1px solid #5c5855; }\n\n.cm-s-3024-day span.cm-comment { color: #cdab53; }\n.cm-s-3024-day span.cm-atom { color: #a16a94; }\n.cm-s-3024-day span.cm-number { color: #a16a94; }\n\n.cm-s-3024-day span.cm-property, .cm-s-3024-day span.cm-attribute { color: #01a252; }\n.cm-s-3024-day span.cm-keyword { color: #db2d20; }\n.cm-s-3024-day span.cm-string { color: #fded02; }\n\n.cm-s-3024-day span.cm-variable { color: #01a252; }\n.cm-s-3024-day span.cm-variable-2 { color: #01a0e4; }\n.cm-s-3024-day span.cm-def { color: #e8bbd0; }\n.cm-s-3024-day span.cm-bracket { color: #3a3432; }\n.cm-s-3024-day span.cm-tag { color: #db2d20; }\n.cm-s-3024-day span.cm-link { color: #a16a94; }\n.cm-s-3024-day span.cm-error { background: #db2d20; color: #5c5855; }\n\n.cm-s-3024-day .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-3024-day .CodeMirror-matchingbracket { text-decoration: underline; color: #a16a94 !important; }\n","/*\n\n Name: 3024 night\n Author: Jan T. Sott (http://github.com/idleberg)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-3024-night.CodeMirror { background: #090300; color: #d6d5d4; }\n.cm-s-3024-night div.CodeMirror-selected { background: #3a3432; }\n.cm-s-3024-night .CodeMirror-line::selection, .cm-s-3024-night .CodeMirror-line > span::selection, .cm-s-3024-night .CodeMirror-line > span > span::selection { background: rgba(58, 52, 50, .99); }\n.cm-s-3024-night .CodeMirror-line::-moz-selection, .cm-s-3024-night .CodeMirror-line > span::-moz-selection, .cm-s-3024-night .CodeMirror-line > span > span::-moz-selection { background: rgba(58, 52, 50, .99); }\n.cm-s-3024-night .CodeMirror-gutters { background: #090300; border-right: 0px; }\n.cm-s-3024-night .CodeMirror-guttermarker { color: #db2d20; }\n.cm-s-3024-night .CodeMirror-guttermarker-subtle { color: #5c5855; }\n.cm-s-3024-night .CodeMirror-linenumber { color: #5c5855; }\n\n.cm-s-3024-night .CodeMirror-cursor { border-left: 1px solid #807d7c; }\n\n.cm-s-3024-night span.cm-comment { color: #cdab53; }\n.cm-s-3024-night span.cm-atom { color: #a16a94; }\n.cm-s-3024-night span.cm-number { color: #a16a94; }\n\n.cm-s-3024-night span.cm-property, .cm-s-3024-night span.cm-attribute { color: #01a252; }\n.cm-s-3024-night span.cm-keyword { color: #db2d20; }\n.cm-s-3024-night span.cm-string { color: #fded02; }\n\n.cm-s-3024-night span.cm-variable { color: #01a252; }\n.cm-s-3024-night span.cm-variable-2 { color: #01a0e4; }\n.cm-s-3024-night span.cm-def { color: #e8bbd0; }\n.cm-s-3024-night span.cm-bracket { color: #d6d5d4; }\n.cm-s-3024-night span.cm-tag { color: #db2d20; }\n.cm-s-3024-night span.cm-link { color: #a16a94; }\n.cm-s-3024-night span.cm-error { background: #db2d20; color: #807d7c; }\n\n.cm-s-3024-night .CodeMirror-activeline-background { background: #2F2F2F; }\n.cm-s-3024-night .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n",".cm-s-abcdef.CodeMirror { background: #0f0f0f; color: #defdef; }\n.cm-s-abcdef div.CodeMirror-selected { background: #515151; }\n.cm-s-abcdef .CodeMirror-line::selection, .cm-s-abcdef .CodeMirror-line > span::selection, .cm-s-abcdef .CodeMirror-line > span > span::selection { background: rgba(56, 56, 56, 0.99); }\n.cm-s-abcdef .CodeMirror-line::-moz-selection, .cm-s-abcdef .CodeMirror-line > span::-moz-selection, .cm-s-abcdef .CodeMirror-line > span > span::-moz-selection { background: rgba(56, 56, 56, 0.99); }\n.cm-s-abcdef .CodeMirror-gutters { background: #555; border-right: 2px solid #314151; }\n.cm-s-abcdef .CodeMirror-guttermarker { color: #222; }\n.cm-s-abcdef .CodeMirror-guttermarker-subtle { color: azure; }\n.cm-s-abcdef .CodeMirror-linenumber { color: #FFFFFF; }\n.cm-s-abcdef .CodeMirror-cursor { border-left: 1px solid #00FF00; }\n\n.cm-s-abcdef span.cm-keyword { color: darkgoldenrod; font-weight: bold; }\n.cm-s-abcdef span.cm-atom { color: #77F; }\n.cm-s-abcdef span.cm-number { color: violet; }\n.cm-s-abcdef span.cm-def { color: #fffabc; }\n.cm-s-abcdef span.cm-variable { color: #abcdef; }\n.cm-s-abcdef span.cm-variable-2 { color: #cacbcc; }\n.cm-s-abcdef span.cm-variable-3, .cm-s-abcdef span.cm-type { color: #def; }\n.cm-s-abcdef span.cm-property { color: #fedcba; }\n.cm-s-abcdef span.cm-operator { color: #ff0; }\n.cm-s-abcdef span.cm-comment { color: #7a7b7c; font-style: italic;}\n.cm-s-abcdef span.cm-string { color: #2b4; }\n.cm-s-abcdef span.cm-meta { color: #C9F; }\n.cm-s-abcdef span.cm-qualifier { color: #FFF700; }\n.cm-s-abcdef span.cm-builtin { color: #30aabc; }\n.cm-s-abcdef span.cm-bracket { color: #8a8a8a; }\n.cm-s-abcdef span.cm-tag { color: #FFDD44; }\n.cm-s-abcdef span.cm-attribute { color: #DDFF00; }\n.cm-s-abcdef span.cm-error { color: #FF0000; }\n.cm-s-abcdef span.cm-header { color: aquamarine; font-weight: bold; }\n.cm-s-abcdef span.cm-link { color: blueviolet; }\n\n.cm-s-abcdef .CodeMirror-activeline-background { background: #314151; }\n",".cm-s-ambiance.CodeMirror {\n -webkit-box-shadow: none;\n -moz-box-shadow: none;\n box-shadow: none;\n}\n","/* ambiance theme for codemirror */\n\n/* Color scheme */\n\n.cm-s-ambiance .cm-header { color: blue; }\n.cm-s-ambiance .cm-quote { color: #24C2C7; }\n\n.cm-s-ambiance .cm-keyword { color: #cda869; }\n.cm-s-ambiance .cm-atom { color: #CF7EA9; }\n.cm-s-ambiance .cm-number { color: #78CF8A; }\n.cm-s-ambiance .cm-def { color: #aac6e3; }\n.cm-s-ambiance .cm-variable { color: #ffb795; }\n.cm-s-ambiance .cm-variable-2 { color: #eed1b3; }\n.cm-s-ambiance .cm-variable-3, .cm-s-ambiance .cm-type { color: #faded3; }\n.cm-s-ambiance .cm-property { color: #eed1b3; }\n.cm-s-ambiance .cm-operator { color: #fa8d6a; }\n.cm-s-ambiance .cm-comment { color: #555; font-style:italic; }\n.cm-s-ambiance .cm-string { color: #8f9d6a; }\n.cm-s-ambiance .cm-string-2 { color: #9d937c; }\n.cm-s-ambiance .cm-meta { color: #D2A8A1; }\n.cm-s-ambiance .cm-qualifier { color: yellow; }\n.cm-s-ambiance .cm-builtin { color: #9999cc; }\n.cm-s-ambiance .cm-bracket { color: #24C2C7; }\n.cm-s-ambiance .cm-tag { color: #fee4ff; }\n.cm-s-ambiance .cm-attribute { color: #9B859D; }\n.cm-s-ambiance .cm-hr { color: pink; }\n.cm-s-ambiance .cm-link { color: #F4C20B; }\n.cm-s-ambiance .cm-special { color: #FF9D00; }\n.cm-s-ambiance .cm-error { color: #AF2018; }\n\n.cm-s-ambiance .CodeMirror-matchingbracket { color: #0f0; }\n.cm-s-ambiance .CodeMirror-nonmatchingbracket { color: #f22; }\n\n.cm-s-ambiance div.CodeMirror-selected { background: rgba(255, 255, 255, 0.15); }\n.cm-s-ambiance.CodeMirror-focused div.CodeMirror-selected { background: rgba(255, 255, 255, 0.10); }\n.cm-s-ambiance .CodeMirror-line::selection, .cm-s-ambiance .CodeMirror-line > span::selection, .cm-s-ambiance .CodeMirror-line > span > span::selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-ambiance .CodeMirror-line::-moz-selection, .cm-s-ambiance .CodeMirror-line > span::-moz-selection, .cm-s-ambiance .CodeMirror-line > span > span::-moz-selection { background: rgba(255, 255, 255, 0.10); }\n\n/* Editor styling */\n\n.cm-s-ambiance.CodeMirror {\n line-height: 1.40em;\n color: #E6E1DC;\n background-color: #202020;\n -webkit-box-shadow: inset 0 0 10px black;\n -moz-box-shadow: inset 0 0 10px black;\n box-shadow: inset 0 0 10px black;\n}\n\n.cm-s-ambiance .CodeMirror-gutters {\n background: #3D3D3D;\n border-right: 1px solid #4D4D4D;\n box-shadow: 0 10px 20px black;\n}\n\n.cm-s-ambiance .CodeMirror-linenumber {\n text-shadow: 0px 1px 1px #4d4d4d;\n color: #111;\n padding: 0 5px;\n}\n\n.cm-s-ambiance .CodeMirror-guttermarker { color: #aaa; }\n.cm-s-ambiance .CodeMirror-guttermarker-subtle { color: #111; }\n\n.cm-s-ambiance .CodeMirror-cursor { border-left: 1px solid #7991E8; }\n\n.cm-s-ambiance .CodeMirror-activeline-background {\n background: none repeat scroll 0% 0% rgba(255, 255, 255, 0.031);\n}\n\n.cm-s-ambiance.CodeMirror,\n.cm-s-ambiance .CodeMirror-gutters {\n background-image: url(\"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAMgAAADICAQAAAAHUWYVAABFFUlEQVQYGbzBCeDVU/74/6fj9HIcx/FRHx9JCFmzMyGRURhLZIkUsoeRfUjS2FNDtr6WkMhO9sm+S8maJfu+Jcsg+/o/c+Z4z/t97/vezy3z+z8ekGlnYICG/o7gdk+wmSHZ1z4pJItqapjoKXWahm8NmV6eOTbWUOp6/6a/XIg6GQqmenJ2lDHyvCFZ2cBDbmtHA043VFhHwXxClWmeYAdLhV00Bd85go8VmaFCkbVkzlQENzfBDZ5gtN7HwF0KDrTwJ0dypSOzpaKCMwQHKTIreYIxlmhXTzTWkVm+LTynZhiSBT3RZQ7aGfjGEd3qyXQ1FDymqbKxpspERQN2MiRjNZlFFQXfCNFm9nM1zpAsoYjmtRTc5ajwuaXc5xrWskT97RaKzAGe5ARHhVUsDbjKklziiX5WROcJwSNCNI+9w1Jwv4Zb2r7lCMZ4oq5C0EdTx+2GzNuKpJ+iFf38JEWkHJn9DNF7mmBDITrWEg0VWL3pHU20tSZnuqWu+R3BtYa8XxV1HO7GyD32UkOpL/yDloINFTmvtId+nmAjxRw40VMwVKiwrKLE4bK5UOVntYwhOcSSXKrJHKPJedocpGjVz/ZMIbnYUPB10/eKCrs5apqpgVmWzBYWpmtKHecJPjaUuEgRDDaU0oZghCJ6zNMQ5ZhDYx05r5v2muQdM0EILtXUsaKiQX9WMEUotagQzFbUNN6NUPC2nm5pxEWGCjMc3GdJHjSU2kORLK/JGSrkfGEIjncU/CYUnOipoYemwj8tST9NsJmB7TUVXtbUtXATJVZXBMvYeTXJfobgJUPmGMP/yFaWonaa6BcFO3nqcIqCozSZoZoSr1g4zJOzuyGnxTEX3lUEJ7WcZgme8ddaWvWJo2AJR9DZU3CUIbhCSG6ybSwN6qtJVnCU2svDTP2ZInOw2cBTrqtQahtNZn9NcJ4l2NaSmSkkP1noZWnVwkLmdUPOwLZEwy2Z3S3R+4rIG9hcbpPXHFVWcQdZkn2FOta3cKWQnNRC5g1LsJah4GCzSVsKnCOY5OAFRTBekyyryeyilhFKva75r4Mc0aWanGEaThcy31s439KKxTzJYY5WTHPU1FtIHjQU3Oip4xlNzj/lBw23dYZVliQa7WAXf4shetcQfatI+jWRDBPmyNeW6A1P5kdDgyYJlba0BIM8BZu1JfrFwItyjcAMR3K0BWOIrtMEXyhyrlVEx3ui5dUBjmB/Q3CXW85R4mBD0s7B+4q5tKUjOlb9qqmhi5AZ6GFIC5HXtOobdYGlVdMVbNJ8toNTFcHxnoL+muBagcctjWnbNMuR00uI7nQESwg5q2qqrKWIfrNUmeQocY6HuyxJV02wj36w00yhpmUFenv4p6fUkZYqLyuinx2RGOjhCXYyJF84oiU00YMOOhhquNdfbOB7gU88pY4xJO8LVdp6/q2voeB4R04vIdhSE40xZObx1HGGJ/ja0LBthFInKaLPPFzuCaYaoj8JjPME8yoyxo6zlBqkiUZYgq00OYMswbWO5NGmq+xhipxHLRW29ARjNKXO0wRnear8XSg4XFPLKEPUS1GqvyLwiuBUoa7zpZ0l5xxFwWmWZC1H5h5FwU8eQ7K+g8UcVY6TMQreVQT/8uQ8Z+ALIXnSEa2pYZQneE9RZbSBNYXfWYJzW/h/4j4Dp1tYVcFIC5019Vyi4ThPqSFCzjGWaHQTBU8q6vrVwgxP9Lkm840imWKpcLCjYTtrKuwvsKSnrvHCXGkSMk9p6lhckfRpIeis+N2PiszT+mFLspyGleUhDwcLrZqmyeylxwjBcKHEapqkmyangyLZRVOijwOtCY5SsG5zL0OwlCJ4y5KznF3EUNDDrinwiyLZRzOXtlBbK5ITHFGLp8Q0R6ab6mS7enI2cFrxOyHvOCFaT1HThS1krjCwqWeurCkk+willhCC+RSZnRXBiZaC5RXRIZYKp2lyfrHwiKPKR0JDzrdU2EFgpidawlFDR6FgXUMNa+g1FY3bUQh2cLCwosRdnuQTS/S+JVrGLeWIvtQUvONJxlqSQYYKpwoN2kaocLjdVsis4Mk80ESF2YpSkzwldjHkjFCUutI/r+EHDU8oCs6yzL3PhWiEooZdFMkymlas4AcI3KmoMMNSQ3tHzjGWCrcJJdYyZC7QFGwjRL9p+MrRkAGWzIaWCn9W0F3TsK01c2ZvQw0byvxuQU0r1lM0qJO7wW0kRIMdDTtXEdzi4VIh+EoIHm0mWtAtpCixlabgn83fKTI7anJe9ST7WIK1DMGpQmYeA58ImV6ezOGOzK2Kgq01pd60cKWiUi9Lievb/0vIDPHQ05Kzt4ddPckQBQtoaurjyHnek/nKzpQLrVgKPjIkh2v4uyezpv+Xoo7fPFXaGFp1vaLKxQ4uUpQQS5VuQs7BCq4xRJv7fwpVvvFEB3j+620haOuocqMhWd6TTPAEx+mdFNGHdranFe95WrWmIvlY4F1Dle2ECgc6cto7SryuqGGGha0tFQ5V53migUKmg6XKAo4qS3mik+0OZpAhOLeZKicacgaYcyx5hypYQE02ZA4xi/pNhOQxR4klNKyqacj+mpxnLTnnGSo85++3ZCZq6lrZkXlGEX3o+C9FieccJbZWVFjC0Yo1FZnJhoYMFoI1hEZ9r6hwg75HwzBNhbZCdJEfJwTPGzJvaKImw1yYX1HDAmpXR+ZJQ/SmgqMNVQb5vgamGwLtt7VwvP7Qk1xpiM5x5Cyv93E06MZmgs0Nya2azIKOYKCGBQQW97RmhKNKF02JZqHEJ4o58qp7X5EcZmc56trXEqzjCBZ1MFGR87Ql2tSTs6CGxS05PTzRQorkbw7aKoKXFDXsYW42VJih/q+FP2BdTzDTwVqOYB13liM50vG7wy28qagyuIXMeQI/Oqq8bcn5wJI50xH00CRntyfpL1T4hydYpoXgNiFzoIUTDZnLNRzh4TBHwbYGDvZkxmlyJloyr6tRihpeUG94GnKtIznREF0tzJG/OOr73JBcrSh1k6WuTprgLU+mnSGnv6Zge0NNz+kTDdH8nuAuTdJDCNb21LCiIuqlYbqGzT3RAoZofQfjFazkqeNWdYaGvYTM001EW2oKPvVk1ldUGSgUtHFwjKM1h9jnFcmy5lChoLNaQMGGDsYbKixlaMBmmsx1QjCfflwTfO/gckW0ruZ3jugKR3R5W9hGUWqCgxuFgsuaCHorotGKzGaeZB9DMsaTnKCpMtwTvOzhYk0rdrArKCqcaWmVk1+F372ur1YkKxgatI8Qfe1gIX9wE9FgS8ESmuABIXnRUbCapcKe+nO7slClSZFzpV/LkLncEb1qiO42fS3R855Su2mCLh62t1SYZZYVmKwIHjREF2uihTzB20JOkz7dkxzYQnK0UOU494wh+VWRc6Un2kpTaVgLDFEkJ/uhzRcI0YKGgpGWOlocBU/a4fKoJ/pEaNV6jip3+Es9VXY078rGnmAdf7t9ylPXS34RBSuYPs1UecZTU78WanhBCHpZ5sAoTz0LGZKjPf9TRypqWEiTvOFglL1fCEY3wY/++rbk7C8bWebA6p6om6PgOL2kp44TFJlVNBXae2rqqdZztOJpT87GQsE9jqCPIe9VReZuQ/CIgacsyZdCpIScSYqcZk8r+nsyCzhyfhOqHGOIvrLknC8wTpFcaYiGC/RU1NRbUeUpocQOnkRpGOrIOcNRx+1uA0UrzhSSt+VyS3SJpnFWkzNDqOFGIWcfR86DnmARTQ1HKIL33ExPiemeOhYSSjzlSUZZuE4TveoJLnBUOFof6KiysCbnAEcZgcUNTDOwkqWu3RWtmGpZwlHhJENdZ3miGz0lJlsKnjbwqSHQjpxnFDlTLLwqJPMZMjd7KrzkSG7VsxXBZE+F8YZkb01Oe00yyRK9psh5SYh29ySPKBo2ylNht7ZkZnsKenjKNJu9PNEyZpaCHv4Kt6RQsLvAVp7M9kIimmCUwGeWqLMmGuIotYMmWNpSahkhZw9FqZsVnKJhsjAHvtHMsTM9fCI06Dx/u3vfUXCqfsKRc4oFY2jMsoo/7DJDwZ1CsIKnJu+J9ldkpmiCxQx1rWjI+T9FwcWWzOuaYH0Hj7klNRVWEQpmaqosakiGNTFHdjS/qnUdmf0NJW5xsL0HhimCCZZSRzmSPTXJQ4aaztAwtZnoabebJ+htCaZ7Cm535ByoqXKbX1WRc4Eh2MkRXWzImVc96Cj4VdOKVxR84VdQsIUM8Psoou2byVHyZFuq7O8otbSQ2UAoeEWTudATLGSpZzVLlXVkPU2Jc+27lsw2jmg5T5VhbeE3BT083K9WsTTkFU/Osi0rC5lRlpwRHUiesNS0sOvmqGML1aRbPAxTJD9ZKtxuob+hhl8cwYGWpJ8nub7t5p6coYbMovZ1BTdaKn1jYD6h4GFDNFyT/Kqe1XCXphXHOKLZmuRSRdBPEfVUXQzJm5YGPGGJdvAEr7hHNdGZnuBvrpciGmopOLf5N0uVMy0FfYToJk90uUCbJupaVpO53UJXR2bVpoU00V2KOo4zMFrBd0Jtz2pa0clT5Q5L8IpQ177mWQejPMEJhuQjS10ref6HHjdEhy1P1EYR7GtO0uSsKJQYLiTnG1rVScj5lyazpqWGl5uBbRWl7m6ixGOOnEsMJR7z8J0n6KMnCdxhiNYQCoZ6CmYLnO8omC3MkW3bktlPmEt/VQQHejL3+dOE5FlPdK/Mq8hZxxJtLyRrepLThYKbLZxkSb5W52vYxNOaOxUF0yxMUPwBTYqCzy01XayYK0sJyWBLqX0MwU5CzoymRzV0EjjeUeLgDpTo6ij42ZAzvD01dHUUTPLU96MdLbBME8nFBn7zJCMtJcZokn8YoqU0FS5WFKyniHobguMcmW8N0XkWZjkyN3hqOMtS08r+/xTBwpZSZ3qiVRX8SzMHHjfUNFjgHEPmY9PL3ykEzxkSre/1ZD6z/NuznuB0RcE1TWTm9zRgfUWVJiG6yrzgmWPXC8EAR4Wxhlad0ZbgQyEz3pG5RVEwwDJH2mgKpjcTiCOzn1lfUWANFbZ2BA8balnEweJC9J0iuaeZoI+ippFCztEKVvckR2iice1JvhVytrQwUAZpgsubCPaU7xUe9vWnaOpaSBEspalykhC9bUlOMpT42ZHca6hyrqKmw/wMR8H5ZmdFoBVJb03O4UL0tSNnvIeRmkrLWqrs78gcrEn2tpcboh0UPOW3UUR9PMk4T4nnNKWmCjlrefhCwxRNztfmIQVdDElvS4m1/WuOujoZCs5XVOjtKPGokJzsYCtFYoWonSPT21DheU/wWhM19FcElwqNGOsp9Q8N/cwXaiND1MmeL1Q5XROtYYgGeFq1aTMsoMmcrKjQrOFQTQ1fmBYhmW6o8Jkjc7iDJRTBIo5kgJD5yMEYA3srCg7VFKwiVJkmRCc5ohGOKhsYMn/XBLdo5taZjlb9YAlGWRimqbCsoY7HFAXLa5I1HPRxMMsQDHFkWtRNniqT9UEeNjcE7RUlrCJ4R2CSJuqlKHWvJXjAUNcITYkenuBRB84TbeepcqTj3zZyFJzgYQdHnqfgI0ddUwS6GqWpsKWhjq9cV0vBAEMN2znq+EBfIWT+pClYw5xsTlJU6GeIBsjGmmANTzJZiIYpgrM0Oa8ZMjd7NP87jxhqGOhJlnQtjuQpB+8aEE00wZFznSJPyHxgH3HkPOsJFvYk8zqCHzTs1BYOa4J3PFU+UVRZxlHDM4YavlNUuMoRveiZA2d7grMNc2g+RbSCEKzmgYsUmWmazFJyoiOZ4KnyhKOGRzWJa0+moyV4TVHDzn51Awtqaphfk/lRQ08FX1iiqxTB/kLwd0VynKfEvI6cd4XMV5bMhZ7gZUWVzYQ6Nm2BYzxJbw3bGthEUUMfgbGeorae6DxHtJoZ6alhZ0+ytiVoK1R4z5PTrOECT/SugseEOlb1MMNR4VRNcJy+V1Hg9ONClSZFZjdHlc6W6FBLdJja2MC5hhpu0DBYEY1TFGwiFAxRRCsYkiM9JRb0JNMVkW6CZYT/2EiTGWmo8k+h4FhDNE7BvppoTSFnmCV5xZKzvcCdDo7VVPnIU+I+Rc68juApC90MwcFCsJ5hDqxgScYKreruyQwTqrzoqDCmhWi4IbhB0Yrt3RGa6GfDv52rKXWhh28dyZaWUvcZeMTBaZoSGyiCtRU5J8iviioHaErs7Jkj61syVzTTgOcUOQ8buFBTYWdL5g3T4qlpe0+wvD63heAXRfCCIed9RbCsp2CiI7raUOYOTU13N8PNHvpaGvayo4a3LLT1lDrVEPT2zLUlheB1R+ZTRfKWJ+dcocLJfi11vyJ51lLqJ0WD7tRwryezjiV5W28uJO9qykzX8JDe2lHl/9oyBwa2UMfOngpXCixvKdXTk3wrsKmiVYdZIqsoWEERjbcUNDuiaQomGoIbFdEHmsyWnuR+IeriKDVLnlawlyNHKwKlSU631PKep8J4Q+ayjkSLKYLhalNHlYvttb6fHm0p6OApsZ4l2VfdqZkjuysy6ysKLlckf1KUutCTs39bmCgEyyoasIWlVaMF7mgmWtBT8Kol5xpH9IGllo8cJdopcvZ2sImlDmMIbtDk3KIpeNiS08lQw11NFPTwVFlPP6pJ2gvRfI7gQUfmNAtf6Gs0wQxDsKGlVBdF8rCa3jzdwMaGHOsItrZk7hAyOzpK9VS06j5F49b0VNGOOfKs3lDToMsMBe9ZWtHFEgxTJLs7qrygKZjUnmCYoeAqeU6jqWuLJup4WghOdvCYJnrSkSzoyRkm5M2StQwVltPkfCAk58tET/CSg+8MUecmotMEnhBKfWBIZsg2ihruMJQaoIm+tkTLKEqspMh00w95gvFCQRtDwTT1gVDDSEVdlwqZfxoQRbK0g+tbiBZxzKlpnpypejdDwTaeOvorMk/IJE10h9CqRe28hhLbe0pMsdSwv4ZbhKivo2BjDWfL8UKJgeavwlwb5KlwhyE4u4XkGE2ytZCznKLCDZZq42VzT8HLCrpruFbIfOIINmh/qCdZ1ZBc65kLHR1Bkyf5zn6pN3SvGKIlFNGplhrO9QSXanLOMQTLCa0YJCRrCZm/CZmrLTm7WzCK4GJDiWUdFeYx1LCFg3NMd0XmCuF3Y5rITLDUsYS9zoHVzwnJoYpSTQoObyEzr4cFBNqYTopoaU/wkyLZ2lPhX/5Y95ulxGTV7KjhWrOZgl8MyUUafjYraNjNU1N3IWcjT5WzWqjwtoarHSUObGYO3GCJZpsBlnJGPd6ZYLyl1GdCA2625IwwJDP8GUKymbzuyPlZlvTUsaUh5zFDhRWFzPKKZLAlWdcQbObgF9tOqOsmB1dqcqYJmWstFbZRRI9poolmqiLnU0POvxScpah2iSL5UJNzgScY5+AuIbpO0YD3NCW+dLMszFSdFCWGqG6eVq2uYVNDdICGD6W7EPRWZEY5gpsE9rUkS3mijzzJnm6UpUFXG1hCUeVoS5WfNcFpblELL2qqrCvMvRfd45oalvKU2tiQ6ePJOVMRXase9iTtLJztPxJKLWpo2CRDcJwn2sWSLKIO1WQWNTCvpVUvOZhgSC40JD0dOctaSqzkCRbXsKlb11Oip6PCJ0IwSJM31j3akRxlP7Rwn6aGaUL0qiLnJkvB3xWZ2+Q1TfCwpQH3G0o92UzmX4o/oJNQMMSQc547wVHhdk+VCw01DFYEnTxzZKAm74QmeNNR1w6WzEhNK15VJzuCdxQ53dRUDws5KvwgBMOEgpcVNe0hZI6RXT1Jd0cyj5nsaEAHgVmGaJIlWdsc5Ui2ElrRR6jrRAttNMEAIWrTDFubkZaok7/AkzfIwfuWVq0jHzuCK4QabtLUMVPB3kJ0oyHTSVFlqMALilJf2Rf8k5aaHtMfayocLBS8L89oKoxpJvnAkDPa0qp5DAUTHKWmCcnthlou8iCKaFFLHWcINd1nyIwXqrSxMNmSs6KmoL2QrKuWtlQ5V0120xQ5vRyZS1rgFkWwhiOwiuQbR0OOVhQM9iS3tiXp4RawRPMp5tDletOOBL95MpM01dZTBM9pkn5qF010rIeHFcFZhmSGpYpTsI6nwhqe5C9ynhlpp5ophuRb6WcJFldkVnVEwwxVfrVkvnWUuNLCg5bgboFHPDlDPDmnK7hUrWiIbjadDclujlZcaokOFup4Ri1kacV6jmrrK1hN9bGwpKEBQ4Q6DvIUXOmo6U5LqQM6EPyiKNjVkPnJkDPNEaxhiFay5ExW1NXVUGqcpYYdPcGiCq7z/TSlbhL4pplWXKd7NZO5QQFrefhRQW/NHOsqcIglc4UhWklR8K0QzbAw08CBDnpbgqXdeD/QUsM4RZXDFBW6WJKe/mFPdH0LtBgiq57wFLzlyQzz82qYx5D5WJP5yVJDW01BfyHnS6HKO/reZqId1WGa4Hkh2kWodJ8i6KoIPlAj2hPt76CzXsVR6koPRzWTfKqIentatYpQw2me4AA3y1Kind3SwoOKZDcFXTwl9tWU6mfgRk9d71sKtlNwrjnYw5tC5n5LdKiGry3JKNlHEd3oaMCFHrazBPMp/uNJ+V7IudcSbeOIdjUEdwl0VHCOZo5t6YluEuaC9mQeMgSfOyKnYGFHcIeQ84yQWbuJYJpZw5CzglDH7gKnWqqM9ZTaXcN0TeYhR84eQtJT76JJ1lREe7WnnvsMmRc9FQ7SBBM9mV3lCUdmHk/S2RAMt0QjFNFqQpWjDPQ01DXWUdDBkXziKPjGEP3VP+zIWU2t7im41FOloyWzn/L6dkUy3VLDaZ6appgDLHPjJEsyvJngWEPUyVBiAaHCTEXwrLvSEbV1e1gKJniicWorC1MUrVjB3uDhJE/wgSOzk1DXpk0k73qCM8xw2UvD5kJmDUfOomqMpWCkJRlvKXGmoeBm18USjVIk04SClxTB6YrgLAPLWYK9HLUt5cmc0vYES8GnTeRc6skZbQkWdxRsIcyBRzx1DbTk9FbU0caTPOgJHhJKnOGIVhQqvKmo0llRw9sabrZkDtdg3PqaKi9oatjY8B+G371paMg6+mZFNNtQ04mWBq3rYLOmtWWQp8KJnpy9DdFensyjdqZ+yY40VJlH8wcdLzC8PZnvHMFUTZUrDTkLyQaGus5X5LzpYAf3i+e/ZlhqGqWhh6Ou6xTR9Z6oi5AZZtp7Mj2EEm8oSpxiYZCHU/1fbGdNNNRRoZMhmilEb2gqHOEJDtXkHK/JnG6IrvbPCwV3NhONVdS1thBMs1T4QOBcTWa2IzhMk2nW5Kyn9tXUtpv9RsG2msxk+ZsQzRQacJncpgke0+T8y5Fzj8BiGo7XlJjaTIlpQs7KFjpqGnKuoyEPeIKnFMkZHvopgh81ySxNFWvJWcKRs70j2FOT012IllEEO1n4pD1513Yg2ssQPOThOkvyrqHUdEXOSEsihmBbTbKX1kLBPWqWkLOqJbjB3GBIZmoa8qWl4CG/iZ7oiA72ZL7TJNeZUY7kFQftDcHHluBzRbCegzMtrRjVQpX2lgoPKKLJAkcbMl01XK2p7yhL8pCBbQ3BN2avJgKvttcrWDK3CiUOVxQ8ZP+pqXKyIxnmBymCg5vJjNfkPK4+c8cIfK8ocVt7kmfd/I5SR1hKvCzUtb+lhgc00ZaO6CyhIQP1Uv4yIZjload72PXX0OIJvnFU+0Zf6MhsJwTfW0r0UwQfW4LNLZl5HK261JCZ4qnBaAreVAS3WrjV0LBnNDUNNDToCEeFfwgcb4gOEqLRhirWkexrCEYKVV711DLYEE1XBEsp5tpTGjorkomKYF9FDXv7fR3BGwbettSxnyL53MBPjsxDZjMh+VUW9NRxq1DhVk+FSxQcaGjV9Pawv6eGByw5qzoy7xk4RsOShqjJwWKe/1pEEfzkobeD/dQJmpqedcyBTy2sr4nGNRH0c0SPWTLrqAc0OQcb/gemKgqucQT7ySWKCn2EUotoCvpZct7RO2sy/QW0IWcXd7pQRQyZVwT2USRO87uhjioTLKV2brpMUcMQRbKH/N2T+UlTpaMls6cmc6CCNy3JdYYSUzzJQ4oSD3oKLncULOiJvjBEC2oqnCJkJluCYy2ZQ5so9YYlZ1VLlQU1mXEW1jZERwj/MUSRc24TdexlqLKfQBtDTScJUV8FszXBEY5ktpD5Ur9hYB4Nb1iikw3JoYpkKX+RodRKFt53MMuRnKSpY31PwYaGaILh3wxJGz9TkTPEETxoCWZrgvOlmyMzxFEwVJE5xZKzvyJ4WxEc16Gd4Xe3Weq4XH2jKRikqOkGQ87hQnC7wBmGYLAnesX3M+S87eFATauuN+Qcrh7xIxXJbUIdMw3JGE3ylCWzrieaqCn4zhGM19TQ3z1oH1AX+pWEqIc7wNGAkULBo/ZxRaV9NNyh4Br3rCHZzbzmSfawBL0dNRwpW1kK9mxPXR9povcdrGSZK9c2k0xwFGzjuniCtRSZCZ6ccZ7gaktmgAOtKbG/JnOkJrjcQTdFMsxRQ2cLY3WTIrlCw1eWKn8R6pvt4GFDso3QoL4a3nLk3G6JrtME3dSenpx7PNFTmga0EaJTLQ061sEeQoWXhSo9LTXsaSjoJQRXeZLtDclbCrYzfzHHeaKjHCVOUkQHO3JeEepr56mhiyaYYKjjNU+Fed1wS5VlhWSqI/hYUdDOkaxiKehoyOnrCV5yBHtbWFqTHCCwtpDcYolesVR5yUzTZBb3RNMd0d6WP+SvhuBmRcGxnuQzT95IC285cr41cLGQ6aJJhmi4TMGempxeimBRQw1tFKV+8jd6KuzoSTqqDxzRtpZkurvKEHxlqXKRIjjfUNNXQsNOsRScoWFLT+YeRZVD3GRN0MdQcKqQjHDMrdGGVu3iYJpQx3WGUvfbmxwFfR20WBq0oYY7LMFhhgYtr8jpaEnaOzjawWWaTP8mMr0t/EPDPoqcnxTBI5o58L7uoWnMrpoqPwgVrlAUWE+V+TQl9rawoyP6QGAlQw2TPRX+YSkxyBC8Z6jhHkXBgQL7WII3DVFnRfCrBfxewv9D6xsyjys4VkhWb9pUU627JllV0YDNHMku/ldNMMXDEo4aFnAkk4U6frNEU4XgZUPmEKHUl44KrzmYamjAbh0JFvGnaTLPu1s9jPCwjFpYiN7z1DTOk/nc07CfDFzmCf7i+bfNHXhDtLeBXzTBT5rkMvWOIxpl4EMh2LGJBu2syDnAEx2naEhHDWMMzPZEhygyS1mS5RTJr5ZkoKbEUoYqr2kqdDUE8ztK7OaIntJkFrIECwv8LJTaVx5XJE86go8dFeZ3FN3rjabCAYpoYEeC9zzJVULBbmZhDyd7ko09ydpNZ3nm2Kee4FPPXHnYEF1nqOFEC08LUVcDvYXkJHW8gTaKCk9YGOeIJhqiE4ToPEepdp7IWFjdwnWaufGMwJJCMtUTTBBK9BGCOy2tGGrJTHIwyEOzp6aPzNMOtlZkDvcEWpP5SVNhfkvDxhmSazTJXYrM9U1E0xwFVwqZQwzJxw6+kGGGUj2FglGGmnb1/G51udRSMNlTw6GGnCcUwVcOpmsqTHa06o72sw1RL02p9z0VbnMLOaIX3QKaYKSCFQzBKEUNHTSc48k53RH9wxGMtpQa5KjjW0W0n6XCCCG4yxNNdhQ4R4l1Ff+2sSd6UFHiIEOyqqFgT01mEUMD+joy75jPhOA+oVVLm309FR4yVOlp4RhLiScNmSmaYF5Pw0STrOIoWMSR2UkRXOMp+M4SHW8o8Zoi6OZgjKOaFar8zZDzkWzvKOjkKBjmCXby8JahhjXULY4KlzgKLvAwxVGhvyd4zxB1d9T0piazmKLCVZY5sKiD0y2ZSYrkUEPUbIk+dlQ4SJHTR50k1DPaUWIdTZW9NJwnJMOECgd7ou/MnppMJ02O1VT4Wsh85MnZzcFTngpXGKo84qmwgKbCL/orR/SzJ2crA+t6Mp94KvxJUeIbT3CQu1uIdlQEOzlKfS3UMcrTiFmOuroocrZrT2AcmamOKg8YomeEKm/rlT2sociMaybaUlFhuqHCM2qIJ+rg4EcDFymiDSxzaHdPcpE62pD5kyM5SBMoA1PaUtfIthS85ig1VPiPPYXgYEMNk4Qq7TXBgo7oT57gPUdwgCHzhIVFPFU6OYJzHAX9m5oNrVjeE61miDrqQ4VSa1oiURTsKHC0IfjNwU2WzK6eqK8jWln4g15TVBnqmDteCJ501PGAocJhhqjZdtBEB6lnhLreFJKxmlKbeGrqLiSThVIbCdGzloasa6lpMQXHCME2boLpJgT7yWaemu6wBONbqGNVRS0PKIL7LckbjmQtR7K8I5qtqel+T/ChJTNIKLjdUMNIRyvOEko9YYl2cwQveBikCNawJKcLBbc7+JM92mysNvd/Fqp8a0k6CNEe7cnZrxlW0wQXaXjaktnRwNOGZKYiONwS7a1JVheq3WgJHlQUGKHKmp4KAxXR/ULURcNgoa4zhKSLpZR3kxRRb0NmD0OFn+UCS7CzI1nbP6+o4x47QZE5xRCt3ZagnYcvmpYQktXdk5YKXTzBC57kKEe0VVuiSYqapssMS3C9p2CKkHOg8B8Pa8p5atrIw3qezIWanMGa5HRDNF6RM9wcacl0N+Q8Z8hsIkSnaIIdHRUOEebAPy1zbCkhM062FCJtif7PU+UtoVXzWKqM1PxXO8cfdruhFQ/a6x3JKYagvVDhQEtNiyiiSQ7OsuRsZUku0CRNDs4Sog6KKjsZgk2bYJqijgsEenoKeniinRXBn/U3lgpPdyDZynQx8IiioMnCep5Ky8mjGs6Wty0l1hUQTcNWswS3WRp2kCNZwJG8omG8JphPUaFbC8lEfabwP7VtM9yoaNCAjpR41VNhrD9LkbN722v0CoZMByFzhaW+MyzRYEWFDQwN2M4/JiT76PuljT3VU/A36eaIThb+R9oZGOAJ9tewkgGvqOMNRWYjT/Cwu99Q8LqDE4TgbLWxJ1jaDDAERsFOFrobgjUsBScaguXU8kKm2RL19tRypSHnHNlHiIZqgufs4opgQdVdwxBNNFBR6kVFqb8ogimOzB6a6HTzrlDHEpYaxjiiA4TMQobkDg2vejjfwJGWmnbVFAw3H3hq2NyQfG7hz4aC+w3BbwbesG0swYayvpAs6++Ri1Vfzx93mFChvyN5xVHTS+0p9aqCAxyZ6ZacZyw5+7uuQkFPR9DDk9NOiE7X1PCYJVjVUqq7JlrHwWALF5nfHNGjApdpqgzx5OwilDhCiDYTgnc9waGW4BdLNNUQvOtpzDOWHDH8D7TR/A/85KljEQu3NREc4Pl/6B1Hhc8Umb5CsKMmGC9EPcxoT2amwHNCmeOEnOPbklnMkbOgIvO5UMOpQrS9UGVdt6iH/fURjhI/WOpaW9OKLYRod6HCUEdOX000wpDZQ6hwg6LgZfOqo1RfT/CrJzjekXOGhpc1VW71ZLbXyyp+93ILbC1kPtIEYx0FIx1VDrLoVzXRKRYWk809yYlC9ImcrinxtabKnzRJk3lAU1OLEN1j2zrYzr2myHRXJFf4h4QKT1qSTzTB5+ZNTzTRkAxX8FcLV2uS8eoQQ2aAkFzvCM72sJIcJET3WPjRk5wi32uSS9rfZajpWEvj9hW42F4o5NytSXYy8IKHay10VYdrcl4SkqscrXpMwyGOgtkajheSxdQqmpxP1L3t4R5PqasFnrQEjytq6qgp9Y09Qx9o4S1FzhUCn1kyHSzBWLemoSGvOqLNhZyBjmCaAUYpMgt4Ck7wBBMMwWKWgjsUwTaGVsxWC1mYoKiyqqeGKYqonSIRQ3KIkHO0pmAxTdBHkbOvfllfr+AA+7gnc50huVKYK393FOyg7rbPO/izI7hE4CnHHHnJ0ogNPRUGeUpsrZZTBJcrovUcJe51BPsr6GkJdhCCsZ6aTtMEb2pqWkqeVtDXE/QVggsU/Nl86d9RMF3DxvZTA58agu810RWawCiSzzXBeU3MMW9oyJUedvNEvQyNu1f10BSMddR1vaLCYpYa/mGocLSiYDcLbQz8aMn5iyF4xBNMs1P0QEOV7o5gaWGuzSeLue4tt3ro7y4Tgm4G/mopdZgl6q0o6KzJWE3mMksNr3r+a6CbT8g5wZNzT9O7fi/zpaOmnz3BRoqos+tv9zMbdpxsqDBOEewtJLt7cg5wtKKbvldpSzRRCD43VFheCI7yZLppggMVBS/KMAdHODJvOwq2NQSbKKKPLdFWQs7Fqo+mpl01JXYRgq8dnGLhTiFzqmWsUMdpllZdbKlyvSdYxhI9YghOtxR8LgSLWHK62mGGVoxzBE8LNWzqH9CUesQzFy5RQzTc56mhi6fgXEWwpKfE5Z7M05ZgZUPmo6auiv8YKzDYwWBLMErIbKHJvOwIrvEdhOBcQ9JdU1NHQ7CXn2XIDFBKU2WAgcX9UAUzDXWd5alwuyJ41Z9rjKLCL4aCp4WarhPm2rH+SaHUYE001JDZ2ZAzXPjdMpZWvC9wmqIB2lLhQ01D5jO06hghWMndbM7yRJMsoCj1vYbnFQVrW9jak3OlEJ3s/96+p33dEPRV5GxiqaGjIthUU6FFEZyqCa5qJrpBdzSw95IUnOPIrCUUjRZQFrbw5PR0R1qiYx3cb6nrWUMrBmmiBQxVHtTew5ICP/ip6g4hed/Akob/32wvBHsIOX83cI8hGeNeNPCIkPmXe8fPKx84OMSRM1MTdXSwjCZ4S30jVGhvqTRak/OVhgGazHuOCud5onEO1lJr6ecVyaOK6H7zqlBlIaHE0oroCgfvGJIdPcmfLNGLjpz7hZwZQpUbFME0A1cIJa7VNORkgfsMBatbKgwwJM9bSvQXeNOvbIjelg6WWvo5kvbKaJJNHexkKNHL9xRyFlH8Ti2riB5wVPhUk7nGkJnoCe428LR/wRGdYIlmWebCyxou1rCk4g/ShugBDX0V0ZQWkh0dOVsagkM0yV6OoLd5ye+pRlsCr0n+KiQrGuq5yJDzrTAXHtLUMduTDBVKrSm3eHL+6ijxhFDX9Z5gVU/wliHYTMiMFpKLNMEywu80wd3meoFmt6VbRMPenhrOc6DVe4pgXU8DnnHakLOIIrlF4FZPIw6R+zxBP0dyq6OOZ4Q5sLKCcz084ok+VsMMyQhNZmmBgX5xIXOEJTmi7VsGTvMTNdHHhpzdbE8Du2oKxgvBqQKdDDnTFOylCFaxR1syz2iqrOI/FEpNc3C6f11/7+ASS6l2inq2ciTrCCzgyemrCL5SVPjQkdPZUmGy2c9Sw9FtR1sS30RmsKPCS4rkIC/2U0MduwucYolGaPjKEyhzmiPYXagyWbYz8LWBDdzRimAXzxx4z8K9hpzlhLq+NiQ97HuKorMUfK/OVvC2JfiHUPCQI/q7J2gjK+tTDNxkCc4TMssqCs4TGtLVwQihyoAWgj9bosU80XGW6Ac9TJGziaUh5+hnFcHOnlaM1iRn29NaqGENTTTSUHCH2tWTeV0osUhH6psuVLjRUmGWhm6OZEshGeNowABHcJ2Bpy2ZszRcKkRXd2QuKVEeXnbfaEq825FguqfgfE2whlChSRMdron+LATTPQ2Z369t4B9C5gs/ylzv+CMmepIDPclFQl13W0rspPd1JOcbghGOEutqCv5qacURQl3dDKyvyJlqKXGPgcM9FfawJAMVmdcspcYKOZc4GjDYkFlK05olNMHyHn4zFNykyOxt99RkHlfwmiHo60l2EKI+mhreEKp080Tbug08BVPcgoqC5zWt+NLDTZ7oNSF51N1qie7Va3uCCwyZbkINf/NED6jzOsBdZjFN8oqG3wxVunqCSYYKf3EdhJyf9YWGf7tRU2oH3VHgPr1fe5J9hOgHd7xQ0y7qBwXr23aGErP0cm64JVjZwsOGqL+mhNgZmhJLW2oY4UhedsyBgzrCKrq7BmcpNVhR6jBPq64Vgi+kn6XE68pp8J5/+0wRHGOpsKenQn9DZntPzjRLZpDAdD2fnSgkG9tmIXnUwQ6WVighs7Yi2MxQ0N3CqYaCXkJ0oyOztMDJjmSSpcpvlrk0RMMOjmArQ04PRV1DO1FwhCVaUVPpKUM03JK5SxPsIWRu8/CGHi8UHChiqGFDTbSRJWeYUDDcH6vJWUxR4k1FXbMUwV6e4AJFXS8oMqsZKqzvYQ9DDQdZckY4aGsIhtlubbd2r3j4QBMoTamdPZk7O/Bf62lacZwneNjQoGcdVU7zJOd7ghsUHOkosagic6cnWc8+4gg285R6zZP5s1/LUbCKIznTwK36PkdwlOrl4U1LwfdCCa+IrvFkmgw1PCAUXKWo0sURXWcI2muKJlgyFzhynCY4RBOsqCjoI1R5zREco0n2Vt09BQtYSizgKNHfUmUrQ5UOCh51BFcLmY7umhYqXKQomOop8bUnWNNQcIiBcYaC6xzMNOS8JQQfeqKBmmglB+97ok/lfk3ygaHSyZaCRTzRxQo6GzLfa2jWBPepw+UmT7SQEJyiyRkhBLMVOfcoMjcK0eZChfUNzFAUzCsEN5vP/X1uP/n/aoMX+K+nw/Hjr/9xOo7j7Pju61tLcgvJpTWXNbfN5jLpi6VfCOviTktKlFusQixdEKWmEBUKNaIpjZRSSOXSgzaaKLdabrm1/9nZ+/f+vd/vz/v9+Xy+zZ7PRorYoZqyLrCwQdEAixxVOEXNNnjX2nUSRlkqGmWowk8lxR50JPy9Bo6qJXaXwNvREBvnThPEPrewryLhcAnj5WE15Fqi8W7R1sAuEu86S4ENikItFN4xkv9Af4nXSnUVcLiA9xzesFpivRRVeFKtsMRaKBhuSbjOELnAUtlSQUpXgdfB4Z1oSbnFEetbQ0IrAe+Y+pqnDcEJFj6S8LDZzZHwY4e3XONNlARraomNEt2bkvGsosA3ioyHm+6jCMbI59wqt4eeara28IzEmyPgoRaUOEDhTVdEJhmCoTWfC0p8aNkCp0oYqih2iqGi4yXeMkOsn4LdLLnmKfh/YogjNsPebeFGR4m9BJHLzB61XQ3BtpISfS2FugsK9FAtLWX1dCRcrCnUp44CNzuCowUZmxSRgYaE6Za0W2u/E7CVXCiI/UOR8aAm1+OSyE3mOUcwyc1zBBeoX1kiKy0Zfxck1Gsyulti11i83QTBF5Kg3pDQThFMVHiPSlK+0cSedng/VaS8bOZbtsBcTcZAR8JP5KeqQ1OYKAi20njdNNRpgnsU//K+JnaXJaGTomr7aYIphoRn9aeShJWKEq9LcozSF7QleEfDI5LYm5bgVkFkRwVDBCVu0DDIkGupo8TZBq+/pMQURYErJQmPKGKjNDkWOLx7Jd5QizdUweIaKrlP7SwJDhZvONjLkOsBBX9UpGxnydhXkfBLQ8IxgojQbLFnJf81JytSljclYYyEFyx0kVBvKWOFJmONpshGAcsduQY5giVNCV51eOdJYo/pLhbvM0uDHSevNKRcrKZIqnCtJeEsO95RoqcgGK4ocZcho1tTYtcZvH41pNQ7vA0WrhIfOSraIIntIAi+NXWCErdbkvrWwjRLrt0NKUdL6KSOscTOdMSOUtBHwL6OLA0vNSdynaWQEnCpIvKaIrJJEbvHkmuNhn6OjM8VkSGSqn1uYJCGHnq9I3aLhNME3t6GjIkO7xrNFumpyTNX/NrwX7CrIRiqqWijI9JO4d1iieykyfiposQIQ8YjjsjlBh6oHWbwRjgYJQn2NgSnNycmJAk3NiXhx44Sxykihxm8ybUwT1OVKySc7vi3OXVkdBJ4AyXBeksDXG0IhgtYY0lY5ahCD0ehborIk5aUWRJviMA7Xt5kyRjonrXENkm8yYqgs8VzgrJmClK20uMM3jRJ0FiQICQF9hdETlLQWRIb5ki6WDfWRPobvO6a4GP5mcOrNzDFELtTkONLh9dXE8xypEg7z8A9jkhrQ6Fhjlg/QVktJXxt4WXzT/03Q8IaQWSqIuEvloQ2mqC9Jfi7wRul4RX3pSPlzpoVlmCtI2jvKHCFhjcM3sN6lqF6HxnKelLjXWbwrpR4xzuCrTUZx2qq9oAh8p6ixCUGr78g8oyjRAtB5CZFwi80VerVpI0h+IeBxa6Zg6kWvpDHaioYYuEsRbDC3eOmC2JvGYLeioxGknL2UATNJN6hmtj1DlpLvDVmocYbrGCVJKOrg4X6DgddLA203BKMFngdJJFtFd7vJLm6KEpc5yjQrkk7M80SGe34X24nSex1Ra5Omgb71JKyg8SrU3i/kARKwWpH0kOGhKkObyfd0ZGjvyXlAkVZ4xRbYJ2irFMkFY1SwyWxr2oo4zlNiV+7zmaweFpT4kR3kaDAFW6xpSqzJay05FtYR4HmZhc9UxKbbfF2V8RG1MBmSaE+kmC6JnaRXK9gsiXhJHl/U0qM0WTcbyhwkYIvFGwjSbjfwhiJt8ZSQU+Bd5+marPMOkVkD0muxYLIfEuhh60x/J92itguihJSEMySVPQnTewnEm+620rTQEMsOfo4/kP/0ARvWjitlpSX7GxBgcMEsd3EEeYWvdytd+Saawi6aCIj1CkGb6Aj9rwhx16Cf3vAwFy5pyLhVonXzy51FDpdEblbkdJbUcEPDEFzQ8qNmhzzLTmmKWKbFCXeEuRabp6rxbvAtLF442QjQ+wEA9eL1xSR7Q0JXzlSHjJ4exq89yR0laScJ/FW6z4a73pFMEfDiRZvuvijIt86RaSFOl01riV2mD1UEvxGk/Geg5aWwGki1zgKPG9J2U8PEg8qYvMsZeytiTRXBMslCU8JSlxi8EabjwUldlDNLfzTUmCgxWsjqWCOHavYAqsknKFIO0yQ61VL5AVFxk6WhEaCAkdJgt9aSkzXlKNX2jEa79waYuc7gq0N3GDJGCBhoiTXUEPsdknCUE1CK0fwsiaylSF2uiDyO4XX3pFhNd7R4itFGc0k/ElBZwWvq+GC6szVeEoS/MZ+qylwpKNKv9Z469UOjqCjwlusicyTxG6VpNxcQ8IncoR4RhLbR+NdpGGmJWOcIzJGUuKPGpQg8rrG21dOMqQssJQ4RxH5jaUqnZuQ0F4Q+cjxLwPtpZbIAk3QTJHQWBE5S1BokoVtDd6lhqr9UpHSUxMcIYl9pojsb8h4SBOsMQcqvOWC2E8EVehqiJ1hrrAEbQxeK0NGZ0Gkq+guSRgniM23bIHVkqwx4hiHd7smaOyglyIyQuM978j4VS08J/A2G1KeMBRo4fBaSNhKUEZfQewVQ/C1I+MgfbEleEzCUw7mKXI0M3hd1EESVji8x5uQ41nxs1q4RMJCCXs7Iq9acpxn22oSDnQ/sJTxsCbHIYZiLyhY05TY0ZLIOQrGaSJDDN4t8pVaIrsqqFdEegtizc1iTew5Q4ayBDMUsQMkXocaYkc0hZua412siZ1rSXlR460zRJ5SlHGe5j801RLMlJTxtaOM3Q1pvxJ45zUlWFD7rsAbpfEm1JHxG0eh8w2R7QQVzBUw28FhFp5QZzq8t2rx2joqulYTWSuJdTYfWwqMFMcovFmSyJPNyLhE4E10pHzYjOC3huArRa571ZsGajQpQx38SBP5pyZB6lMU3khDnp0MBV51BE9o2E+TY5Ml2E8S7C0o6w1xvCZjf0HkVEHCzFoyNmqC+9wdcqN+Tp7jSDheE9ws8Y5V0NJCn2bk2tqSY4okdrEhx1iDN8cSudwepWmAGXKcJXK65H9to8jYQRH7SBF01ESUJdd0TayVInaWhLkOjlXE5irKGOnI6GSWGCJa482zBI9rCr0jyTVcEuzriC1vcr6mwFGSiqy5zMwxBH/TJHwjSPhL8+01kaaSUuMFKTcLEvaUePcrSmwn8DZrgikWb7CGPxkSjhQwrRk57tctmxLsb9sZvL9LSlyuSLlWkqOjwduo8b6Uv1DkmudIeFF2dHCgxVtk8dpIvHpBxhEOdhKk7OLIUSdJ+cSRY57B+0DgGUUlNfpthTfGkauzxrvTsUUaCVhlKeteTXCoJDCa2NOKhOmC4G1H8JBd4OBZReSRGkqcb/CO1PyLJTLB4j1q8JYaIutEjSLX8YKM+a6phdMsdLFUoV5RTm9JSkuDN8WcIon0NZMNZWh1q8C7SJEwV5HxrmnnTrf3KoJBlmCYI2ilSLlfEvlE4011NNgjgthzEua0oKK7JLE7HZHlEl60BLMVFewg4EWNt0ThrVNEVkkiTwpKXSWJzdRENgvKGq4IhjsiezgSFtsfCUq8qki5S1LRQeYQQ4nemmCkImWMw3tFUoUBZk4NOeZYEp4XRKTGa6wJjrWNHBVJR4m3FCnbuD6aak2WsMTh3SZImGCIPKNgsDpVwnsa70K31lCFJZYcwwSMFcQulGTsZuEaSdBXkPGZhu0FsdUO73RHjq8MPGGIfaGIbVTk6iuI3GFgucHrIQkmWSJdBd7BBu+uOryWAhY7+Lki9rK5wtEQzWwvtbqGhIMFwWRJsElsY4m9IIg9L6lCX0VklaPAYkfkZEGDnOWowlBJjtMUkcGK4Lg6EtoZInMUBVYLgn0UsdmCyCz7gIGHFfk+k1QwTh5We7A9x+IdJ6CvIkEagms0hR50eH9UnTQJ+2oiKyVlLFUE+8gBGu8MQ3CppUHesnjTHN4QB/UGPhCTHLFPHMFrCqa73gqObUJGa03wgbhHkrCfpEpzNLE7JDS25FMKhlhKKWKfCgqstLCPu1zBXy0J2ztwjtixBu8UTRn9LVtkmCN2iyFhtME70JHRQ1KVZXqKI/KNIKYMCYs1GUMEKbM1bKOI9LDXC7zbHS+bt+1MTWS9odA9DtrYtpbImQJ2VHh/lisEwaHqUk1kjKTAKknkBEXkbkdMGwq0dnhzLJF3NJH3JVwrqOB4Sca2hti75nmJN0WzxS6UxDYoEpxpa4htVlRjkYE7DZGzJVU72uC9IyhQL4i8YfGWSYLLNcHXloyz7QhNifmKSE9JgfGmuyLhc403Xm9vqcp6gXe3xuuv8F6VJNxkyTHEkHG2g0aKXL0MsXc1bGfgas2//dCONXiNLCX+5mB7eZIl1kHh7ajwpikyzlUUWOVOsjSQlsS+M0R+pPje/dzBXRZGO0rMtgQrLLG9VSu9n6CMXS3BhwYmSoIBhsjNBmZbgusE9BCPCP5triU4VhNbJfE+swSP27aayE8tuTpYYjtrYjMVGZdp2NpS1s6aBnKSHDsbKuplKbHM4a0wMFd/5/DmGyKrJSUaW4IBrqUhx0vyfzTBBLPIUcnZdrAkNsKR0sWRspumSns6Ch0v/qqIbBYUWKvPU/CFoyrDJGwSNFhbA/MlzKqjrO80hRbpKx0Jewsi/STftwGSlKc1JZyAzx05dhLEdnfQvhZOqiHWWEAHC7+30FuRcZUgaO5gpaIK+xsiHRUsqaPElTV40xQZQ107Q9BZE1nryDVGU9ZSQ47bmhBpLcYpUt7S+xuK/FiT8qKjwXYw5ypS2iuCv7q1gtgjhuBuB8LCFY5cUuCNtsQOFcT+4Ih9JX+k8Ea6v0iCIRZOtCT0Et00JW5UeC85Cg0ScK0k411HcG1zKtre3SeITBRk7WfwDhEvaYLTHP9le0m8By0JDwn4TlLW/aJOvGHxdjYUes+ScZigCkYQdNdEOhkiezgShqkx8ueKjI8lDfK2oNiOFvrZH1hS+tk7NV7nOmLHicGWEgubkXKdwdtZknCLJXaCpkrjZBtLZFsDP9CdxWsSr05Sxl6CMmoFbCOgryX40uDtamB7SVmXW4Ihlgpmq+00tBKUUa83WbjLUNkzDmY7cow1JDygyPGlhgGKYKz4vcV7QBNbJIgM11TUqZaMdwTeSguH6rOaw1JRKzaaGyxVm2EJ/uCIrVWUcZUkcp2grMsEjK+DMwS59jQk3Kd6SEq1d0S6uVmO4Bc1lDXTUcHjluCXEq+1OlBDj1pi9zgiXxnKuE0SqTXwhqbETW6RggMEnGl/q49UT2iCzgJvRwVXS2K/d6+ZkyUl7jawSVLit46EwxVljDZwoSQ20sDBihztHfk2yA8NVZghiXwrYHQdfKAOtzsayjhY9bY0yE2CWEeJ9xfzO423xhL5syS2TFJofO2pboHob0nY4GiAgRrvGQEDa/FWSsoaaYl0syRsEt3kWoH3B01shCXhTUWe9w3Bt44SC9QCh3eShQctwbaK2ApLroGCMlZrYqvlY3qYhM0aXpFkPOuoqJ3Dm6fxXrGwVF9gCWZagjPqznfkuMKQ8DPTQRO8ZqG1hPGKEm9IgpGW4DZDgTNriTxvFiq+Lz+0cKfp4wj6OCK9JSnzNSn9LFU7UhKZZMnYwcJ8s8yRsECScK4j5UOB95HFO0CzhY4xJxuCix0lDlEUeMdS6EZBkTsUkZ4K74dugyTXS7aNgL8aqjDfkCE0ZbwkCXpaWCKhl8P7VD5jxykivSyxyZrYERbe168LYu9ZYh86IkscgVLE7tWPKmJv11CgoyJltMEbrohtVAQfO4ImltiHEroYEs7RxAarVpY8AwXMcMReFOTYWe5iiLRQxJ5Q8DtJ8LQhWOhIeFESPGsILhbNDRljNbHzNRlTFbk2S3L0NOS6V1KFJYKUbSTcIIhM0wQ/s2TM0SRMNcQmSap3jCH4yhJZKSkwyRHpYYgsFeQ4U7xoCB7VVOExhXepo9ABBsYbvGWKXPME3lyH95YioZ0gssQRWWbI+FaSMkXijZXwgiTlYdPdkNLaETxlyDVIwqeaEus0aTcYcg0RVOkpR3CSJqIddK+90JCxzsDVloyrFd5ZAr4TBKfaWa6boEA7C7s6EpYaeFPjveooY72mjIccLHJ9HUwVlDhKkmutJDJBwnp1rvulJZggKDRfbXAkvC/4l3ozQOG9a8lxjx0i7nV4jSXc7vhe3OwIxjgSHjdEhhsif9YkPGlus3iLFDnWOFhtCZbJg0UbQcIaR67JjthoCyMEZRwhiXWyxO5QxI6w5NhT4U1WsJvDO60J34fW9hwzwlKij6ZAW9ne4L0s8C6XeBMEkd/LQy1VucBRot6QMlbivaBhoBgjqGiCJNhsqVp/S2SsG6DIONCR0dXhvWbJ+MRRZJkkuEjgDXJjFQW6SSL7GXK8Z2CZg7cVsbWGoKmEpzQ5elpiy8Ryg7dMkLLUEauzeO86CuwlSOlgYLojZWeJ9xM3S1PWfEfKl5ISLQ0MEKR8YOB2QfCxJBjrKPCN4f9MkaSsqoVXJBmP7EpFZ9UQfOoOFwSzBN4MQ8LsGrymlipcJQhmy0GaQjPqCHaXRwuCZwRbqK2Fg9wlClZqYicrIgMdZfxTQ0c7TBIbrChxmuzoKG8XRaSrIhhiyNFJkrC7oIAWMEOQa5aBekPCRknCo4IKPrYkvCDI8aYmY7WFtprgekcJZ3oLIqssCSMtFbQTJKwXYy3BY5oCh2iKPCpJOE+zRdpYgi6O2KmOAgvVCYaU4ySRek1sgyFhJ403QFHiVEmJHwtybO1gs8Hr5+BETQX3War0qZngYGgtVZtoqd6vFSk/UwdZElYqyjrF4HXUeFspIi9IGKf4j92pKGAdCYMVsbcV3kRF0N+R8LUd5PCsIGWoxDtBkCI0nKofdJQxT+LtZflvuc8Q3CjwWkq8KwUpHzkK/NmSsclCL0nseQdj5FRH5CNHSgtLiW80Of5HU9Hhlsga9bnBq3fEVltKfO5IaSTmGjjc4J0otcP7QsJUSQM8pEj5/wCuUuC2DWz8AAAAAElFTkSuQmCC\");\n}\n","/*\n\n Name: Base16 Default Dark\n Author: Chris Kempson (http://chriskempson.com)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-base16-dark.CodeMirror { background: #151515; color: #e0e0e0; }\n.cm-s-base16-dark div.CodeMirror-selected { background: #303030; }\n.cm-s-base16-dark .CodeMirror-line::selection, .cm-s-base16-dark .CodeMirror-line > span::selection, .cm-s-base16-dark .CodeMirror-line > span > span::selection { background: rgba(48, 48, 48, .99); }\n.cm-s-base16-dark .CodeMirror-line::-moz-selection, .cm-s-base16-dark .CodeMirror-line > span::-moz-selection, .cm-s-base16-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(48, 48, 48, .99); }\n.cm-s-base16-dark .CodeMirror-gutters { background: #151515; border-right: 0px; }\n.cm-s-base16-dark .CodeMirror-guttermarker { color: #ac4142; }\n.cm-s-base16-dark .CodeMirror-guttermarker-subtle { color: #505050; }\n.cm-s-base16-dark .CodeMirror-linenumber { color: #505050; }\n.cm-s-base16-dark .CodeMirror-cursor { border-left: 1px solid #b0b0b0; }\n.cm-s-base16-dark.cm-fat-cursor .CodeMirror-cursor { background-color: #8e8d8875 !important; }\n.cm-s-base16-dark .cm-animate-fat-cursor { background-color: #8e8d8875 !important; }\n\n.cm-s-base16-dark span.cm-comment { color: #8f5536; }\n.cm-s-base16-dark span.cm-atom { color: #aa759f; }\n.cm-s-base16-dark span.cm-number { color: #aa759f; }\n\n.cm-s-base16-dark span.cm-property, .cm-s-base16-dark span.cm-attribute { color: #90a959; }\n.cm-s-base16-dark span.cm-keyword { color: #ac4142; }\n.cm-s-base16-dark span.cm-string { color: #f4bf75; }\n\n.cm-s-base16-dark span.cm-variable { color: #90a959; }\n.cm-s-base16-dark span.cm-variable-2 { color: #6a9fb5; }\n.cm-s-base16-dark span.cm-def { color: #d28445; }\n.cm-s-base16-dark span.cm-bracket { color: #e0e0e0; }\n.cm-s-base16-dark span.cm-tag { color: #ac4142; }\n.cm-s-base16-dark span.cm-link { color: #aa759f; }\n.cm-s-base16-dark span.cm-error { background: #ac4142; color: #b0b0b0; }\n\n.cm-s-base16-dark .CodeMirror-activeline-background { background: #202020; }\n.cm-s-base16-dark .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: Base16 Default Light\n Author: Chris Kempson (http://chriskempson.com)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-base16-light.CodeMirror { background: #f5f5f5; color: #202020; }\n.cm-s-base16-light div.CodeMirror-selected { background: #e0e0e0; }\n.cm-s-base16-light .CodeMirror-line::selection, .cm-s-base16-light .CodeMirror-line > span::selection, .cm-s-base16-light .CodeMirror-line > span > span::selection { background: #e0e0e0; }\n.cm-s-base16-light .CodeMirror-line::-moz-selection, .cm-s-base16-light .CodeMirror-line > span::-moz-selection, .cm-s-base16-light .CodeMirror-line > span > span::-moz-selection { background: #e0e0e0; }\n.cm-s-base16-light .CodeMirror-gutters { background: #f5f5f5; border-right: 0px; }\n.cm-s-base16-light .CodeMirror-guttermarker { color: #ac4142; }\n.cm-s-base16-light .CodeMirror-guttermarker-subtle { color: #b0b0b0; }\n.cm-s-base16-light .CodeMirror-linenumber { color: #b0b0b0; }\n.cm-s-base16-light .CodeMirror-cursor { border-left: 1px solid #505050; }\n\n.cm-s-base16-light span.cm-comment { color: #8f5536; }\n.cm-s-base16-light span.cm-atom { color: #aa759f; }\n.cm-s-base16-light span.cm-number { color: #aa759f; }\n\n.cm-s-base16-light span.cm-property, .cm-s-base16-light span.cm-attribute { color: #90a959; }\n.cm-s-base16-light span.cm-keyword { color: #ac4142; }\n.cm-s-base16-light span.cm-string { color: #f4bf75; }\n\n.cm-s-base16-light span.cm-variable { color: #90a959; }\n.cm-s-base16-light span.cm-variable-2 { color: #6a9fb5; }\n.cm-s-base16-light span.cm-def { color: #d28445; }\n.cm-s-base16-light span.cm-bracket { color: #202020; }\n.cm-s-base16-light span.cm-tag { color: #ac4142; }\n.cm-s-base16-light span.cm-link { color: #aa759f; }\n.cm-s-base16-light span.cm-error { background: #ac4142; color: #505050; }\n\n.cm-s-base16-light .CodeMirror-activeline-background { background: #DDDCDC; }\n.cm-s-base16-light .CodeMirror-matchingbracket { color: #f5f5f5 !important; background-color: #6A9FB5 !important}\n","/*\n\n Name: Bespin\n Author: Mozilla / Jan T. Sott\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-bespin.CodeMirror {background: #28211c; color: #9d9b97;}\n.cm-s-bespin div.CodeMirror-selected {background: #59554f !important;}\n.cm-s-bespin .CodeMirror-gutters {background: #28211c; border-right: 0px;}\n.cm-s-bespin .CodeMirror-linenumber {color: #666666;}\n.cm-s-bespin .CodeMirror-cursor {border-left: 1px solid #797977 !important;}\n\n.cm-s-bespin span.cm-comment {color: #937121;}\n.cm-s-bespin span.cm-atom {color: #9b859d;}\n.cm-s-bespin span.cm-number {color: #9b859d;}\n\n.cm-s-bespin span.cm-property, .cm-s-bespin span.cm-attribute {color: #54be0d;}\n.cm-s-bespin span.cm-keyword {color: #cf6a4c;}\n.cm-s-bespin span.cm-string {color: #f9ee98;}\n\n.cm-s-bespin span.cm-variable {color: #54be0d;}\n.cm-s-bespin span.cm-variable-2 {color: #5ea6ea;}\n.cm-s-bespin span.cm-def {color: #cf7d34;}\n.cm-s-bespin span.cm-error {background: #cf6a4c; color: #797977;}\n.cm-s-bespin span.cm-bracket {color: #9d9b97;}\n.cm-s-bespin span.cm-tag {color: #cf6a4c;}\n.cm-s-bespin span.cm-link {color: #9b859d;}\n\n.cm-s-bespin .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-bespin .CodeMirror-activeline-background { background: #404040; }\n","/* Port of TextMate's Blackboard theme */\n\n.cm-s-blackboard.CodeMirror { background: #0C1021; color: #F8F8F8; }\n.cm-s-blackboard div.CodeMirror-selected { background: #253B76; }\n.cm-s-blackboard .CodeMirror-line::selection, .cm-s-blackboard .CodeMirror-line > span::selection, .cm-s-blackboard .CodeMirror-line > span > span::selection { background: rgba(37, 59, 118, .99); }\n.cm-s-blackboard .CodeMirror-line::-moz-selection, .cm-s-blackboard .CodeMirror-line > span::-moz-selection, .cm-s-blackboard .CodeMirror-line > span > span::-moz-selection { background: rgba(37, 59, 118, .99); }\n.cm-s-blackboard .CodeMirror-gutters { background: #0C1021; border-right: 0; }\n.cm-s-blackboard .CodeMirror-guttermarker { color: #FBDE2D; }\n.cm-s-blackboard .CodeMirror-guttermarker-subtle { color: #888; }\n.cm-s-blackboard .CodeMirror-linenumber { color: #888; }\n.cm-s-blackboard .CodeMirror-cursor { border-left: 1px solid #A7A7A7; }\n\n.cm-s-blackboard .cm-keyword { color: #FBDE2D; }\n.cm-s-blackboard .cm-atom { color: #D8FA3C; }\n.cm-s-blackboard .cm-number { color: #D8FA3C; }\n.cm-s-blackboard .cm-def { color: #8DA6CE; }\n.cm-s-blackboard .cm-variable { color: #FF6400; }\n.cm-s-blackboard .cm-operator { color: #FBDE2D; }\n.cm-s-blackboard .cm-comment { color: #AEAEAE; }\n.cm-s-blackboard .cm-string { color: #61CE3C; }\n.cm-s-blackboard .cm-string-2 { color: #61CE3C; }\n.cm-s-blackboard .cm-meta { color: #D8FA3C; }\n.cm-s-blackboard .cm-builtin { color: #8DA6CE; }\n.cm-s-blackboard .cm-tag { color: #8DA6CE; }\n.cm-s-blackboard .cm-attribute { color: #8DA6CE; }\n.cm-s-blackboard .cm-header { color: #FF6400; }\n.cm-s-blackboard .cm-hr { color: #AEAEAE; }\n.cm-s-blackboard .cm-link { color: #8DA6CE; }\n.cm-s-blackboard .cm-error { background: #9D1E15; color: #F8F8F8; }\n\n.cm-s-blackboard .CodeMirror-activeline-background { background: #3C3636; }\n.cm-s-blackboard .CodeMirror-matchingbracket { outline:1px solid grey;color:white !important; }\n",".cm-s-cobalt.CodeMirror { background: #002240; color: white; }\n.cm-s-cobalt div.CodeMirror-selected { background: #b36539; }\n.cm-s-cobalt .CodeMirror-line::selection, .cm-s-cobalt .CodeMirror-line > span::selection, .cm-s-cobalt .CodeMirror-line > span > span::selection { background: rgba(179, 101, 57, .99); }\n.cm-s-cobalt .CodeMirror-line::-moz-selection, .cm-s-cobalt .CodeMirror-line > span::-moz-selection, .cm-s-cobalt .CodeMirror-line > span > span::-moz-selection { background: rgba(179, 101, 57, .99); }\n.cm-s-cobalt .CodeMirror-gutters { background: #002240; border-right: 1px solid #aaa; }\n.cm-s-cobalt .CodeMirror-guttermarker { color: #ffee80; }\n.cm-s-cobalt .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-cobalt .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-cobalt .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-cobalt span.cm-comment { color: #08f; }\n.cm-s-cobalt span.cm-atom { color: #845dc4; }\n.cm-s-cobalt span.cm-number, .cm-s-cobalt span.cm-attribute { color: #ff80e1; }\n.cm-s-cobalt span.cm-keyword { color: #ffee80; }\n.cm-s-cobalt span.cm-string { color: #3ad900; }\n.cm-s-cobalt span.cm-meta { color: #ff9d00; }\n.cm-s-cobalt span.cm-variable-2, .cm-s-cobalt span.cm-tag { color: #9effff; }\n.cm-s-cobalt span.cm-variable-3, .cm-s-cobalt span.cm-def, .cm-s-cobalt .cm-type { color: white; }\n.cm-s-cobalt span.cm-bracket { color: #d8d8d8; }\n.cm-s-cobalt span.cm-builtin, .cm-s-cobalt span.cm-special { color: #ff9e59; }\n.cm-s-cobalt span.cm-link { color: #845dc4; }\n.cm-s-cobalt span.cm-error { color: #9d1e15; }\n\n.cm-s-cobalt .CodeMirror-activeline-background { background: #002D57; }\n.cm-s-cobalt .CodeMirror-matchingbracket { outline:1px solid grey;color:white !important; }\n",".cm-s-colorforth.CodeMirror { background: #000000; color: #f8f8f8; }\n.cm-s-colorforth .CodeMirror-gutters { background: #0a001f; border-right: 1px solid #aaa; }\n.cm-s-colorforth .CodeMirror-guttermarker { color: #FFBD40; }\n.cm-s-colorforth .CodeMirror-guttermarker-subtle { color: #78846f; }\n.cm-s-colorforth .CodeMirror-linenumber { color: #bababa; }\n.cm-s-colorforth .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-colorforth span.cm-comment { color: #ededed; }\n.cm-s-colorforth span.cm-def { color: #ff1c1c; font-weight:bold; }\n.cm-s-colorforth span.cm-keyword { color: #ffd900; }\n.cm-s-colorforth span.cm-builtin { color: #00d95a; }\n.cm-s-colorforth span.cm-variable { color: #73ff00; }\n.cm-s-colorforth span.cm-string { color: #007bff; }\n.cm-s-colorforth span.cm-number { color: #00c4ff; }\n.cm-s-colorforth span.cm-atom { color: #606060; }\n\n.cm-s-colorforth span.cm-variable-2 { color: #EEE; }\n.cm-s-colorforth span.cm-variable-3, .cm-s-colorforth span.cm-type { color: #DDD; }\n.cm-s-colorforth span.cm-property {}\n.cm-s-colorforth span.cm-operator {}\n\n.cm-s-colorforth span.cm-meta { color: yellow; }\n.cm-s-colorforth span.cm-qualifier { color: #FFF700; }\n.cm-s-colorforth span.cm-bracket { color: #cc7; }\n.cm-s-colorforth span.cm-tag { color: #FFBD40; }\n.cm-s-colorforth span.cm-attribute { color: #FFF700; }\n.cm-s-colorforth span.cm-error { color: #f00; }\n\n.cm-s-colorforth div.CodeMirror-selected { background: #333d53; }\n\n.cm-s-colorforth span.cm-compilation { background: rgba(255, 255, 255, 0.12); }\n\n.cm-s-colorforth .CodeMirror-activeline-background { background: #253540; }\n","/**\n Name: IntelliJ IDEA darcula theme\n From IntelliJ IDEA by JetBrains\n */\n\n.cm-s-darcula { font-family: Consolas, Menlo, Monaco, 'Lucida Console', 'Liberation Mono', 'DejaVu Sans Mono', 'Bitstream Vera Sans Mono', 'Courier New', monospace, serif;}\n.cm-s-darcula.CodeMirror { background: #2B2B2B; color: #A9B7C6; }\n\n.cm-s-darcula span.cm-meta { color: #BBB529; }\n.cm-s-darcula span.cm-number { color: #6897BB; }\n.cm-s-darcula span.cm-keyword { color: #CC7832; line-height: 1em; font-weight: bold; }\n.cm-s-darcula span.cm-def { color: #A9B7C6; font-style: italic; }\n.cm-s-darcula span.cm-variable { color: #A9B7C6; }\n.cm-s-darcula span.cm-variable-2 { color: #A9B7C6; }\n.cm-s-darcula span.cm-variable-3 { color: #9876AA; }\n.cm-s-darcula span.cm-type { color: #AABBCC; font-weight: bold; }\n.cm-s-darcula span.cm-property { color: #FFC66D; }\n.cm-s-darcula span.cm-operator { color: #A9B7C6; }\n.cm-s-darcula span.cm-string { color: #6A8759; }\n.cm-s-darcula span.cm-string-2 { color: #6A8759; }\n.cm-s-darcula span.cm-comment { color: #61A151; font-style: italic; }\n.cm-s-darcula span.cm-link { color: #CC7832; }\n.cm-s-darcula span.cm-atom { color: #CC7832; }\n.cm-s-darcula span.cm-error { color: #BC3F3C; }\n.cm-s-darcula span.cm-tag { color: #629755; font-weight: bold; font-style: italic; text-decoration: underline; }\n.cm-s-darcula span.cm-attribute { color: #6897bb; }\n.cm-s-darcula span.cm-qualifier { color: #6A8759; }\n.cm-s-darcula span.cm-bracket { color: #A9B7C6; }\n.cm-s-darcula span.cm-builtin { color: #FF9E59; }\n.cm-s-darcula span.cm-special { color: #FF9E59; }\n.cm-s-darcula span.cm-matchhighlight { color: #FFFFFF; background-color: rgba(50, 89, 48, .7); font-weight: normal;}\n.cm-s-darcula span.cm-searching { color: #FFFFFF; background-color: rgba(61, 115, 59, .7); font-weight: normal;}\n\n.cm-s-darcula .CodeMirror-cursor { border-left: 1px solid #A9B7C6; }\n.cm-s-darcula .CodeMirror-activeline-background { background: #323232; }\n.cm-s-darcula .CodeMirror-gutters { background: #313335; border-right: 1px solid #313335; }\n.cm-s-darcula .CodeMirror-guttermarker { color: #FFEE80; }\n.cm-s-darcula .CodeMirror-guttermarker-subtle { color: #D0D0D0; }\n.cm-s-darcula .CodeMirrir-linenumber { color: #606366; }\n.cm-s-darcula .CodeMirror-matchingbracket { background-color: #3B514D; color: #FFEF28 !important; font-weight: bold; }\n\n.cm-s-darcula div.CodeMirror-selected { background: #214283; }\n\n.CodeMirror-hints.darcula {\n font-family: Menlo, Monaco, Consolas, 'Courier New', monospace;\n color: #9C9E9E;\n background-color: #3B3E3F !important;\n}\n\n.CodeMirror-hints.darcula .CodeMirror-hint-active {\n background-color: #494D4E !important;\n color: #9C9E9E !important;\n}\n","/*\n\n Name: dracula\n Author: Michael Kaminsky (http://github.com/mkaminsky11)\n\n Original dracula color scheme by Zeno Rocha (https://github.com/zenorocha/dracula-theme)\n\n*/\n\n\n.cm-s-dracula.CodeMirror, .cm-s-dracula .CodeMirror-gutters {\n background-color: #282a36 !important;\n color: #f8f8f2 !important;\n border: none;\n}\n.cm-s-dracula .CodeMirror-gutters { color: #282a36; }\n.cm-s-dracula .CodeMirror-cursor { border-left: solid thin #f8f8f0; }\n.cm-s-dracula .CodeMirror-linenumber { color: #6D8A88; }\n.cm-s-dracula .CodeMirror-selected { background: rgba(255, 255, 255, 0.10); }\n.cm-s-dracula .CodeMirror-line::selection, .cm-s-dracula .CodeMirror-line > span::selection, .cm-s-dracula .CodeMirror-line > span > span::selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-dracula .CodeMirror-line::-moz-selection, .cm-s-dracula .CodeMirror-line > span::-moz-selection, .cm-s-dracula .CodeMirror-line > span > span::-moz-selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-dracula span.cm-comment { color: #6272a4; }\n.cm-s-dracula span.cm-string, .cm-s-dracula span.cm-string-2 { color: #f1fa8c; }\n.cm-s-dracula span.cm-number { color: #bd93f9; }\n.cm-s-dracula span.cm-variable { color: #50fa7b; }\n.cm-s-dracula span.cm-variable-2 { color: white; }\n.cm-s-dracula span.cm-def { color: #50fa7b; }\n.cm-s-dracula span.cm-operator { color: #ff79c6; }\n.cm-s-dracula span.cm-keyword { color: #ff79c6; }\n.cm-s-dracula span.cm-atom { color: #bd93f9; }\n.cm-s-dracula span.cm-meta { color: #f8f8f2; }\n.cm-s-dracula span.cm-tag { color: #ff79c6; }\n.cm-s-dracula span.cm-attribute { color: #50fa7b; }\n.cm-s-dracula span.cm-qualifier { color: #50fa7b; }\n.cm-s-dracula span.cm-property { color: #66d9ef; }\n.cm-s-dracula span.cm-builtin { color: #50fa7b; }\n.cm-s-dracula span.cm-variable-3, .cm-s-dracula span.cm-type { color: #ffb86c; }\n\n.cm-s-dracula .CodeMirror-activeline-background { background: rgba(255,255,255,0.1); }\n.cm-s-dracula .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\nName: DuoTone-Dark\nAuthor: by Bram de Haan, adapted from DuoTone themes by Simurai (http://simurai.com/projects/2016/01/01/duotone-themes)\n\nCodeMirror template by Jan T. Sott (https://github.com/idleberg), adapted by Bram de Haan (https://github.com/atelierbram/)\n*/\n\n.cm-s-duotone-dark.CodeMirror { background: #2a2734; color: #6c6783; }\n.cm-s-duotone-dark div.CodeMirror-selected { background: #545167!important; }\n.cm-s-duotone-dark .CodeMirror-gutters { background: #2a2734; border-right: 0px; }\n.cm-s-duotone-dark .CodeMirror-linenumber { color: #545167; }\n\n/* begin cursor */\n.cm-s-duotone-dark .CodeMirror-cursor { border-left: 1px solid #ffad5c; /* border-left: 1px solid #ffad5c80; */ border-right: .5em solid #ffad5c; /* border-right: .5em solid #ffad5c80; */ opacity: .5; }\n.cm-s-duotone-dark .CodeMirror-activeline-background { background: #363342; /* background: #36334280; */ opacity: .5;}\n.cm-s-duotone-dark .cm-fat-cursor .CodeMirror-cursor { background: #ffad5c; /* background: #ffad5c80; */ opacity: .5;}\n/* end cursor */\n\n.cm-s-duotone-dark span.cm-atom, .cm-s-duotone-dark span.cm-number, .cm-s-duotone-dark span.cm-keyword, .cm-s-duotone-dark span.cm-variable, .cm-s-duotone-dark span.cm-attribute, .cm-s-duotone-dark span.cm-quote, .cm-s-duotone-dark span.cm-hr, .cm-s-duotone-dark span.cm-link { color: #ffcc99; }\n\n.cm-s-duotone-dark span.cm-property { color: #9a86fd; }\n.cm-s-duotone-dark span.cm-punctuation, .cm-s-duotone-dark span.cm-unit, .cm-s-duotone-dark span.cm-negative { color: #e09142; }\n.cm-s-duotone-dark span.cm-string { color: #ffb870; }\n.cm-s-duotone-dark span.cm-operator { color: #ffad5c; }\n.cm-s-duotone-dark span.cm-positive { color: #6a51e6; }\n\n.cm-s-duotone-dark span.cm-variable-2, .cm-s-duotone-dark span.cm-variable-3, .cm-s-duotone-dark span.cm-type, .cm-s-duotone-dark span.cm-string-2, .cm-s-duotone-dark span.cm-url { color: #7a63ee; }\n.cm-s-duotone-dark span.cm-def, .cm-s-duotone-dark span.cm-tag, .cm-s-duotone-dark span.cm-builtin, .cm-s-duotone-dark span.cm-qualifier, .cm-s-duotone-dark span.cm-header, .cm-s-duotone-dark span.cm-em { color: #eeebff; }\n.cm-s-duotone-dark span.cm-bracket, .cm-s-duotone-dark span.cm-comment { color: #6c6783; }\n\n/* using #f00 red for errors, don't think any of the colorscheme variables will stand out enough, ... maybe by giving it a background-color ... */\n.cm-s-duotone-dark span.cm-error, .cm-s-duotone-dark span.cm-invalidchar { color: #f00; }\n\n.cm-s-duotone-dark span.cm-header { font-weight: normal; }\n.cm-s-duotone-dark .CodeMirror-matchingbracket { text-decoration: underline; color: #eeebff !important; } \n","/*\nName: DuoTone-Light\nAuthor: by Bram de Haan, adapted from DuoTone themes by Simurai (http://simurai.com/projects/2016/01/01/duotone-themes)\n\nCodeMirror template by Jan T. Sott (https://github.com/idleberg), adapted by Bram de Haan (https://github.com/atelierbram/)\n*/\n\n.cm-s-duotone-light.CodeMirror { background: #faf8f5; color: #b29762; }\n.cm-s-duotone-light div.CodeMirror-selected { background: #e3dcce !important; }\n.cm-s-duotone-light .CodeMirror-gutters { background: #faf8f5; border-right: 0px; }\n.cm-s-duotone-light .CodeMirror-linenumber { color: #cdc4b1; }\n\n/* begin cursor */\n.cm-s-duotone-light .CodeMirror-cursor { border-left: 1px solid #93abdc; /* border-left: 1px solid #93abdc80; */ border-right: .5em solid #93abdc; /* border-right: .5em solid #93abdc80; */ opacity: .5; }\n.cm-s-duotone-light .CodeMirror-activeline-background { background: #e3dcce; /* background: #e3dcce80; */ opacity: .5; }\n.cm-s-duotone-light .cm-fat-cursor .CodeMirror-cursor { background: #93abdc; /* #93abdc80; */ opacity: .5; }\n/* end cursor */\n\n.cm-s-duotone-light span.cm-atom, .cm-s-duotone-light span.cm-number, .cm-s-duotone-light span.cm-keyword, .cm-s-duotone-light span.cm-variable, .cm-s-duotone-light span.cm-attribute, .cm-s-duotone-light span.cm-quote, .cm-s-duotone-light-light span.cm-hr, .cm-s-duotone-light-light span.cm-link { color: #063289; }\n\n.cm-s-duotone-light span.cm-property { color: #b29762; }\n.cm-s-duotone-light span.cm-punctuation, .cm-s-duotone-light span.cm-unit, .cm-s-duotone-light span.cm-negative { color: #063289; }\n.cm-s-duotone-light span.cm-string, .cm-s-duotone-light span.cm-operator { color: #1659df; }\n.cm-s-duotone-light span.cm-positive { color: #896724; }\n\n.cm-s-duotone-light span.cm-variable-2, .cm-s-duotone-light span.cm-variable-3, .cm-s-duotone-light span.cm-type, .cm-s-duotone-light span.cm-string-2, .cm-s-duotone-light span.cm-url { color: #896724; }\n.cm-s-duotone-light span.cm-def, .cm-s-duotone-light span.cm-tag, .cm-s-duotone-light span.cm-builtin, .cm-s-duotone-light span.cm-qualifier, .cm-s-duotone-light span.cm-header, .cm-s-duotone-light span.cm-em { color: #2d2006; }\n.cm-s-duotone-light span.cm-bracket, .cm-s-duotone-light span.cm-comment { color: #b6ad9a; }\n\n/* using #f00 red for errors, don't think any of the colorscheme variables will stand out enough, ... maybe by giving it a background-color ... */\n/* .cm-s-duotone-light span.cm-error { background: #896724; color: #728fcb; } */\n.cm-s-duotone-light span.cm-error, .cm-s-duotone-light span.cm-invalidchar { color: #f00; }\n\n.cm-s-duotone-light span.cm-header { font-weight: normal; }\n.cm-s-duotone-light .CodeMirror-matchingbracket { text-decoration: underline; color: #faf8f5 !important; }\n\n",".cm-s-eclipse span.cm-meta { color: #FF1717; }\n.cm-s-eclipse span.cm-keyword { line-height: 1em; font-weight: bold; color: #7F0055; }\n.cm-s-eclipse span.cm-atom { color: #219; }\n.cm-s-eclipse span.cm-number { color: #164; }\n.cm-s-eclipse span.cm-def { color: #00f; }\n.cm-s-eclipse span.cm-variable { color: black; }\n.cm-s-eclipse span.cm-variable-2 { color: #0000C0; }\n.cm-s-eclipse span.cm-variable-3, .cm-s-eclipse span.cm-type { color: #0000C0; }\n.cm-s-eclipse span.cm-property { color: black; }\n.cm-s-eclipse span.cm-operator { color: black; }\n.cm-s-eclipse span.cm-comment { color: #3F7F5F; }\n.cm-s-eclipse span.cm-string { color: #2A00FF; }\n.cm-s-eclipse span.cm-string-2 { color: #f50; }\n.cm-s-eclipse span.cm-qualifier { color: #555; }\n.cm-s-eclipse span.cm-builtin { color: #30a; }\n.cm-s-eclipse span.cm-bracket { color: #cc7; }\n.cm-s-eclipse span.cm-tag { color: #170; }\n.cm-s-eclipse span.cm-attribute { color: #00c; }\n.cm-s-eclipse span.cm-link { color: #219; }\n.cm-s-eclipse span.cm-error { color: #f00; }\n\n.cm-s-eclipse .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-eclipse .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n",".cm-s-elegant span.cm-number, .cm-s-elegant span.cm-string, .cm-s-elegant span.cm-atom { color: #762; }\n.cm-s-elegant span.cm-comment { color: #262; font-style: italic; line-height: 1em; }\n.cm-s-elegant span.cm-meta { color: #555; font-style: italic; line-height: 1em; }\n.cm-s-elegant span.cm-variable { color: black; }\n.cm-s-elegant span.cm-variable-2 { color: #b11; }\n.cm-s-elegant span.cm-qualifier { color: #555; }\n.cm-s-elegant span.cm-keyword { color: #730; }\n.cm-s-elegant span.cm-builtin { color: #30a; }\n.cm-s-elegant span.cm-link { color: #762; }\n.cm-s-elegant span.cm-error { background-color: #fdd; }\n\n.cm-s-elegant .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-elegant .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n",".cm-s-erlang-dark.CodeMirror { background: #002240; color: white; }\n.cm-s-erlang-dark div.CodeMirror-selected { background: #b36539; }\n.cm-s-erlang-dark .CodeMirror-line::selection, .cm-s-erlang-dark .CodeMirror-line > span::selection, .cm-s-erlang-dark .CodeMirror-line > span > span::selection { background: rgba(179, 101, 57, .99); }\n.cm-s-erlang-dark .CodeMirror-line::-moz-selection, .cm-s-erlang-dark .CodeMirror-line > span::-moz-selection, .cm-s-erlang-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(179, 101, 57, .99); }\n.cm-s-erlang-dark .CodeMirror-gutters { background: #002240; border-right: 1px solid #aaa; }\n.cm-s-erlang-dark .CodeMirror-guttermarker { color: white; }\n.cm-s-erlang-dark .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-erlang-dark .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-erlang-dark .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-erlang-dark span.cm-quote { color: #ccc; }\n.cm-s-erlang-dark span.cm-atom { color: #f133f1; }\n.cm-s-erlang-dark span.cm-attribute { color: #ff80e1; }\n.cm-s-erlang-dark span.cm-bracket { color: #ff9d00; }\n.cm-s-erlang-dark span.cm-builtin { color: #eaa; }\n.cm-s-erlang-dark span.cm-comment { color: #77f; }\n.cm-s-erlang-dark span.cm-def { color: #e7a; }\n.cm-s-erlang-dark span.cm-keyword { color: #ffee80; }\n.cm-s-erlang-dark span.cm-meta { color: #50fefe; }\n.cm-s-erlang-dark span.cm-number { color: #ffd0d0; }\n.cm-s-erlang-dark span.cm-operator { color: #d55; }\n.cm-s-erlang-dark span.cm-property { color: #ccc; }\n.cm-s-erlang-dark span.cm-qualifier { color: #ccc; }\n.cm-s-erlang-dark span.cm-special { color: #ffbbbb; }\n.cm-s-erlang-dark span.cm-string { color: #3ad900; }\n.cm-s-erlang-dark span.cm-string-2 { color: #ccc; }\n.cm-s-erlang-dark span.cm-tag { color: #9effff; }\n.cm-s-erlang-dark span.cm-variable { color: #50fe50; }\n.cm-s-erlang-dark span.cm-variable-2 { color: #e0e; }\n.cm-s-erlang-dark span.cm-variable-3, .cm-s-erlang-dark span.cm-type { color: #ccc; }\n.cm-s-erlang-dark span.cm-error { color: #9d1e15; }\n\n.cm-s-erlang-dark .CodeMirror-activeline-background { background: #013461; }\n.cm-s-erlang-dark .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\n\n Name: gruvbox-dark\n Author: kRkk (https://github.com/krkk)\n\n Original gruvbox color scheme by Pavel Pertsev (https://github.com/morhetz/gruvbox)\n\n*/\n\n.cm-s-gruvbox-dark.CodeMirror, .cm-s-gruvbox-dark .CodeMirror-gutters { background-color: #282828; color: #bdae93; }\n.cm-s-gruvbox-dark .CodeMirror-gutters {background: #282828; border-right: 0px;}\n.cm-s-gruvbox-dark .CodeMirror-linenumber {color: #7c6f64;}\n.cm-s-gruvbox-dark .CodeMirror-cursor { border-left: 1px solid #ebdbb2; }\n.cm-s-gruvbox-dark.cm-fat-cursor .CodeMirror-cursor { background-color: #8e8d8875 !important; }\n.cm-s-gruvbox-dark .cm-animate-fat-cursor { background-color: #8e8d8875 !important; }\n.cm-s-gruvbox-dark div.CodeMirror-selected { background: #928374; }\n.cm-s-gruvbox-dark span.cm-meta { color: #83a598; }\n\n.cm-s-gruvbox-dark span.cm-comment { color: #928374; }\n.cm-s-gruvbox-dark span.cm-number, span.cm-atom { color: #d3869b; }\n.cm-s-gruvbox-dark span.cm-keyword { color: #f84934; }\n\n.cm-s-gruvbox-dark span.cm-variable { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-variable-2 { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-variable-3, .cm-s-gruvbox-dark span.cm-type { color: #fabd2f; }\n.cm-s-gruvbox-dark span.cm-operator { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-callee { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-def { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-property { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-string { color: #b8bb26; }\n.cm-s-gruvbox-dark span.cm-string-2 { color: #8ec07c; }\n.cm-s-gruvbox-dark span.cm-qualifier { color: #8ec07c; }\n.cm-s-gruvbox-dark span.cm-attribute { color: #8ec07c; }\n\n.cm-s-gruvbox-dark .CodeMirror-activeline-background { background: #3c3836; }\n.cm-s-gruvbox-dark .CodeMirror-matchingbracket { background: #928374; color:#282828 !important; }\n\n.cm-s-gruvbox-dark span.cm-builtin { color: #fe8019; }\n.cm-s-gruvbox-dark span.cm-tag { color: #fe8019; }\n","/*\n\n Name: Hopscotch\n Author: Jan T. Sott\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-hopscotch.CodeMirror {background: #322931; color: #d5d3d5;}\n.cm-s-hopscotch div.CodeMirror-selected {background: #433b42 !important;}\n.cm-s-hopscotch .CodeMirror-gutters {background: #322931; border-right: 0px;}\n.cm-s-hopscotch .CodeMirror-linenumber {color: #797379;}\n.cm-s-hopscotch .CodeMirror-cursor {border-left: 1px solid #989498 !important;}\n\n.cm-s-hopscotch span.cm-comment {color: #b33508;}\n.cm-s-hopscotch span.cm-atom {color: #c85e7c;}\n.cm-s-hopscotch span.cm-number {color: #c85e7c;}\n\n.cm-s-hopscotch span.cm-property, .cm-s-hopscotch span.cm-attribute {color: #8fc13e;}\n.cm-s-hopscotch span.cm-keyword {color: #dd464c;}\n.cm-s-hopscotch span.cm-string {color: #fdcc59;}\n\n.cm-s-hopscotch span.cm-variable {color: #8fc13e;}\n.cm-s-hopscotch span.cm-variable-2 {color: #1290bf;}\n.cm-s-hopscotch span.cm-def {color: #fd8b19;}\n.cm-s-hopscotch span.cm-error {background: #dd464c; color: #989498;}\n.cm-s-hopscotch span.cm-bracket {color: #d5d3d5;}\n.cm-s-hopscotch span.cm-tag {color: #dd464c;}\n.cm-s-hopscotch span.cm-link {color: #c85e7c;}\n\n.cm-s-hopscotch .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-hopscotch .CodeMirror-activeline-background { background: #302020; }\n","/*\nICEcoder default theme by Matt Pass, used in code editor available at https://icecoder.net\n*/\n\n.cm-s-icecoder { color: #666; background: #1d1d1b; }\n\n.cm-s-icecoder span.cm-keyword { color: #eee; font-weight:bold; } /* off-white 1 */\n.cm-s-icecoder span.cm-atom { color: #e1c76e; } /* yellow */\n.cm-s-icecoder span.cm-number { color: #6cb5d9; } /* blue */\n.cm-s-icecoder span.cm-def { color: #b9ca4a; } /* green */\n\n.cm-s-icecoder span.cm-variable { color: #6cb5d9; } /* blue */\n.cm-s-icecoder span.cm-variable-2 { color: #cc1e5c; } /* pink */\n.cm-s-icecoder span.cm-variable-3, .cm-s-icecoder span.cm-type { color: #f9602c; } /* orange */\n\n.cm-s-icecoder span.cm-property { color: #eee; } /* off-white 1 */\n.cm-s-icecoder span.cm-operator { color: #9179bb; } /* purple */\n.cm-s-icecoder span.cm-comment { color: #97a3aa; } /* grey-blue */\n\n.cm-s-icecoder span.cm-string { color: #b9ca4a; } /* green */\n.cm-s-icecoder span.cm-string-2 { color: #6cb5d9; } /* blue */\n\n.cm-s-icecoder span.cm-meta { color: #555; } /* grey */\n\n.cm-s-icecoder span.cm-qualifier { color: #555; } /* grey */\n.cm-s-icecoder span.cm-builtin { color: #214e7b; } /* bright blue */\n.cm-s-icecoder span.cm-bracket { color: #cc7; } /* grey-yellow */\n\n.cm-s-icecoder span.cm-tag { color: #e8e8e8; } /* off-white 2 */\n.cm-s-icecoder span.cm-attribute { color: #099; } /* teal */\n\n.cm-s-icecoder span.cm-header { color: #6a0d6a; } /* purple-pink */\n.cm-s-icecoder span.cm-quote { color: #186718; } /* dark green */\n.cm-s-icecoder span.cm-hr { color: #888; } /* mid-grey */\n.cm-s-icecoder span.cm-link { color: #e1c76e; } /* yellow */\n.cm-s-icecoder span.cm-error { color: #d00; } /* red */\n\n.cm-s-icecoder .CodeMirror-cursor { border-left: 1px solid white; }\n.cm-s-icecoder div.CodeMirror-selected { color: #fff; background: #037; }\n.cm-s-icecoder .CodeMirror-gutters { background: #1d1d1b; min-width: 41px; border-right: 0; }\n.cm-s-icecoder .CodeMirror-linenumber { color: #555; cursor: default; }\n.cm-s-icecoder .CodeMirror-matchingbracket { color: #fff !important; background: #555 !important; }\n.cm-s-icecoder .CodeMirror-activeline-background { background: #000; }\n","/**\n Name: IDEA default theme\n From IntelliJ IDEA by JetBrains\n */\n\n.cm-s-idea span.cm-meta { color: #808000; }\n.cm-s-idea span.cm-number { color: #0000FF; }\n.cm-s-idea span.cm-keyword { line-height: 1em; font-weight: bold; color: #000080; }\n.cm-s-idea span.cm-atom { font-weight: bold; color: #000080; }\n.cm-s-idea span.cm-def { color: #000000; }\n.cm-s-idea span.cm-variable { color: black; }\n.cm-s-idea span.cm-variable-2 { color: black; }\n.cm-s-idea span.cm-variable-3, .cm-s-idea span.cm-type { color: black; }\n.cm-s-idea span.cm-property { color: black; }\n.cm-s-idea span.cm-operator { color: black; }\n.cm-s-idea span.cm-comment { color: #808080; }\n.cm-s-idea span.cm-string { color: #008000; }\n.cm-s-idea span.cm-string-2 { color: #008000; }\n.cm-s-idea span.cm-qualifier { color: #555; }\n.cm-s-idea span.cm-error { color: #FF0000; }\n.cm-s-idea span.cm-attribute { color: #0000FF; }\n.cm-s-idea span.cm-tag { color: #000080; }\n.cm-s-idea span.cm-link { color: #0000FF; }\n.cm-s-idea .CodeMirror-activeline-background { background: #FFFAE3; }\n\n.cm-s-idea span.cm-builtin { color: #30a; }\n.cm-s-idea span.cm-bracket { color: #cc7; }\n.cm-s-idea { font-family: Consolas, Menlo, Monaco, Lucida Console, Liberation Mono, DejaVu Sans Mono, Bitstream Vera Sans Mono, Courier New, monospace, serif;}\n\n\n.cm-s-idea .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n\n.CodeMirror-hints.idea {\n font-family: Menlo, Monaco, Consolas, 'Courier New', monospace;\n color: #616569;\n background-color: #ebf3fd !important;\n}\n\n.CodeMirror-hints.idea .CodeMirror-hint-active {\n background-color: #a2b8c9 !important;\n color: #5c6065 !important;\n}","/*\n\n Name: Isotope\n Author: David Desandro / Jan T. Sott\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-isotope.CodeMirror {background: #000000; color: #e0e0e0;}\n.cm-s-isotope div.CodeMirror-selected {background: #404040 !important;}\n.cm-s-isotope .CodeMirror-gutters {background: #000000; border-right: 0px;}\n.cm-s-isotope .CodeMirror-linenumber {color: #808080;}\n.cm-s-isotope .CodeMirror-cursor {border-left: 1px solid #c0c0c0 !important;}\n\n.cm-s-isotope span.cm-comment {color: #3300ff;}\n.cm-s-isotope span.cm-atom {color: #cc00ff;}\n.cm-s-isotope span.cm-number {color: #cc00ff;}\n\n.cm-s-isotope span.cm-property, .cm-s-isotope span.cm-attribute {color: #33ff00;}\n.cm-s-isotope span.cm-keyword {color: #ff0000;}\n.cm-s-isotope span.cm-string {color: #ff0099;}\n\n.cm-s-isotope span.cm-variable {color: #33ff00;}\n.cm-s-isotope span.cm-variable-2 {color: #0066ff;}\n.cm-s-isotope span.cm-def {color: #ff9900;}\n.cm-s-isotope span.cm-error {background: #ff0000; color: #c0c0c0;}\n.cm-s-isotope span.cm-bracket {color: #e0e0e0;}\n.cm-s-isotope span.cm-tag {color: #ff0000;}\n.cm-s-isotope span.cm-link {color: #cc00ff;}\n\n.cm-s-isotope .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-isotope .CodeMirror-activeline-background { background: #202020; }\n","/*\nhttp://lesscss.org/ dark theme\nPorted to CodeMirror by Peter Kroon\n*/\n.cm-s-lesser-dark {\n line-height: 1.3em;\n}\n.cm-s-lesser-dark.CodeMirror { background: #262626; color: #EBEFE7; text-shadow: 0 -1px 1px #262626; }\n.cm-s-lesser-dark div.CodeMirror-selected { background: #45443B; } /* 33322B*/\n.cm-s-lesser-dark .CodeMirror-line::selection, .cm-s-lesser-dark .CodeMirror-line > span::selection, .cm-s-lesser-dark .CodeMirror-line > span > span::selection { background: rgba(69, 68, 59, .99); }\n.cm-s-lesser-dark .CodeMirror-line::-moz-selection, .cm-s-lesser-dark .CodeMirror-line > span::-moz-selection, .cm-s-lesser-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(69, 68, 59, .99); }\n.cm-s-lesser-dark .CodeMirror-cursor { border-left: 1px solid white; }\n.cm-s-lesser-dark pre { padding: 0 8px; }/*editable code holder*/\n\n.cm-s-lesser-dark.CodeMirror span.CodeMirror-matchingbracket { color: #7EFC7E; }/*65FC65*/\n\n.cm-s-lesser-dark .CodeMirror-gutters { background: #262626; border-right:1px solid #aaa; }\n.cm-s-lesser-dark .CodeMirror-guttermarker { color: #599eff; }\n.cm-s-lesser-dark .CodeMirror-guttermarker-subtle { color: #777; }\n.cm-s-lesser-dark .CodeMirror-linenumber { color: #777; }\n\n.cm-s-lesser-dark span.cm-header { color: #a0a; }\n.cm-s-lesser-dark span.cm-quote { color: #090; }\n.cm-s-lesser-dark span.cm-keyword { color: #599eff; }\n.cm-s-lesser-dark span.cm-atom { color: #C2B470; }\n.cm-s-lesser-dark span.cm-number { color: #B35E4D; }\n.cm-s-lesser-dark span.cm-def { color: white; }\n.cm-s-lesser-dark span.cm-variable { color:#D9BF8C; }\n.cm-s-lesser-dark span.cm-variable-2 { color: #669199; }\n.cm-s-lesser-dark span.cm-variable-3, .cm-s-lesser-dark span.cm-type { color: white; }\n.cm-s-lesser-dark span.cm-property { color: #92A75C; }\n.cm-s-lesser-dark span.cm-operator { color: #92A75C; }\n.cm-s-lesser-dark span.cm-comment { color: #666; }\n.cm-s-lesser-dark span.cm-string { color: #BCD279; }\n.cm-s-lesser-dark span.cm-string-2 { color: #f50; }\n.cm-s-lesser-dark span.cm-meta { color: #738C73; }\n.cm-s-lesser-dark span.cm-qualifier { color: #555; }\n.cm-s-lesser-dark span.cm-builtin { color: #ff9e59; }\n.cm-s-lesser-dark span.cm-bracket { color: #EBEFE7; }\n.cm-s-lesser-dark span.cm-tag { color: #669199; }\n.cm-s-lesser-dark span.cm-attribute { color: #81a4d5; }\n.cm-s-lesser-dark span.cm-hr { color: #999; }\n.cm-s-lesser-dark span.cm-link { color: #7070E6; }\n.cm-s-lesser-dark span.cm-error { color: #9d1e15; }\n\n.cm-s-lesser-dark .CodeMirror-activeline-background { background: #3C3A3A; }\n.cm-s-lesser-dark .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n",".cm-s-liquibyte.CodeMirror {\n\tbackground-color: #000;\n\tcolor: #fff;\n\tline-height: 1.2em;\n\tfont-size: 1em;\n}\n.cm-s-liquibyte .CodeMirror-focused .cm-matchhighlight {\n\ttext-decoration: underline;\n\ttext-decoration-color: #0f0;\n\ttext-decoration-style: wavy;\n}\n.cm-s-liquibyte .cm-trailingspace {\n\ttext-decoration: line-through;\n\ttext-decoration-color: #f00;\n\ttext-decoration-style: dotted;\n}\n.cm-s-liquibyte .cm-tab {\n\ttext-decoration: line-through;\n\ttext-decoration-color: #404040;\n\ttext-decoration-style: dotted;\n}\n.cm-s-liquibyte .CodeMirror-gutters { background-color: #262626; border-right: 1px solid #505050; padding-right: 0.8em; }\n.cm-s-liquibyte .CodeMirror-gutter-elt div { font-size: 1.2em; }\n.cm-s-liquibyte .CodeMirror-guttermarker { }\n.cm-s-liquibyte .CodeMirror-guttermarker-subtle { }\n.cm-s-liquibyte .CodeMirror-linenumber { color: #606060; padding-left: 0; }\n.cm-s-liquibyte .CodeMirror-cursor { border-left: 1px solid #eee; }\n\n.cm-s-liquibyte span.cm-comment { color: #008000; }\n.cm-s-liquibyte span.cm-def { color: #ffaf40; font-weight: bold; }\n.cm-s-liquibyte span.cm-keyword { color: #c080ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-builtin { color: #ffaf40; font-weight: bold; }\n.cm-s-liquibyte span.cm-variable { color: #5967ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-string { color: #ff8000; }\n.cm-s-liquibyte span.cm-number { color: #0f0; font-weight: bold; }\n.cm-s-liquibyte span.cm-atom { color: #bf3030; font-weight: bold; }\n\n.cm-s-liquibyte span.cm-variable-2 { color: #007f7f; font-weight: bold; }\n.cm-s-liquibyte span.cm-variable-3, .cm-s-liquibyte span.cm-type { color: #c080ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-property { color: #999; font-weight: bold; }\n.cm-s-liquibyte span.cm-operator { color: #fff; }\n\n.cm-s-liquibyte span.cm-meta { color: #0f0; }\n.cm-s-liquibyte span.cm-qualifier { color: #fff700; font-weight: bold; }\n.cm-s-liquibyte span.cm-bracket { color: #cc7; }\n.cm-s-liquibyte span.cm-tag { color: #ff0; font-weight: bold; }\n.cm-s-liquibyte span.cm-attribute { color: #c080ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-error { color: #f00; }\n\n.cm-s-liquibyte div.CodeMirror-selected { background-color: rgba(255, 0, 0, 0.25); }\n\n.cm-s-liquibyte span.cm-compilation { background-color: rgba(255, 255, 255, 0.12); }\n\n.cm-s-liquibyte .CodeMirror-activeline-background { background-color: rgba(0, 255, 0, 0.15); }\n\n/* Default styles for common addons */\n.cm-s-liquibyte .CodeMirror span.CodeMirror-matchingbracket { color: #0f0; font-weight: bold; }\n.cm-s-liquibyte .CodeMirror span.CodeMirror-nonmatchingbracket { color: #f00; font-weight: bold; }\n.CodeMirror-matchingtag { background-color: rgba(150, 255, 0, .3); }\n/* Scrollbars */\n/* Simple */\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div:hover, .cm-s-liquibyte div.CodeMirror-simplescroll-vertical div:hover {\n\tbackground-color: rgba(80, 80, 80, .7);\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div, .cm-s-liquibyte div.CodeMirror-simplescroll-vertical div {\n\tbackground-color: rgba(80, 80, 80, .3);\n\tborder: 1px solid #404040;\n\tborder-radius: 5px;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div {\n\tborder-top: 1px solid #404040;\n\tborder-bottom: 1px solid #404040;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div {\n\tborder-left: 1px solid #404040;\n\tborder-right: 1px solid #404040;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-vertical {\n\tbackground-color: #262626;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal {\n\tbackground-color: #262626;\n\tborder-top: 1px solid #404040;\n}\n/* Overlay */\n.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div, div.CodeMirror-overlayscroll-vertical div {\n\tbackground-color: #404040;\n\tborder-radius: 5px;\n}\n.cm-s-liquibyte div.CodeMirror-overlayscroll-vertical div {\n\tborder: 1px solid #404040;\n}\n.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div {\n\tborder: 1px solid #404040;\n}\n","/*\n Name: lucario\n Author: Raphael Amorim\n\n Original Lucario color scheme (https://github.com/raphamorim/lucario)\n*/\n\n.cm-s-lucario.CodeMirror, .cm-s-lucario .CodeMirror-gutters {\n background-color: #2b3e50 !important;\n color: #f8f8f2 !important;\n border: none;\n}\n.cm-s-lucario .CodeMirror-gutters { color: #2b3e50; }\n.cm-s-lucario .CodeMirror-cursor { border-left: solid thin #E6C845; }\n.cm-s-lucario .CodeMirror-linenumber { color: #f8f8f2; }\n.cm-s-lucario .CodeMirror-selected { background: #243443; }\n.cm-s-lucario .CodeMirror-line::selection, .cm-s-lucario .CodeMirror-line > span::selection, .cm-s-lucario .CodeMirror-line > span > span::selection { background: #243443; }\n.cm-s-lucario .CodeMirror-line::-moz-selection, .cm-s-lucario .CodeMirror-line > span::-moz-selection, .cm-s-lucario .CodeMirror-line > span > span::-moz-selection { background: #243443; }\n.cm-s-lucario span.cm-comment { color: #5c98cd; }\n.cm-s-lucario span.cm-string, .cm-s-lucario span.cm-string-2 { color: #E6DB74; }\n.cm-s-lucario span.cm-number { color: #ca94ff; }\n.cm-s-lucario span.cm-variable { color: #f8f8f2; }\n.cm-s-lucario span.cm-variable-2 { color: #f8f8f2; }\n.cm-s-lucario span.cm-def { color: #72C05D; }\n.cm-s-lucario span.cm-operator { color: #66D9EF; }\n.cm-s-lucario span.cm-keyword { color: #ff6541; }\n.cm-s-lucario span.cm-atom { color: #bd93f9; }\n.cm-s-lucario span.cm-meta { color: #f8f8f2; }\n.cm-s-lucario span.cm-tag { color: #ff6541; }\n.cm-s-lucario span.cm-attribute { color: #66D9EF; }\n.cm-s-lucario span.cm-qualifier { color: #72C05D; }\n.cm-s-lucario span.cm-property { color: #f8f8f2; }\n.cm-s-lucario span.cm-builtin { color: #72C05D; }\n.cm-s-lucario span.cm-variable-3, .cm-s-lucario span.cm-type { color: #ffb86c; }\n\n.cm-s-lucario .CodeMirror-activeline-background { background: #243443; }\n.cm-s-lucario .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n Name: material\n Author: Mattia Astorino (http://github.com/equinusocio)\n Website: https://material-theme.site/\n*/\n\n.cm-s-material.CodeMirror {\n background-color: #263238;\n color: #EEFFFF;\n}\n\n.cm-s-material .CodeMirror-gutters {\n background: #263238;\n color: #546E7A;\n border: none;\n}\n\n.cm-s-material .CodeMirror-guttermarker,\n.cm-s-material .CodeMirror-guttermarker-subtle,\n.cm-s-material .CodeMirror-linenumber {\n color: #546E7A;\n}\n\n.cm-s-material .CodeMirror-cursor {\n border-left: 1px solid #FFCC00;\n}\n.cm-s-material.cm-fat-cursor .CodeMirror-cursor {\n background-color: #5d6d5c80 !important;\n}\n.cm-s-material .cm-animate-fat-cursor {\n background-color: #5d6d5c80 !important;\n}\n\n.cm-s-material div.CodeMirror-selected {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material.CodeMirror-focused div.CodeMirror-selected {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material .CodeMirror-line::selection,\n.cm-s-material .CodeMirror-line>span::selection,\n.cm-s-material .CodeMirror-line>span>span::selection {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material .CodeMirror-line::-moz-selection,\n.cm-s-material .CodeMirror-line>span::-moz-selection,\n.cm-s-material .CodeMirror-line>span>span::-moz-selection {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material .CodeMirror-activeline-background {\n background: rgba(0, 0, 0, 0.5);\n}\n\n.cm-s-material .cm-keyword {\n color: #C792EA;\n}\n\n.cm-s-material .cm-operator {\n color: #89DDFF;\n}\n\n.cm-s-material .cm-variable-2 {\n color: #EEFFFF;\n}\n\n.cm-s-material .cm-variable-3,\n.cm-s-material .cm-type {\n color: #f07178;\n}\n\n.cm-s-material .cm-builtin {\n color: #FFCB6B;\n}\n\n.cm-s-material .cm-atom {\n color: #F78C6C;\n}\n\n.cm-s-material .cm-number {\n color: #FF5370;\n}\n\n.cm-s-material .cm-def {\n color: #82AAFF;\n}\n\n.cm-s-material .cm-string {\n color: #C3E88D;\n}\n\n.cm-s-material .cm-string-2 {\n color: #f07178;\n}\n\n.cm-s-material .cm-comment {\n color: #546E7A;\n}\n\n.cm-s-material .cm-variable {\n color: #f07178;\n}\n\n.cm-s-material .cm-tag {\n color: #FF5370;\n}\n\n.cm-s-material .cm-meta {\n color: #FFCB6B;\n}\n\n.cm-s-material .cm-attribute {\n color: #C792EA;\n}\n\n.cm-s-material .cm-property {\n color: #C792EA;\n}\n\n.cm-s-material .cm-qualifier {\n color: #DECB6B;\n}\n\n.cm-s-material .cm-variable-3,\n.cm-s-material .cm-type {\n color: #DECB6B;\n}\n\n\n.cm-s-material .cm-error {\n color: rgba(255, 255, 255, 1.0);\n background-color: #FF5370;\n}\n\n.cm-s-material .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n","/****************************************************************/\n/* Based on mbonaci's Brackets mbo theme */\n/* https://github.com/mbonaci/global/blob/master/Mbo.tmTheme */\n/* Create your own: http://tmtheme-editor.herokuapp.com */\n/****************************************************************/\n\n.cm-s-mbo.CodeMirror { background: #2c2c2c; color: #ffffec; }\n.cm-s-mbo div.CodeMirror-selected { background: #716C62; }\n.cm-s-mbo .CodeMirror-line::selection, .cm-s-mbo .CodeMirror-line > span::selection, .cm-s-mbo .CodeMirror-line > span > span::selection { background: rgba(113, 108, 98, .99); }\n.cm-s-mbo .CodeMirror-line::-moz-selection, .cm-s-mbo .CodeMirror-line > span::-moz-selection, .cm-s-mbo .CodeMirror-line > span > span::-moz-selection { background: rgba(113, 108, 98, .99); }\n.cm-s-mbo .CodeMirror-gutters { background: #4e4e4e; border-right: 0px; }\n.cm-s-mbo .CodeMirror-guttermarker { color: white; }\n.cm-s-mbo .CodeMirror-guttermarker-subtle { color: grey; }\n.cm-s-mbo .CodeMirror-linenumber { color: #dadada; }\n.cm-s-mbo .CodeMirror-cursor { border-left: 1px solid #ffffec; }\n\n.cm-s-mbo span.cm-comment { color: #95958a; }\n.cm-s-mbo span.cm-atom { color: #00a8c6; }\n.cm-s-mbo span.cm-number { color: #00a8c6; }\n\n.cm-s-mbo span.cm-property, .cm-s-mbo span.cm-attribute { color: #9ddfe9; }\n.cm-s-mbo span.cm-keyword { color: #ffb928; }\n.cm-s-mbo span.cm-string { color: #ffcf6c; }\n.cm-s-mbo span.cm-string.cm-property { color: #ffffec; }\n\n.cm-s-mbo span.cm-variable { color: #ffffec; }\n.cm-s-mbo span.cm-variable-2 { color: #00a8c6; }\n.cm-s-mbo span.cm-def { color: #ffffec; }\n.cm-s-mbo span.cm-bracket { color: #fffffc; font-weight: bold; }\n.cm-s-mbo span.cm-tag { color: #9ddfe9; }\n.cm-s-mbo span.cm-link { color: #f54b07; }\n.cm-s-mbo span.cm-error { border-bottom: #636363; color: #ffffec; }\n.cm-s-mbo span.cm-qualifier { color: #ffffec; }\n\n.cm-s-mbo .CodeMirror-activeline-background { background: #494b41; }\n.cm-s-mbo .CodeMirror-matchingbracket { color: #ffb928 !important; }\n.cm-s-mbo .CodeMirror-matchingtag { background: rgba(255, 255, 255, .37); }\n","/*\n MDN-LIKE Theme - Mozilla\n Ported to CodeMirror by Peter Kroon \n Report bugs/issues here: https://github.com/codemirror/CodeMirror/issues\n GitHub: @peterkroon\n\n The mdn-like theme is inspired on the displayed code examples at: https://developer.mozilla.org/en-US/docs/Web/CSS/animation\n\n*/\n.cm-s-mdn-like.CodeMirror { color: #999; background-color: #fff; }\n.cm-s-mdn-like div.CodeMirror-selected { background: #cfc; }\n.cm-s-mdn-like .CodeMirror-line::selection, .cm-s-mdn-like .CodeMirror-line > span::selection, .cm-s-mdn-like .CodeMirror-line > span > span::selection { background: #cfc; }\n.cm-s-mdn-like .CodeMirror-line::-moz-selection, .cm-s-mdn-like .CodeMirror-line > span::-moz-selection, .cm-s-mdn-like .CodeMirror-line > span > span::-moz-selection { background: #cfc; }\n\n.cm-s-mdn-like .CodeMirror-gutters { background: #f8f8f8; border-left: 6px solid rgba(0,83,159,0.65); color: #333; }\n.cm-s-mdn-like .CodeMirror-linenumber { color: #aaa; padding-left: 8px; }\n.cm-s-mdn-like .CodeMirror-cursor { border-left: 2px solid #222; }\n\n.cm-s-mdn-like .cm-keyword { color: #6262FF; }\n.cm-s-mdn-like .cm-atom { color: #F90; }\n.cm-s-mdn-like .cm-number { color: #ca7841; }\n.cm-s-mdn-like .cm-def { color: #8DA6CE; }\n.cm-s-mdn-like span.cm-variable-2, .cm-s-mdn-like span.cm-tag { color: #690; }\n.cm-s-mdn-like span.cm-variable-3, .cm-s-mdn-like span.cm-def, .cm-s-mdn-like span.cm-type { color: #07a; }\n\n.cm-s-mdn-like .cm-variable { color: #07a; }\n.cm-s-mdn-like .cm-property { color: #905; }\n.cm-s-mdn-like .cm-qualifier { color: #690; }\n\n.cm-s-mdn-like .cm-operator { color: #cda869; }\n.cm-s-mdn-like .cm-comment { color:#777; font-weight:normal; }\n.cm-s-mdn-like .cm-string { color:#07a; font-style:italic; }\n.cm-s-mdn-like .cm-string-2 { color:#bd6b18; } /*?*/\n.cm-s-mdn-like .cm-meta { color: #000; } /*?*/\n.cm-s-mdn-like .cm-builtin { color: #9B7536; } /*?*/\n.cm-s-mdn-like .cm-tag { color: #997643; }\n.cm-s-mdn-like .cm-attribute { color: #d6bb6d; } /*?*/\n.cm-s-mdn-like .cm-header { color: #FF6400; }\n.cm-s-mdn-like .cm-hr { color: #AEAEAE; }\n.cm-s-mdn-like .cm-link { color:#ad9361; font-style:italic; text-decoration:none; }\n.cm-s-mdn-like .cm-error { border-bottom: 1px solid red; }\n\ndiv.cm-s-mdn-like .CodeMirror-activeline-background { background: #efefff; }\ndiv.cm-s-mdn-like span.CodeMirror-matchingbracket { outline:1px solid grey; color: inherit; }\n\n.cm-s-mdn-like.CodeMirror { background-image: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFcAAAAyCAYAAAAp8UeFAAAHvklEQVR42s2b63bcNgyEQZCSHCdt2vd/0tWF7I+Q6XgMXiTtuvU5Pl57ZQKkKHzEAOtF5KeIJBGJ8uvL599FRFREZhFx8DeXv8trn68RuGaC8TRfo3SNp9dlDDHedyLyTUTeRWStXKPZrjtpZxaRw5hPqozRs1N8/enzIiQRWcCgy4MUA0f+XWliDhyL8Lfyvx7ei/Ae3iQFHyw7U/59pQVIMEEPEz0G7XiwdRjzSfC3UTtz9vchIntxvry5iMgfIhJoEflOz2CQr3F5h/HfeFe+GTdLaKcu9L8LTeQb/R/7GgbsfKedyNdoHsN31uRPWrfZ5wsj/NzzRQHuToIdU3ahwnsKPxXCjJITuOsi7XLc7SG/v5GdALs7wf8JjTFiB5+QvTEfRyGOfX3Lrx8wxyQi3sNq46O7QahQiCsRFgqddjBouVEHOKDgXAQHD9gJCr5sMKkEdjwsarG/ww3BMHBU7OBjXnzdyY7SfCxf5/z6ATccrwlKuwC/jhznnPF4CgVzhhVf4xp2EixcBActO75iZ8/fM9zAs2OMzKdslgXWJ9XG8PQoOAMA5fGcsvORgv0doBXyHrCwfLJAOwo71QLNkb8n2Pl6EWiR7OCibtkPaz4Kc/0NNAze2gju3zOwekALDaCFPI5vjPFmgGY5AZqyGEvH1x7QfIb8YtxMnA/b+QQ0aQDAwc6JMFg8CbQZ4qoYEEHbRwNojuK3EHwd7VALSgq+MNDKzfT58T8qdpADrgW0GmgcAS1lhzztJmkAzcPNOQbsWEALBDSlMKUG0Eq4CLAQWvEVQ9WU57gZJwZtgPO3r9oBTQ9WO8TjqXINx8R0EYpiZEUWOF3FxkbJkgU9B2f41YBrIj5ZfsQa0M5kTgiAAqM3ShXLgu8XMqcrQBvJ0CL5pnTsfMB13oB8athpAq2XOQmcGmoACCLydx7nToa23ATaSIY2ichfOdPTGxlasXMLaL0MLZAOwAKIM+y8CmicobGdCcbbK9DzN+yYGVoNNI5iUKTMyYOjPse4A8SM1MmcXgU0toOq1yO/v8FOxlASyc7TgeYaAMBJHcY1CcCwGI/TK4AmDbDyKYBBtFUkRwto8gygiQEaByFgJ00BH2M8JWwQS1nafDXQCidWyOI8AcjDCSjCLk8ngObuAm3JAHAdubAmOaK06V8MNEsKPJOhobSprwQa6gD7DclRQdqcwL4zxqgBrQcabUiBLclRDKAlWp+etPkBaNMA0AKlrHwTdEByZAA4GM+SNluSY6wAzcMNewxmgig5Ks0nkrSpBvSaQHMdKTBAnLojOdYyGpQ254602ZILPdTD1hdlggdIm74jbTp8vDwF5ZYUeLWGJpWsh6XNyXgcYwVoJQTEhhTYkxzZjiU5npU2TaB979TQehlaAVq4kaGpiPwwwLkYUuBbQwocyQTv1tA0+1UFWoJF3iv1oq+qoSk8EQdJmwHkziIF7oOZk14EGitibAdjLYYK78H5vZOhtWpoI0ATGHs0Q8OMb4Ey+2bU2UYztCtA0wFAs7TplGLRVQCcqaFdGSPCeTI1QNIC52iWNzof6Uib7xjEp07mNNoUYmVosVItHrHzRlLgBn9LFyRHaQCtVUMbtTNhoXWiTOO9k/V8BdAc1Oq0ArSQs6/5SU0hckNy9NnXqQY0PGYo5dWJ7nINaN6o958FWin27aBaWRka1r5myvLOAm0j30eBJqCxHLReVclxhxOEN2JfDWjxBtAC7MIH1fVaGdoOp4qJYDgKtKPSFNID2gSnGldrCqkFZ+5UeQXQBIRrSwocbdZYQT/2LwRahBPBXoHrB8nxaGROST62DKUbQOMMzZIC9abkuELfQzQALWTnDNAm8KHWFOJgJ5+SHIvTPcmx1xQyZRhNL5Qci689aXMEaN/uNIWkEwDAvFpOZmgsBaaGnbs1NPa1Jm32gBZAIh1pCtG7TSH4aE0y1uVY4uqoFPisGlpP2rSA5qTecWn5agK6BzSpgAyD+wFaqhnYoSZ1Vwr8CmlTQbrcO3ZaX0NAEyMbYaAlyquFoLKK3SPby9CeVUPThrSJmkCAE0CrKUQadi4DrdSlWhmah0YL9z9vClH59YGbHx1J8VZTyAjQepJjmXwAKTDQI3omc3p1U4gDUf6RfcdYfrUp5ClAi2J3Ba6UOXGo+K+bQrjjssitG2SJzshaLwMtXgRagUNpYYoVkMSBLM+9GGiJZMvduG6DRZ4qc04DMPtQQxOjEtACmhO7K1AbNbQDEggZyJwscFpAGwENhoBeUwh3bWolhe8BTYVKxQEWrSUn/uhcM5KhvUu/+eQu0Lzhi+VrK0PrZZNDQKs9cpYUuFYgMVpD4/NxenJTiMCNqdUEUf1qZWjppLT5qSkkUZbCwkbZMSuVnu80hfSkzRbQeqCZSAh6huR4VtoM2gHAlLf72smuWgE+VV7XpE25Ab2WFDgyhnSuKbs4GuGzCjR+tIoUuMFg3kgcWKLTwRqanJQ2W00hAsenfaApRC42hbCvK1SlE0HtE9BGgneJO+ELamitD1YjjOYnNYVcraGhtKkW0EqVVeDx733I2NH581k1NNxNLG0i0IJ8/NjVaOZ0tYZ2Vtr0Xv7tPV3hkWp9EFkgS/J0vosngTaSoaG06WHi+xObQkaAdlbanP8B2+2l0f90LmUAAAAASUVORK5CYII=); }\n","/* Based on the theme at http://bonsaiden.github.com/JavaScript-Garden */\n\n/**/\n.cm-s-midnight .CodeMirror-activeline-background { background: #253540; }\n\n.cm-s-midnight.CodeMirror {\n background: #0F192A;\n color: #D1EDFF;\n}\n\n.cm-s-midnight div.CodeMirror-selected { background: #314D67; }\n.cm-s-midnight .CodeMirror-line::selection, .cm-s-midnight .CodeMirror-line > span::selection, .cm-s-midnight .CodeMirror-line > span > span::selection { background: rgba(49, 77, 103, .99); }\n.cm-s-midnight .CodeMirror-line::-moz-selection, .cm-s-midnight .CodeMirror-line > span::-moz-selection, .cm-s-midnight .CodeMirror-line > span > span::-moz-selection { background: rgba(49, 77, 103, .99); }\n.cm-s-midnight .CodeMirror-gutters { background: #0F192A; border-right: 1px solid; }\n.cm-s-midnight .CodeMirror-guttermarker { color: white; }\n.cm-s-midnight .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-midnight .CodeMirror-linenumber { color: #D0D0D0; }\n.cm-s-midnight .CodeMirror-cursor { border-left: 1px solid #F8F8F0; }\n\n.cm-s-midnight span.cm-comment { color: #428BDD; }\n.cm-s-midnight span.cm-atom { color: #AE81FF; }\n.cm-s-midnight span.cm-number { color: #D1EDFF; }\n\n.cm-s-midnight span.cm-property, .cm-s-midnight span.cm-attribute { color: #A6E22E; }\n.cm-s-midnight span.cm-keyword { color: #E83737; }\n.cm-s-midnight span.cm-string { color: #1DC116; }\n\n.cm-s-midnight span.cm-variable { color: #FFAA3E; }\n.cm-s-midnight span.cm-variable-2 { color: #FFAA3E; }\n.cm-s-midnight span.cm-def { color: #4DD; }\n.cm-s-midnight span.cm-bracket { color: #D1EDFF; }\n.cm-s-midnight span.cm-tag { color: #449; }\n.cm-s-midnight span.cm-link { color: #AE81FF; }\n.cm-s-midnight span.cm-error { background: #F92672; color: #F8F8F0; }\n\n.cm-s-midnight .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n","/* Based on Sublime Text's Monokai theme */\n\n.cm-s-monokai.CodeMirror { background: #272822; color: #f8f8f2; }\n.cm-s-monokai div.CodeMirror-selected { background: #49483E; }\n.cm-s-monokai .CodeMirror-line::selection, .cm-s-monokai .CodeMirror-line > span::selection, .cm-s-monokai .CodeMirror-line > span > span::selection { background: rgba(73, 72, 62, .99); }\n.cm-s-monokai .CodeMirror-line::-moz-selection, .cm-s-monokai .CodeMirror-line > span::-moz-selection, .cm-s-monokai .CodeMirror-line > span > span::-moz-selection { background: rgba(73, 72, 62, .99); }\n.cm-s-monokai .CodeMirror-gutters { background: #272822; border-right: 0px; }\n.cm-s-monokai .CodeMirror-guttermarker { color: white; }\n.cm-s-monokai .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-monokai .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-monokai .CodeMirror-cursor { border-left: 1px solid #f8f8f0; }\n\n.cm-s-monokai span.cm-comment { color: #75715e; }\n.cm-s-monokai span.cm-atom { color: #ae81ff; }\n.cm-s-monokai span.cm-number { color: #ae81ff; }\n\n.cm-s-monokai span.cm-comment.cm-attribute { color: #97b757; }\n.cm-s-monokai span.cm-comment.cm-def { color: #bc9262; }\n.cm-s-monokai span.cm-comment.cm-tag { color: #bc6283; }\n.cm-s-monokai span.cm-comment.cm-type { color: #5998a6; }\n\n.cm-s-monokai span.cm-property, .cm-s-monokai span.cm-attribute { color: #a6e22e; }\n.cm-s-monokai span.cm-keyword { color: #f92672; }\n.cm-s-monokai span.cm-builtin { color: #66d9ef; }\n.cm-s-monokai span.cm-string { color: #e6db74; }\n\n.cm-s-monokai span.cm-variable { color: #f8f8f2; }\n.cm-s-monokai span.cm-variable-2 { color: #9effff; }\n.cm-s-monokai span.cm-variable-3, .cm-s-monokai span.cm-type { color: #66d9ef; }\n.cm-s-monokai span.cm-def { color: #fd971f; }\n.cm-s-monokai span.cm-bracket { color: #f8f8f2; }\n.cm-s-monokai span.cm-tag { color: #f92672; }\n.cm-s-monokai span.cm-header { color: #ae81ff; }\n.cm-s-monokai span.cm-link { color: #ae81ff; }\n.cm-s-monokai span.cm-error { background: #f92672; color: #f8f8f0; }\n\n.cm-s-monokai .CodeMirror-activeline-background { background: #373831; }\n.cm-s-monokai .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n",".cm-s-neat span.cm-comment { color: #a86; }\n.cm-s-neat span.cm-keyword { line-height: 1em; font-weight: bold; color: blue; }\n.cm-s-neat span.cm-string { color: #a22; }\n.cm-s-neat span.cm-builtin { line-height: 1em; font-weight: bold; color: #077; }\n.cm-s-neat span.cm-special { line-height: 1em; font-weight: bold; color: #0aa; }\n.cm-s-neat span.cm-variable { color: black; }\n.cm-s-neat span.cm-number, .cm-s-neat span.cm-atom { color: #3a3; }\n.cm-s-neat span.cm-meta { color: #555; }\n.cm-s-neat span.cm-link { color: #3a3; }\n\n.cm-s-neat .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-neat .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n","/* neo theme for codemirror */\n\n/* Color scheme */\n\n.cm-s-neo.CodeMirror {\n background-color:#ffffff;\n color:#2e383c;\n line-height:1.4375;\n}\n.cm-s-neo .cm-comment { color:#75787b; }\n.cm-s-neo .cm-keyword, .cm-s-neo .cm-property { color:#1d75b3; }\n.cm-s-neo .cm-atom,.cm-s-neo .cm-number { color:#75438a; }\n.cm-s-neo .cm-node,.cm-s-neo .cm-tag { color:#9c3328; }\n.cm-s-neo .cm-string { color:#b35e14; }\n.cm-s-neo .cm-variable,.cm-s-neo .cm-qualifier { color:#047d65; }\n\n\n/* Editor styling */\n\n.cm-s-neo pre {\n padding:0;\n}\n\n.cm-s-neo .CodeMirror-gutters {\n border:none;\n border-right:10px solid transparent;\n background-color:transparent;\n}\n\n.cm-s-neo .CodeMirror-linenumber {\n padding:0;\n color:#e0e2e5;\n}\n\n.cm-s-neo .CodeMirror-guttermarker { color: #1d75b3; }\n.cm-s-neo .CodeMirror-guttermarker-subtle { color: #e0e2e5; }\n\n.cm-s-neo .CodeMirror-cursor {\n width: auto;\n border: 0;\n background: rgba(155,157,162,0.37);\n z-index: 1;\n}\n","/* Loosely based on the Midnight Textmate theme */\n\n.cm-s-night.CodeMirror { background: #0a001f; color: #f8f8f8; }\n.cm-s-night div.CodeMirror-selected { background: #447; }\n.cm-s-night .CodeMirror-line::selection, .cm-s-night .CodeMirror-line > span::selection, .cm-s-night .CodeMirror-line > span > span::selection { background: rgba(68, 68, 119, .99); }\n.cm-s-night .CodeMirror-line::-moz-selection, .cm-s-night .CodeMirror-line > span::-moz-selection, .cm-s-night .CodeMirror-line > span > span::-moz-selection { background: rgba(68, 68, 119, .99); }\n.cm-s-night .CodeMirror-gutters { background: #0a001f; border-right: 1px solid #aaa; }\n.cm-s-night .CodeMirror-guttermarker { color: white; }\n.cm-s-night .CodeMirror-guttermarker-subtle { color: #bbb; }\n.cm-s-night .CodeMirror-linenumber { color: #f8f8f8; }\n.cm-s-night .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-night span.cm-comment { color: #8900d1; }\n.cm-s-night span.cm-atom { color: #845dc4; }\n.cm-s-night span.cm-number, .cm-s-night span.cm-attribute { color: #ffd500; }\n.cm-s-night span.cm-keyword { color: #599eff; }\n.cm-s-night span.cm-string { color: #37f14a; }\n.cm-s-night span.cm-meta { color: #7678e2; }\n.cm-s-night span.cm-variable-2, .cm-s-night span.cm-tag { color: #99b2ff; }\n.cm-s-night span.cm-variable-3, .cm-s-night span.cm-def, .cm-s-night span.cm-type { color: white; }\n.cm-s-night span.cm-bracket { color: #8da6ce; }\n.cm-s-night span.cm-builtin, .cm-s-night span.cm-special { color: #ff9e59; }\n.cm-s-night span.cm-link { color: #845dc4; }\n.cm-s-night span.cm-error { color: #9d1e15; }\n\n.cm-s-night .CodeMirror-activeline-background { background: #1C005A; }\n.cm-s-night .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\n\n Name: oceanic-next\n Author: Filype Pereira (https://github.com/fpereira1)\n\n Original oceanic-next color scheme by Dmitri Voronianski (https://github.com/voronianski/oceanic-next-color-scheme)\n\n*/\n\n.cm-s-oceanic-next.CodeMirror { background: #304148; color: #f8f8f2; }\n.cm-s-oceanic-next div.CodeMirror-selected { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-line::selection, .cm-s-oceanic-next .CodeMirror-line > span::selection, .cm-s-oceanic-next .CodeMirror-line > span > span::selection { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-line::-moz-selection, .cm-s-oceanic-next .CodeMirror-line > span::-moz-selection, .cm-s-oceanic-next .CodeMirror-line > span > span::-moz-selection { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-gutters { background: #304148; border-right: 10px; }\n.cm-s-oceanic-next .CodeMirror-guttermarker { color: white; }\n.cm-s-oceanic-next .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-oceanic-next .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-oceanic-next .CodeMirror-cursor { border-left: 1px solid #f8f8f0; }\n.cm-s-oceanic-next.cm-fat-cursor .CodeMirror-cursor { background-color: #a2a8a175 !important; }\n.cm-s-oceanic-next .cm-animate-fat-cursor { background-color: #a2a8a175 !important; }\n\n.cm-s-oceanic-next span.cm-comment { color: #65737E; }\n.cm-s-oceanic-next span.cm-atom { color: #C594C5; }\n.cm-s-oceanic-next span.cm-number { color: #F99157; }\n\n.cm-s-oceanic-next span.cm-property { color: #99C794; }\n.cm-s-oceanic-next span.cm-attribute,\n.cm-s-oceanic-next span.cm-keyword { color: #C594C5; }\n.cm-s-oceanic-next span.cm-builtin { color: #66d9ef; }\n.cm-s-oceanic-next span.cm-string { color: #99C794; }\n\n.cm-s-oceanic-next span.cm-variable,\n.cm-s-oceanic-next span.cm-variable-2,\n.cm-s-oceanic-next span.cm-variable-3 { color: #f8f8f2; }\n.cm-s-oceanic-next span.cm-def { color: #6699CC; }\n.cm-s-oceanic-next span.cm-bracket { color: #5FB3B3; }\n.cm-s-oceanic-next span.cm-tag { color: #C594C5; }\n.cm-s-oceanic-next span.cm-header { color: #C594C5; }\n.cm-s-oceanic-next span.cm-link { color: #C594C5; }\n.cm-s-oceanic-next span.cm-error { background: #C594C5; color: #f8f8f0; }\n\n.cm-s-oceanic-next .CodeMirror-activeline-background { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n","/*\n\tName: Panda Syntax\n\tAuthor: Siamak Mokhtari (http://github.com/siamak/)\n\tCodeMirror template by Siamak Mokhtari (https://github.com/siamak/atom-panda-syntax)\n*/\n.cm-s-panda-syntax {\n\tbackground: #292A2B;\n\tcolor: #E6E6E6;\n\tline-height: 1.5;\n\tfont-family: 'Operator Mono', 'Source Code Pro', Menlo, Monaco, Consolas, Courier New, monospace;\n}\n.cm-s-panda-syntax .CodeMirror-cursor { border-color: #ff2c6d; }\n.cm-s-panda-syntax .CodeMirror-activeline-background {\n\tbackground: rgba(99, 123, 156, 0.1);\n}\n.cm-s-panda-syntax .CodeMirror-selected {\n\tbackground: #FFF;\n}\n.cm-s-panda-syntax .cm-comment {\n\tfont-style: italic;\n\tcolor: #676B79;\n}\n.cm-s-panda-syntax .cm-operator {\n\tcolor: #f3f3f3;\n}\n.cm-s-panda-syntax .cm-string {\n\tcolor: #19F9D8;\n}\n.cm-s-panda-syntax .cm-string-2 {\n color: #FFB86C;\n}\n\n.cm-s-panda-syntax .cm-tag {\n\tcolor: #ff2c6d;\n}\n.cm-s-panda-syntax .cm-meta {\n\tcolor: #b084eb;\n}\n\n.cm-s-panda-syntax .cm-number {\n\tcolor: #FFB86C;\n}\n.cm-s-panda-syntax .cm-atom {\n\tcolor: #ff2c6d;\n}\n.cm-s-panda-syntax .cm-keyword {\n\tcolor: #FF75B5;\n}\n.cm-s-panda-syntax .cm-variable {\n\tcolor: #ffb86c;\n}\n.cm-s-panda-syntax .cm-variable-2 {\n\tcolor: #ff9ac1;\n}\n.cm-s-panda-syntax .cm-variable-3, .cm-s-panda-syntax .cm-type {\n\tcolor: #ff9ac1;\n}\n\n.cm-s-panda-syntax .cm-def {\n\tcolor: #e6e6e6;\n}\n.cm-s-panda-syntax .cm-property {\n\tcolor: #f3f3f3;\n}\n.cm-s-panda-syntax .cm-unit {\n color: #ffb86c;\n}\n\n.cm-s-panda-syntax .cm-attribute {\n color: #ffb86c;\n}\n\n.cm-s-panda-syntax .CodeMirror-matchingbracket {\n border-bottom: 1px dotted #19F9D8;\n padding-bottom: 2px;\n color: #e6e6e6;\n}\n.cm-s-panda-syntax .CodeMirror-gutters {\n background: #292a2b;\n border-right-color: rgba(255, 255, 255, 0.1);\n}\n.cm-s-panda-syntax .CodeMirror-linenumber {\n color: #e6e6e6;\n opacity: 0.6;\n}\n","/*\n\n Name: Paraíso (Dark)\n Author: Jan T. Sott\n\n Color scheme by Jan T. Sott (https://github.com/idleberg/Paraiso-CodeMirror)\n Inspired by the art of Rubens LP (http://www.rubenslp.com.br)\n\n*/\n\n.cm-s-paraiso-dark.CodeMirror { background: #2f1e2e; color: #b9b6b0; }\n.cm-s-paraiso-dark div.CodeMirror-selected { background: #41323f; }\n.cm-s-paraiso-dark .CodeMirror-line::selection, .cm-s-paraiso-dark .CodeMirror-line > span::selection, .cm-s-paraiso-dark .CodeMirror-line > span > span::selection { background: rgba(65, 50, 63, .99); }\n.cm-s-paraiso-dark .CodeMirror-line::-moz-selection, .cm-s-paraiso-dark .CodeMirror-line > span::-moz-selection, .cm-s-paraiso-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(65, 50, 63, .99); }\n.cm-s-paraiso-dark .CodeMirror-gutters { background: #2f1e2e; border-right: 0px; }\n.cm-s-paraiso-dark .CodeMirror-guttermarker { color: #ef6155; }\n.cm-s-paraiso-dark .CodeMirror-guttermarker-subtle { color: #776e71; }\n.cm-s-paraiso-dark .CodeMirror-linenumber { color: #776e71; }\n.cm-s-paraiso-dark .CodeMirror-cursor { border-left: 1px solid #8d8687; }\n\n.cm-s-paraiso-dark span.cm-comment { color: #e96ba8; }\n.cm-s-paraiso-dark span.cm-atom { color: #815ba4; }\n.cm-s-paraiso-dark span.cm-number { color: #815ba4; }\n\n.cm-s-paraiso-dark span.cm-property, .cm-s-paraiso-dark span.cm-attribute { color: #48b685; }\n.cm-s-paraiso-dark span.cm-keyword { color: #ef6155; }\n.cm-s-paraiso-dark span.cm-string { color: #fec418; }\n\n.cm-s-paraiso-dark span.cm-variable { color: #48b685; }\n.cm-s-paraiso-dark span.cm-variable-2 { color: #06b6ef; }\n.cm-s-paraiso-dark span.cm-def { color: #f99b15; }\n.cm-s-paraiso-dark span.cm-bracket { color: #b9b6b0; }\n.cm-s-paraiso-dark span.cm-tag { color: #ef6155; }\n.cm-s-paraiso-dark span.cm-link { color: #815ba4; }\n.cm-s-paraiso-dark span.cm-error { background: #ef6155; color: #8d8687; }\n\n.cm-s-paraiso-dark .CodeMirror-activeline-background { background: #4D344A; }\n.cm-s-paraiso-dark .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: Paraíso (Light)\n Author: Jan T. Sott\n\n Color scheme by Jan T. Sott (https://github.com/idleberg/Paraiso-CodeMirror)\n Inspired by the art of Rubens LP (http://www.rubenslp.com.br)\n\n*/\n\n.cm-s-paraiso-light.CodeMirror { background: #e7e9db; color: #41323f; }\n.cm-s-paraiso-light div.CodeMirror-selected { background: #b9b6b0; }\n.cm-s-paraiso-light .CodeMirror-line::selection, .cm-s-paraiso-light .CodeMirror-line > span::selection, .cm-s-paraiso-light .CodeMirror-line > span > span::selection { background: #b9b6b0; }\n.cm-s-paraiso-light .CodeMirror-line::-moz-selection, .cm-s-paraiso-light .CodeMirror-line > span::-moz-selection, .cm-s-paraiso-light .CodeMirror-line > span > span::-moz-selection { background: #b9b6b0; }\n.cm-s-paraiso-light .CodeMirror-gutters { background: #e7e9db; border-right: 0px; }\n.cm-s-paraiso-light .CodeMirror-guttermarker { color: black; }\n.cm-s-paraiso-light .CodeMirror-guttermarker-subtle { color: #8d8687; }\n.cm-s-paraiso-light .CodeMirror-linenumber { color: #8d8687; }\n.cm-s-paraiso-light .CodeMirror-cursor { border-left: 1px solid #776e71; }\n\n.cm-s-paraiso-light span.cm-comment { color: #e96ba8; }\n.cm-s-paraiso-light span.cm-atom { color: #815ba4; }\n.cm-s-paraiso-light span.cm-number { color: #815ba4; }\n\n.cm-s-paraiso-light span.cm-property, .cm-s-paraiso-light span.cm-attribute { color: #48b685; }\n.cm-s-paraiso-light span.cm-keyword { color: #ef6155; }\n.cm-s-paraiso-light span.cm-string { color: #fec418; }\n\n.cm-s-paraiso-light span.cm-variable { color: #48b685; }\n.cm-s-paraiso-light span.cm-variable-2 { color: #06b6ef; }\n.cm-s-paraiso-light span.cm-def { color: #f99b15; }\n.cm-s-paraiso-light span.cm-bracket { color: #41323f; }\n.cm-s-paraiso-light span.cm-tag { color: #ef6155; }\n.cm-s-paraiso-light span.cm-link { color: #815ba4; }\n.cm-s-paraiso-light span.cm-error { background: #ef6155; color: #776e71; }\n\n.cm-s-paraiso-light .CodeMirror-activeline-background { background: #CFD1C4; }\n.cm-s-paraiso-light .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/**\n * Pastel On Dark theme ported from ACE editor\n * @license MIT\n * @copyright AtomicPages LLC 2014\n * @author Dennis Thompson, AtomicPages LLC\n * @version 1.1\n * @source https://github.com/atomicpages/codemirror-pastel-on-dark-theme\n */\n\n.cm-s-pastel-on-dark.CodeMirror {\n\tbackground: #2c2827;\n\tcolor: #8F938F;\n\tline-height: 1.5;\n}\n.cm-s-pastel-on-dark div.CodeMirror-selected { background: rgba(221,240,255,0.2); }\n.cm-s-pastel-on-dark .CodeMirror-line::selection, .cm-s-pastel-on-dark .CodeMirror-line > span::selection, .cm-s-pastel-on-dark .CodeMirror-line > span > span::selection { background: rgba(221,240,255,0.2); }\n.cm-s-pastel-on-dark .CodeMirror-line::-moz-selection, .cm-s-pastel-on-dark .CodeMirror-line > span::-moz-selection, .cm-s-pastel-on-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(221,240,255,0.2); }\n\n.cm-s-pastel-on-dark .CodeMirror-gutters {\n\tbackground: #34302f;\n\tborder-right: 0px;\n\tpadding: 0 3px;\n}\n.cm-s-pastel-on-dark .CodeMirror-guttermarker { color: white; }\n.cm-s-pastel-on-dark .CodeMirror-guttermarker-subtle { color: #8F938F; }\n.cm-s-pastel-on-dark .CodeMirror-linenumber { color: #8F938F; }\n.cm-s-pastel-on-dark .CodeMirror-cursor { border-left: 1px solid #A7A7A7; }\n.cm-s-pastel-on-dark span.cm-comment { color: #A6C6FF; }\n.cm-s-pastel-on-dark span.cm-atom { color: #DE8E30; }\n.cm-s-pastel-on-dark span.cm-number { color: #CCCCCC; }\n.cm-s-pastel-on-dark span.cm-property { color: #8F938F; }\n.cm-s-pastel-on-dark span.cm-attribute { color: #a6e22e; }\n.cm-s-pastel-on-dark span.cm-keyword { color: #AEB2F8; }\n.cm-s-pastel-on-dark span.cm-string { color: #66A968; }\n.cm-s-pastel-on-dark span.cm-variable { color: #AEB2F8; }\n.cm-s-pastel-on-dark span.cm-variable-2 { color: #BEBF55; }\n.cm-s-pastel-on-dark span.cm-variable-3, .cm-s-pastel-on-dark span.cm-type { color: #DE8E30; }\n.cm-s-pastel-on-dark span.cm-def { color: #757aD8; }\n.cm-s-pastel-on-dark span.cm-bracket { color: #f8f8f2; }\n.cm-s-pastel-on-dark span.cm-tag { color: #C1C144; }\n.cm-s-pastel-on-dark span.cm-link { color: #ae81ff; }\n.cm-s-pastel-on-dark span.cm-qualifier,.cm-s-pastel-on-dark span.cm-builtin { color: #C1C144; }\n.cm-s-pastel-on-dark span.cm-error {\n\tbackground: #757aD8;\n\tcolor: #f8f8f0;\n}\n.cm-s-pastel-on-dark .CodeMirror-activeline-background { background: rgba(255, 255, 255, 0.031); }\n.cm-s-pastel-on-dark .CodeMirror-matchingbracket {\n\tborder: 1px solid rgba(255,255,255,0.25);\n\tcolor: #8F938F !important;\n\tmargin: -1px -1px 0 -1px;\n}\n","/*\n\n Name: Railscasts\n Author: Ryan Bates (http://railscasts.com)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-railscasts.CodeMirror {background: #2b2b2b; color: #f4f1ed;}\n.cm-s-railscasts div.CodeMirror-selected {background: #272935 !important;}\n.cm-s-railscasts .CodeMirror-gutters {background: #2b2b2b; border-right: 0px;}\n.cm-s-railscasts .CodeMirror-linenumber {color: #5a647e;}\n.cm-s-railscasts .CodeMirror-cursor {border-left: 1px solid #d4cfc9 !important;}\n\n.cm-s-railscasts span.cm-comment {color: #bc9458;}\n.cm-s-railscasts span.cm-atom {color: #b6b3eb;}\n.cm-s-railscasts span.cm-number {color: #b6b3eb;}\n\n.cm-s-railscasts span.cm-property, .cm-s-railscasts span.cm-attribute {color: #a5c261;}\n.cm-s-railscasts span.cm-keyword {color: #da4939;}\n.cm-s-railscasts span.cm-string {color: #ffc66d;}\n\n.cm-s-railscasts span.cm-variable {color: #a5c261;}\n.cm-s-railscasts span.cm-variable-2 {color: #6d9cbe;}\n.cm-s-railscasts span.cm-def {color: #cc7833;}\n.cm-s-railscasts span.cm-error {background: #da4939; color: #d4cfc9;}\n.cm-s-railscasts span.cm-bracket {color: #f4f1ed;}\n.cm-s-railscasts span.cm-tag {color: #da4939;}\n.cm-s-railscasts span.cm-link {color: #b6b3eb;}\n\n.cm-s-railscasts .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-railscasts .CodeMirror-activeline-background { background: #303040; }\n",".cm-s-rubyblue.CodeMirror { background: #112435; color: white; }\n.cm-s-rubyblue div.CodeMirror-selected { background: #38566F; }\n.cm-s-rubyblue .CodeMirror-line::selection, .cm-s-rubyblue .CodeMirror-line > span::selection, .cm-s-rubyblue .CodeMirror-line > span > span::selection { background: rgba(56, 86, 111, 0.99); }\n.cm-s-rubyblue .CodeMirror-line::-moz-selection, .cm-s-rubyblue .CodeMirror-line > span::-moz-selection, .cm-s-rubyblue .CodeMirror-line > span > span::-moz-selection { background: rgba(56, 86, 111, 0.99); }\n.cm-s-rubyblue .CodeMirror-gutters { background: #1F4661; border-right: 7px solid #3E7087; }\n.cm-s-rubyblue .CodeMirror-guttermarker { color: white; }\n.cm-s-rubyblue .CodeMirror-guttermarker-subtle { color: #3E7087; }\n.cm-s-rubyblue .CodeMirror-linenumber { color: white; }\n.cm-s-rubyblue .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-rubyblue span.cm-comment { color: #999; font-style:italic; line-height: 1em; }\n.cm-s-rubyblue span.cm-atom { color: #F4C20B; }\n.cm-s-rubyblue span.cm-number, .cm-s-rubyblue span.cm-attribute { color: #82C6E0; }\n.cm-s-rubyblue span.cm-keyword { color: #F0F; }\n.cm-s-rubyblue span.cm-string { color: #F08047; }\n.cm-s-rubyblue span.cm-meta { color: #F0F; }\n.cm-s-rubyblue span.cm-variable-2, .cm-s-rubyblue span.cm-tag { color: #7BD827; }\n.cm-s-rubyblue span.cm-variable-3, .cm-s-rubyblue span.cm-def, .cm-s-rubyblue span.cm-type { color: white; }\n.cm-s-rubyblue span.cm-bracket { color: #F0F; }\n.cm-s-rubyblue span.cm-link { color: #F4C20B; }\n.cm-s-rubyblue span.CodeMirror-matchingbracket { color:#F0F !important; }\n.cm-s-rubyblue span.cm-builtin, .cm-s-rubyblue span.cm-special { color: #FF9D00; }\n.cm-s-rubyblue span.cm-error { color: #AF2018; }\n\n.cm-s-rubyblue .CodeMirror-activeline-background { background: #173047; }\n","/*\n\n Name: seti\n Author: Michael Kaminsky (http://github.com/mkaminsky11)\n\n Original seti color scheme by Jesse Weed (https://github.com/jesseweed/seti-syntax)\n\n*/\n\n\n.cm-s-seti.CodeMirror {\n background-color: #151718 !important;\n color: #CFD2D1 !important;\n border: none;\n}\n.cm-s-seti .CodeMirror-gutters {\n color: #404b53;\n background-color: #0E1112;\n border: none;\n}\n.cm-s-seti .CodeMirror-cursor { border-left: solid thin #f8f8f0; }\n.cm-s-seti .CodeMirror-linenumber { color: #6D8A88; }\n.cm-s-seti.CodeMirror-focused div.CodeMirror-selected { background: rgba(255, 255, 255, 0.10); }\n.cm-s-seti .CodeMirror-line::selection, .cm-s-seti .CodeMirror-line > span::selection, .cm-s-seti .CodeMirror-line > span > span::selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-seti .CodeMirror-line::-moz-selection, .cm-s-seti .CodeMirror-line > span::-moz-selection, .cm-s-seti .CodeMirror-line > span > span::-moz-selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-seti span.cm-comment { color: #41535b; }\n.cm-s-seti span.cm-string, .cm-s-seti span.cm-string-2 { color: #55b5db; }\n.cm-s-seti span.cm-number { color: #cd3f45; }\n.cm-s-seti span.cm-variable { color: #55b5db; }\n.cm-s-seti span.cm-variable-2 { color: #a074c4; }\n.cm-s-seti span.cm-def { color: #55b5db; }\n.cm-s-seti span.cm-keyword { color: #ff79c6; }\n.cm-s-seti span.cm-operator { color: #9fca56; }\n.cm-s-seti span.cm-keyword { color: #e6cd69; }\n.cm-s-seti span.cm-atom { color: #cd3f45; }\n.cm-s-seti span.cm-meta { color: #55b5db; }\n.cm-s-seti span.cm-tag { color: #55b5db; }\n.cm-s-seti span.cm-attribute { color: #9fca56; }\n.cm-s-seti span.cm-qualifier { color: #9fca56; }\n.cm-s-seti span.cm-property { color: #a074c4; }\n.cm-s-seti span.cm-variable-3, .cm-s-seti span.cm-type { color: #9fca56; }\n.cm-s-seti span.cm-builtin { color: #9fca56; }\n.cm-s-seti .CodeMirror-activeline-background { background: #101213; }\n.cm-s-seti .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: shadowfox\n Author: overdodactyl (http://github.com/overdodactyl)\n\n Original shadowfox color scheme by Firefox\n\n*/\n\n.cm-s-shadowfox.CodeMirror { background: #2a2a2e; color: #b1b1b3; }\n.cm-s-shadowfox div.CodeMirror-selected { background: #353B48; }\n.cm-s-shadowfox .CodeMirror-line::selection, .cm-s-shadowfox .CodeMirror-line > span::selection, .cm-s-shadowfox .CodeMirror-line > span > span::selection { background: #353B48; }\n.cm-s-shadowfox .CodeMirror-line::-moz-selection, .cm-s-shadowfox .CodeMirror-line > span::-moz-selection, .cm-s-shadowfox .CodeMirror-line > span > span::-moz-selection { background: #353B48; }\n.cm-s-shadowfox .CodeMirror-gutters { background: #0c0c0d ; border-right: 1px solid #0c0c0d; }\n.cm-s-shadowfox .CodeMirror-guttermarker { color: #555; }\n.cm-s-shadowfox .CodeMirror-linenumber { color: #939393; }\n.cm-s-shadowfox .CodeMirror-cursor { border-left: 1px solid #fff; }\n\n.cm-s-shadowfox span.cm-comment { color: #939393; }\n.cm-s-shadowfox span.cm-atom { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-quote { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-builtin { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-attribute { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-keyword { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-error { color: #FF7DE9; }\n\n.cm-s-shadowfox span.cm-number { color: #6B89FF; }\n.cm-s-shadowfox span.cm-string { color: #6B89FF; }\n.cm-s-shadowfox span.cm-string-2 { color: #6B89FF; }\n\n.cm-s-shadowfox span.cm-meta { color: #939393; }\n.cm-s-shadowfox span.cm-hr { color: #939393; }\n\n.cm-s-shadowfox span.cm-header { color: #75BFFF; }\n.cm-s-shadowfox span.cm-qualifier { color: #75BFFF; }\n.cm-s-shadowfox span.cm-variable-2 { color: #75BFFF; }\n\n.cm-s-shadowfox span.cm-property { color: #86DE74; }\n\n.cm-s-shadowfox span.cm-def { color: #75BFFF; }\n.cm-s-shadowfox span.cm-bracket { color: #75BFFF; }\n.cm-s-shadowfox span.cm-tag { color: #75BFFF; }\n.cm-s-shadowfox span.cm-link:visited { color: #75BFFF; }\n\n.cm-s-shadowfox span.cm-variable { color: #B98EFF; }\n.cm-s-shadowfox span.cm-variable-3 { color: #d7d7db; }\n.cm-s-shadowfox span.cm-link { color: #737373; }\n.cm-s-shadowfox span.cm-operator { color: #b1b1b3; }\n.cm-s-shadowfox span.cm-special { color: #d7d7db; }\n\n.cm-s-shadowfox .CodeMirror-activeline-background { background: rgba(185, 215, 253, .15) }\n.cm-s-shadowfox .CodeMirror-matchingbracket { outline: solid 1px rgba(255, 255, 255, .25); color: white !important; }\n","/*\nSolarized theme for code-mirror\nhttp://ethanschoonover.com/solarized\n*/\n\n/*\nSolarized color palette\nhttp://ethanschoonover.com/solarized/img/solarized-palette.png\n*/\n\n.solarized.base03 { color: #002b36; }\n.solarized.base02 { color: #073642; }\n.solarized.base01 { color: #586e75; }\n.solarized.base00 { color: #657b83; }\n.solarized.base0 { color: #839496; }\n.solarized.base1 { color: #93a1a1; }\n.solarized.base2 { color: #eee8d5; }\n.solarized.base3 { color: #fdf6e3; }\n.solarized.solar-yellow { color: #b58900; }\n.solarized.solar-orange { color: #cb4b16; }\n.solarized.solar-red { color: #dc322f; }\n.solarized.solar-magenta { color: #d33682; }\n.solarized.solar-violet { color: #6c71c4; }\n.solarized.solar-blue { color: #268bd2; }\n.solarized.solar-cyan { color: #2aa198; }\n.solarized.solar-green { color: #859900; }\n\n/* Color scheme for code-mirror */\n\n.cm-s-solarized {\n line-height: 1.45em;\n color-profile: sRGB;\n rendering-intent: auto;\n}\n.cm-s-solarized.cm-s-dark {\n color: #839496;\n background-color: #002b36;\n}\n.cm-s-solarized.cm-s-light {\n background-color: #fdf6e3;\n color: #657b83;\n}\n\n.cm-s-solarized .CodeMirror-widget {\n text-shadow: none;\n}\n\n.cm-s-solarized .cm-header { color: #586e75; }\n.cm-s-solarized .cm-quote { color: #93a1a1; }\n\n.cm-s-solarized .cm-keyword { color: #cb4b16; }\n.cm-s-solarized .cm-atom { color: #d33682; }\n.cm-s-solarized .cm-number { color: #d33682; }\n.cm-s-solarized .cm-def { color: #2aa198; }\n\n.cm-s-solarized .cm-variable { color: #839496; }\n.cm-s-solarized .cm-variable-2 { color: #b58900; }\n.cm-s-solarized .cm-variable-3, .cm-s-solarized .cm-type { color: #6c71c4; }\n\n.cm-s-solarized .cm-property { color: #2aa198; }\n.cm-s-solarized .cm-operator { color: #6c71c4; }\n\n.cm-s-solarized .cm-comment { color: #586e75; font-style:italic; }\n\n.cm-s-solarized .cm-string { color: #859900; }\n.cm-s-solarized .cm-string-2 { color: #b58900; }\n\n.cm-s-solarized .cm-meta { color: #859900; }\n.cm-s-solarized .cm-qualifier { color: #b58900; }\n.cm-s-solarized .cm-builtin { color: #d33682; }\n.cm-s-solarized .cm-bracket { color: #cb4b16; }\n.cm-s-solarized .CodeMirror-matchingbracket { color: #859900; }\n.cm-s-solarized .CodeMirror-nonmatchingbracket { color: #dc322f; }\n.cm-s-solarized .cm-tag { color: #93a1a1; }\n.cm-s-solarized .cm-attribute { color: #2aa198; }\n.cm-s-solarized .cm-hr {\n color: transparent;\n border-top: 1px solid #586e75;\n display: block;\n}\n.cm-s-solarized .cm-link { color: #93a1a1; cursor: pointer; }\n.cm-s-solarized .cm-special { color: #6c71c4; }\n.cm-s-solarized .cm-em {\n color: #999;\n text-decoration: underline;\n text-decoration-style: dotted;\n}\n.cm-s-solarized .cm-error,\n.cm-s-solarized .cm-invalidchar {\n color: #586e75;\n border-bottom: 1px dotted #dc322f;\n}\n\n.cm-s-solarized.cm-s-dark div.CodeMirror-selected { background: #073642; }\n.cm-s-solarized.cm-s-dark.CodeMirror ::selection { background: rgba(7, 54, 66, 0.99); }\n.cm-s-solarized.cm-s-dark .CodeMirror-line::-moz-selection, .cm-s-dark .CodeMirror-line > span::-moz-selection, .cm-s-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(7, 54, 66, 0.99); }\n\n.cm-s-solarized.cm-s-light div.CodeMirror-selected { background: #eee8d5; }\n.cm-s-solarized.cm-s-light .CodeMirror-line::selection, .cm-s-light .CodeMirror-line > span::selection, .cm-s-light .CodeMirror-line > span > span::selection { background: #eee8d5; }\n.cm-s-solarized.cm-s-light .CodeMirror-line::-moz-selection, .cm-s-light .CodeMirror-line > span::-moz-selection, .cm-s-light .CodeMirror-line > span > span::-moz-selection { background: #eee8d5; }\n\n/* Editor styling */\n\n\n\n/* Little shadow on the view-port of the buffer view */\n.cm-s-solarized.CodeMirror {\n -moz-box-shadow: inset 7px 0 12px -6px #000;\n -webkit-box-shadow: inset 7px 0 12px -6px #000;\n box-shadow: inset 7px 0 12px -6px #000;\n}\n\n/* Remove gutter border */\n.cm-s-solarized .CodeMirror-gutters {\n border-right: 0;\n}\n\n/* Gutter colors and line number styling based of color scheme (dark / light) */\n\n/* Dark */\n.cm-s-solarized.cm-s-dark .CodeMirror-gutters {\n background-color: #073642;\n}\n\n.cm-s-solarized.cm-s-dark .CodeMirror-linenumber {\n color: #586e75;\n}\n\n/* Light */\n.cm-s-solarized.cm-s-light .CodeMirror-gutters {\n background-color: #eee8d5;\n}\n\n.cm-s-solarized.cm-s-light .CodeMirror-linenumber {\n color: #839496;\n}\n\n/* Common */\n.cm-s-solarized .CodeMirror-linenumber {\n padding: 0 5px;\n}\n.cm-s-solarized .CodeMirror-guttermarker-subtle { color: #586e75; }\n.cm-s-solarized.cm-s-dark .CodeMirror-guttermarker { color: #ddd; }\n.cm-s-solarized.cm-s-light .CodeMirror-guttermarker { color: #cb4b16; }\n\n.cm-s-solarized .CodeMirror-gutter .CodeMirror-gutter-text {\n color: #586e75;\n}\n\n/* Cursor */\n.cm-s-solarized .CodeMirror-cursor { border-left: 1px solid #819090; }\n\n/* Fat cursor */\n.cm-s-solarized.cm-s-light.cm-fat-cursor .CodeMirror-cursor { background: #77ee77; }\n.cm-s-solarized.cm-s-light .cm-animate-fat-cursor { background-color: #77ee77; }\n.cm-s-solarized.cm-s-dark.cm-fat-cursor .CodeMirror-cursor { background: #586e75; }\n.cm-s-solarized.cm-s-dark .cm-animate-fat-cursor { background-color: #586e75; }\n\n/* Active line */\n.cm-s-solarized.cm-s-dark .CodeMirror-activeline-background {\n background: rgba(255, 255, 255, 0.06);\n}\n.cm-s-solarized.cm-s-light .CodeMirror-activeline-background {\n background: rgba(0, 0, 0, 0.06);\n}\n",".cm-s-ssms span.cm-keyword { color: blue; }\n.cm-s-ssms span.cm-comment { color: darkgreen; }\n.cm-s-ssms span.cm-string { color: red; }\n.cm-s-ssms span.cm-def { color: black; }\n.cm-s-ssms span.cm-variable { color: black; }\n.cm-s-ssms span.cm-variable-2 { color: black; }\n.cm-s-ssms span.cm-atom { color: darkgray; }\n.cm-s-ssms .CodeMirror-linenumber { color: teal; }\n.cm-s-ssms .CodeMirror-activeline-background { background: #ffffff; }\n.cm-s-ssms span.cm-string-2 { color: #FF00FF; }\n.cm-s-ssms span.cm-operator, \n.cm-s-ssms span.cm-bracket, \n.cm-s-ssms span.cm-punctuation { color: darkgray; }\n.cm-s-ssms .CodeMirror-gutters { border-right: 3px solid #ffee62; background-color: #ffffff; }\n.cm-s-ssms div.CodeMirror-selected { background: #ADD6FF; }\n\n",".cm-s-the-matrix.CodeMirror { background: #000000; color: #00FF00; }\n.cm-s-the-matrix div.CodeMirror-selected { background: #2D2D2D; }\n.cm-s-the-matrix .CodeMirror-line::selection, .cm-s-the-matrix .CodeMirror-line > span::selection, .cm-s-the-matrix .CodeMirror-line > span > span::selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-the-matrix .CodeMirror-line::-moz-selection, .cm-s-the-matrix .CodeMirror-line > span::-moz-selection, .cm-s-the-matrix .CodeMirror-line > span > span::-moz-selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-the-matrix .CodeMirror-gutters { background: #060; border-right: 2px solid #00FF00; }\n.cm-s-the-matrix .CodeMirror-guttermarker { color: #0f0; }\n.cm-s-the-matrix .CodeMirror-guttermarker-subtle { color: white; }\n.cm-s-the-matrix .CodeMirror-linenumber { color: #FFFFFF; }\n.cm-s-the-matrix .CodeMirror-cursor { border-left: 1px solid #00FF00; }\n\n.cm-s-the-matrix span.cm-keyword { color: #008803; font-weight: bold; }\n.cm-s-the-matrix span.cm-atom { color: #3FF; }\n.cm-s-the-matrix span.cm-number { color: #FFB94F; }\n.cm-s-the-matrix span.cm-def { color: #99C; }\n.cm-s-the-matrix span.cm-variable { color: #F6C; }\n.cm-s-the-matrix span.cm-variable-2 { color: #C6F; }\n.cm-s-the-matrix span.cm-variable-3, .cm-s-the-matrix span.cm-type { color: #96F; }\n.cm-s-the-matrix span.cm-property { color: #62FFA0; }\n.cm-s-the-matrix span.cm-operator { color: #999; }\n.cm-s-the-matrix span.cm-comment { color: #CCCCCC; }\n.cm-s-the-matrix span.cm-string { color: #39C; }\n.cm-s-the-matrix span.cm-meta { color: #C9F; }\n.cm-s-the-matrix span.cm-qualifier { color: #FFF700; }\n.cm-s-the-matrix span.cm-builtin { color: #30a; }\n.cm-s-the-matrix span.cm-bracket { color: #cc7; }\n.cm-s-the-matrix span.cm-tag { color: #FFBD40; }\n.cm-s-the-matrix span.cm-attribute { color: #FFF700; }\n.cm-s-the-matrix span.cm-error { color: #FF0000; }\n\n.cm-s-the-matrix .CodeMirror-activeline-background { background: #040; }\n","/*\n\n Name: Tomorrow Night - Bright\n Author: Chris Kempson\n\n Port done by Gerard Braad \n\n*/\n\n.cm-s-tomorrow-night-bright.CodeMirror { background: #000000; color: #eaeaea; }\n.cm-s-tomorrow-night-bright div.CodeMirror-selected { background: #424242; }\n.cm-s-tomorrow-night-bright .CodeMirror-gutters { background: #000000; border-right: 0px; }\n.cm-s-tomorrow-night-bright .CodeMirror-guttermarker { color: #e78c45; }\n.cm-s-tomorrow-night-bright .CodeMirror-guttermarker-subtle { color: #777; }\n.cm-s-tomorrow-night-bright .CodeMirror-linenumber { color: #424242; }\n.cm-s-tomorrow-night-bright .CodeMirror-cursor { border-left: 1px solid #6A6A6A; }\n\n.cm-s-tomorrow-night-bright span.cm-comment { color: #d27b53; }\n.cm-s-tomorrow-night-bright span.cm-atom { color: #a16a94; }\n.cm-s-tomorrow-night-bright span.cm-number { color: #a16a94; }\n\n.cm-s-tomorrow-night-bright span.cm-property, .cm-s-tomorrow-night-bright span.cm-attribute { color: #99cc99; }\n.cm-s-tomorrow-night-bright span.cm-keyword { color: #d54e53; }\n.cm-s-tomorrow-night-bright span.cm-string { color: #e7c547; }\n\n.cm-s-tomorrow-night-bright span.cm-variable { color: #b9ca4a; }\n.cm-s-tomorrow-night-bright span.cm-variable-2 { color: #7aa6da; }\n.cm-s-tomorrow-night-bright span.cm-def { color: #e78c45; }\n.cm-s-tomorrow-night-bright span.cm-bracket { color: #eaeaea; }\n.cm-s-tomorrow-night-bright span.cm-tag { color: #d54e53; }\n.cm-s-tomorrow-night-bright span.cm-link { color: #a16a94; }\n.cm-s-tomorrow-night-bright span.cm-error { background: #d54e53; color: #6A6A6A; }\n\n.cm-s-tomorrow-night-bright .CodeMirror-activeline-background { background: #2a2a2a; }\n.cm-s-tomorrow-night-bright .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: Tomorrow Night - Eighties\n Author: Chris Kempson\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-tomorrow-night-eighties.CodeMirror { background: #000000; color: #CCCCCC; }\n.cm-s-tomorrow-night-eighties div.CodeMirror-selected { background: #2D2D2D; }\n.cm-s-tomorrow-night-eighties .CodeMirror-line::selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span::selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span > span::selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-tomorrow-night-eighties .CodeMirror-line::-moz-selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span::-moz-selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span > span::-moz-selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-tomorrow-night-eighties .CodeMirror-gutters { background: #000000; border-right: 0px; }\n.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker { color: #f2777a; }\n.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker-subtle { color: #777; }\n.cm-s-tomorrow-night-eighties .CodeMirror-linenumber { color: #515151; }\n.cm-s-tomorrow-night-eighties .CodeMirror-cursor { border-left: 1px solid #6A6A6A; }\n\n.cm-s-tomorrow-night-eighties span.cm-comment { color: #d27b53; }\n.cm-s-tomorrow-night-eighties span.cm-atom { color: #a16a94; }\n.cm-s-tomorrow-night-eighties span.cm-number { color: #a16a94; }\n\n.cm-s-tomorrow-night-eighties span.cm-property, .cm-s-tomorrow-night-eighties span.cm-attribute { color: #99cc99; }\n.cm-s-tomorrow-night-eighties span.cm-keyword { color: #f2777a; }\n.cm-s-tomorrow-night-eighties span.cm-string { color: #ffcc66; }\n\n.cm-s-tomorrow-night-eighties span.cm-variable { color: #99cc99; }\n.cm-s-tomorrow-night-eighties span.cm-variable-2 { color: #6699cc; }\n.cm-s-tomorrow-night-eighties span.cm-def { color: #f99157; }\n.cm-s-tomorrow-night-eighties span.cm-bracket { color: #CCCCCC; }\n.cm-s-tomorrow-night-eighties span.cm-tag { color: #f2777a; }\n.cm-s-tomorrow-night-eighties span.cm-link { color: #a16a94; }\n.cm-s-tomorrow-night-eighties span.cm-error { background: #f2777a; color: #6A6A6A; }\n\n.cm-s-tomorrow-night-eighties .CodeMirror-activeline-background { background: #343600; }\n.cm-s-tomorrow-night-eighties .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n",".cm-s-ttcn .cm-quote { color: #090; }\n.cm-s-ttcn .cm-negative { color: #d44; }\n.cm-s-ttcn .cm-positive { color: #292; }\n.cm-s-ttcn .cm-header, .cm-strong { font-weight: bold; }\n.cm-s-ttcn .cm-em { font-style: italic; }\n.cm-s-ttcn .cm-link { text-decoration: underline; }\n.cm-s-ttcn .cm-strikethrough { text-decoration: line-through; }\n.cm-s-ttcn .cm-header { color: #00f; font-weight: bold; }\n\n.cm-s-ttcn .cm-atom { color: #219; }\n.cm-s-ttcn .cm-attribute { color: #00c; }\n.cm-s-ttcn .cm-bracket { color: #997; }\n.cm-s-ttcn .cm-comment { color: #333333; }\n.cm-s-ttcn .cm-def { color: #00f; }\n.cm-s-ttcn .cm-em { font-style: italic; }\n.cm-s-ttcn .cm-error { color: #f00; }\n.cm-s-ttcn .cm-hr { color: #999; }\n.cm-s-ttcn .cm-invalidchar { color: #f00; }\n.cm-s-ttcn .cm-keyword { font-weight:bold; }\n.cm-s-ttcn .cm-link { color: #00c; text-decoration: underline; }\n.cm-s-ttcn .cm-meta { color: #555; }\n.cm-s-ttcn .cm-negative { color: #d44; }\n.cm-s-ttcn .cm-positive { color: #292; }\n.cm-s-ttcn .cm-qualifier { color: #555; }\n.cm-s-ttcn .cm-strikethrough { text-decoration: line-through; }\n.cm-s-ttcn .cm-string { color: #006400; }\n.cm-s-ttcn .cm-string-2 { color: #f50; }\n.cm-s-ttcn .cm-strong { font-weight: bold; }\n.cm-s-ttcn .cm-tag { color: #170; }\n.cm-s-ttcn .cm-variable { color: #8B2252; }\n.cm-s-ttcn .cm-variable-2 { color: #05a; }\n.cm-s-ttcn .cm-variable-3, .cm-s-ttcn .cm-type { color: #085; }\n\n.cm-s-ttcn .cm-invalidchar { color: #f00; }\n\n/* ASN */\n.cm-s-ttcn .cm-accessTypes,\n.cm-s-ttcn .cm-compareTypes { color: #27408B; }\n.cm-s-ttcn .cm-cmipVerbs { color: #8B2252; }\n.cm-s-ttcn .cm-modifier { color:#D2691E; }\n.cm-s-ttcn .cm-status { color:#8B4545; }\n.cm-s-ttcn .cm-storage { color:#A020F0; }\n.cm-s-ttcn .cm-tags { color:#006400; }\n\n/* CFG */\n.cm-s-ttcn .cm-externalCommands { color: #8B4545; font-weight:bold; }\n.cm-s-ttcn .cm-fileNCtrlMaskOptions,\n.cm-s-ttcn .cm-sectionTitle { color: #2E8B57; font-weight:bold; }\n\n/* TTCN */\n.cm-s-ttcn .cm-booleanConsts,\n.cm-s-ttcn .cm-otherConsts,\n.cm-s-ttcn .cm-verdictConsts { color: #006400; }\n.cm-s-ttcn .cm-configOps,\n.cm-s-ttcn .cm-functionOps,\n.cm-s-ttcn .cm-portOps,\n.cm-s-ttcn .cm-sutOps,\n.cm-s-ttcn .cm-timerOps,\n.cm-s-ttcn .cm-verdictOps { color: #0000FF; }\n.cm-s-ttcn .cm-preprocessor,\n.cm-s-ttcn .cm-templateMatch,\n.cm-s-ttcn .cm-ttcn3Macros { color: #27408B; }\n.cm-s-ttcn .cm-types { color: #A52A2A; font-weight:bold; }\n.cm-s-ttcn .cm-visibilityModifiers { font-weight:bold; }\n",".cm-s-twilight.CodeMirror { background: #141414; color: #f7f7f7; } /**/\n.cm-s-twilight div.CodeMirror-selected { background: #323232; } /**/\n.cm-s-twilight .CodeMirror-line::selection, .cm-s-twilight .CodeMirror-line > span::selection, .cm-s-twilight .CodeMirror-line > span > span::selection { background: rgba(50, 50, 50, 0.99); }\n.cm-s-twilight .CodeMirror-line::-moz-selection, .cm-s-twilight .CodeMirror-line > span::-moz-selection, .cm-s-twilight .CodeMirror-line > span > span::-moz-selection { background: rgba(50, 50, 50, 0.99); }\n\n.cm-s-twilight .CodeMirror-gutters { background: #222; border-right: 1px solid #aaa; }\n.cm-s-twilight .CodeMirror-guttermarker { color: white; }\n.cm-s-twilight .CodeMirror-guttermarker-subtle { color: #aaa; }\n.cm-s-twilight .CodeMirror-linenumber { color: #aaa; }\n.cm-s-twilight .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-twilight .cm-keyword { color: #f9ee98; } /**/\n.cm-s-twilight .cm-atom { color: #FC0; }\n.cm-s-twilight .cm-number { color: #ca7841; } /**/\n.cm-s-twilight .cm-def { color: #8DA6CE; }\n.cm-s-twilight span.cm-variable-2, .cm-s-twilight span.cm-tag { color: #607392; } /**/\n.cm-s-twilight span.cm-variable-3, .cm-s-twilight span.cm-def, .cm-s-twilight span.cm-type { color: #607392; } /**/\n.cm-s-twilight .cm-operator { color: #cda869; } /**/\n.cm-s-twilight .cm-comment { color:#777; font-style:italic; font-weight:normal; } /**/\n.cm-s-twilight .cm-string { color:#8f9d6a; font-style:italic; } /**/\n.cm-s-twilight .cm-string-2 { color:#bd6b18; } /*?*/\n.cm-s-twilight .cm-meta { background-color:#141414; color:#f7f7f7; } /*?*/\n.cm-s-twilight .cm-builtin { color: #cda869; } /*?*/\n.cm-s-twilight .cm-tag { color: #997643; } /**/\n.cm-s-twilight .cm-attribute { color: #d6bb6d; } /*?*/\n.cm-s-twilight .cm-header { color: #FF6400; }\n.cm-s-twilight .cm-hr { color: #AEAEAE; }\n.cm-s-twilight .cm-link { color:#ad9361; font-style:italic; text-decoration:none; } /**/\n.cm-s-twilight .cm-error { border-bottom: 1px solid red; }\n\n.cm-s-twilight .CodeMirror-activeline-background { background: #27282E; }\n.cm-s-twilight .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/* Taken from the popular Visual Studio Vibrant Ink Schema */\n\n.cm-s-vibrant-ink.CodeMirror { background: black; color: white; }\n.cm-s-vibrant-ink div.CodeMirror-selected { background: #35493c; }\n.cm-s-vibrant-ink .CodeMirror-line::selection, .cm-s-vibrant-ink .CodeMirror-line > span::selection, .cm-s-vibrant-ink .CodeMirror-line > span > span::selection { background: rgba(53, 73, 60, 0.99); }\n.cm-s-vibrant-ink .CodeMirror-line::-moz-selection, .cm-s-vibrant-ink .CodeMirror-line > span::-moz-selection, .cm-s-vibrant-ink .CodeMirror-line > span > span::-moz-selection { background: rgba(53, 73, 60, 0.99); }\n\n.cm-s-vibrant-ink .CodeMirror-gutters { background: #002240; border-right: 1px solid #aaa; }\n.cm-s-vibrant-ink .CodeMirror-guttermarker { color: white; }\n.cm-s-vibrant-ink .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-vibrant-ink .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-vibrant-ink .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-vibrant-ink .cm-keyword { color: #CC7832; }\n.cm-s-vibrant-ink .cm-atom { color: #FC0; }\n.cm-s-vibrant-ink .cm-number { color: #FFEE98; }\n.cm-s-vibrant-ink .cm-def { color: #8DA6CE; }\n.cm-s-vibrant-ink span.cm-variable-2, .cm-s-vibrant span.cm-tag { color: #FFC66D; }\n.cm-s-vibrant-ink span.cm-variable-3, .cm-s-vibrant span.cm-def, .cm-s-vibrant span.cm-type { color: #FFC66D; }\n.cm-s-vibrant-ink .cm-operator { color: #888; }\n.cm-s-vibrant-ink .cm-comment { color: gray; font-weight: bold; }\n.cm-s-vibrant-ink .cm-string { color: #A5C25C; }\n.cm-s-vibrant-ink .cm-string-2 { color: red; }\n.cm-s-vibrant-ink .cm-meta { color: #D8FA3C; }\n.cm-s-vibrant-ink .cm-builtin { color: #8DA6CE; }\n.cm-s-vibrant-ink .cm-tag { color: #8DA6CE; }\n.cm-s-vibrant-ink .cm-attribute { color: #8DA6CE; }\n.cm-s-vibrant-ink .cm-header { color: #FF6400; }\n.cm-s-vibrant-ink .cm-hr { color: #AEAEAE; }\n.cm-s-vibrant-ink .cm-link { color: #5656F3; }\n.cm-s-vibrant-ink .cm-error { border-bottom: 1px solid red; }\n\n.cm-s-vibrant-ink .CodeMirror-activeline-background { background: #27282E; }\n.cm-s-vibrant-ink .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\nCopyright (C) 2011 by MarkLogic Corporation\nAuthor: Mike Brevoort \n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights\nto use, copy, modify, merge, publish, distribute, sublicense, and/or sell\ncopies of the Software, and to permit persons to whom the Software is\nfurnished to do so, subject to the following conditions:\n\nThe above copyright notice and this permission notice shall be included in\nall copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\nIMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\nFITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\nAUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\nLIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\nOUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\nTHE SOFTWARE.\n*/\n.cm-s-xq-dark.CodeMirror { background: #0a001f; color: #f8f8f8; }\n.cm-s-xq-dark div.CodeMirror-selected { background: #27007A; }\n.cm-s-xq-dark .CodeMirror-line::selection, .cm-s-xq-dark .CodeMirror-line > span::selection, .cm-s-xq-dark .CodeMirror-line > span > span::selection { background: rgba(39, 0, 122, 0.99); }\n.cm-s-xq-dark .CodeMirror-line::-moz-selection, .cm-s-xq-dark .CodeMirror-line > span::-moz-selection, .cm-s-xq-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(39, 0, 122, 0.99); }\n.cm-s-xq-dark .CodeMirror-gutters { background: #0a001f; border-right: 1px solid #aaa; }\n.cm-s-xq-dark .CodeMirror-guttermarker { color: #FFBD40; }\n.cm-s-xq-dark .CodeMirror-guttermarker-subtle { color: #f8f8f8; }\n.cm-s-xq-dark .CodeMirror-linenumber { color: #f8f8f8; }\n.cm-s-xq-dark .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-xq-dark span.cm-keyword { color: #FFBD40; }\n.cm-s-xq-dark span.cm-atom { color: #6C8CD5; }\n.cm-s-xq-dark span.cm-number { color: #164; }\n.cm-s-xq-dark span.cm-def { color: #FFF; text-decoration:underline; }\n.cm-s-xq-dark span.cm-variable { color: #FFF; }\n.cm-s-xq-dark span.cm-variable-2 { color: #EEE; }\n.cm-s-xq-dark span.cm-variable-3, .cm-s-xq-dark span.cm-type { color: #DDD; }\n.cm-s-xq-dark span.cm-property {}\n.cm-s-xq-dark span.cm-operator {}\n.cm-s-xq-dark span.cm-comment { color: gray; }\n.cm-s-xq-dark span.cm-string { color: #9FEE00; }\n.cm-s-xq-dark span.cm-meta { color: yellow; }\n.cm-s-xq-dark span.cm-qualifier { color: #FFF700; }\n.cm-s-xq-dark span.cm-builtin { color: #30a; }\n.cm-s-xq-dark span.cm-bracket { color: #cc7; }\n.cm-s-xq-dark span.cm-tag { color: #FFBD40; }\n.cm-s-xq-dark span.cm-attribute { color: #FFF700; }\n.cm-s-xq-dark span.cm-error { color: #f00; }\n\n.cm-s-xq-dark .CodeMirror-activeline-background { background: #27282E; }\n.cm-s-xq-dark .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\nCopyright (C) 2011 by MarkLogic Corporation\nAuthor: Mike Brevoort \n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights\nto use, copy, modify, merge, publish, distribute, sublicense, and/or sell\ncopies of the Software, and to permit persons to whom the Software is\nfurnished to do so, subject to the following conditions:\n\nThe above copyright notice and this permission notice shall be included in\nall copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\nIMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\nFITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\nAUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\nLIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\nOUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\nTHE SOFTWARE.\n*/\n.cm-s-xq-light span.cm-keyword { line-height: 1em; font-weight: bold; color: #5A5CAD; }\n.cm-s-xq-light span.cm-atom { color: #6C8CD5; }\n.cm-s-xq-light span.cm-number { color: #164; }\n.cm-s-xq-light span.cm-def { text-decoration:underline; }\n.cm-s-xq-light span.cm-variable { color: black; }\n.cm-s-xq-light span.cm-variable-2 { color:black; }\n.cm-s-xq-light span.cm-variable-3, .cm-s-xq-light span.cm-type { color: black; }\n.cm-s-xq-light span.cm-property {}\n.cm-s-xq-light span.cm-operator {}\n.cm-s-xq-light span.cm-comment { color: #0080FF; font-style: italic; }\n.cm-s-xq-light span.cm-string { color: red; }\n.cm-s-xq-light span.cm-meta { color: yellow; }\n.cm-s-xq-light span.cm-qualifier { color: grey; }\n.cm-s-xq-light span.cm-builtin { color: #7EA656; }\n.cm-s-xq-light span.cm-bracket { color: #cc7; }\n.cm-s-xq-light span.cm-tag { color: #3F7F7F; }\n.cm-s-xq-light span.cm-attribute { color: #7F007F; }\n.cm-s-xq-light span.cm-error { color: #f00; }\n\n.cm-s-xq-light .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-xq-light .CodeMirror-matchingbracket { outline:1px solid grey;color:black !important;background:yellow; }\n","/*\n\n Name: yeti\n Author: Michael Kaminsky (http://github.com/mkaminsky11)\n\n Original yeti color scheme by Jesse Weed (https://github.com/jesseweed/yeti-syntax)\n\n*/\n\n\n.cm-s-yeti.CodeMirror {\n background-color: #ECEAE8 !important;\n color: #d1c9c0 !important;\n border: none;\n}\n\n.cm-s-yeti .CodeMirror-gutters {\n color: #adaba6;\n background-color: #E5E1DB;\n border: none;\n}\n.cm-s-yeti .CodeMirror-cursor { border-left: solid thin #d1c9c0; }\n.cm-s-yeti .CodeMirror-linenumber { color: #adaba6; }\n.cm-s-yeti.CodeMirror-focused div.CodeMirror-selected { background: #DCD8D2; }\n.cm-s-yeti .CodeMirror-line::selection, .cm-s-yeti .CodeMirror-line > span::selection, .cm-s-yeti .CodeMirror-line > span > span::selection { background: #DCD8D2; }\n.cm-s-yeti .CodeMirror-line::-moz-selection, .cm-s-yeti .CodeMirror-line > span::-moz-selection, .cm-s-yeti .CodeMirror-line > span > span::-moz-selection { background: #DCD8D2; }\n.cm-s-yeti span.cm-comment { color: #d4c8be; }\n.cm-s-yeti span.cm-string, .cm-s-yeti span.cm-string-2 { color: #96c0d8; }\n.cm-s-yeti span.cm-number { color: #a074c4; }\n.cm-s-yeti span.cm-variable { color: #55b5db; }\n.cm-s-yeti span.cm-variable-2 { color: #a074c4; }\n.cm-s-yeti span.cm-def { color: #55b5db; }\n.cm-s-yeti span.cm-operator { color: #9fb96e; }\n.cm-s-yeti span.cm-keyword { color: #9fb96e; }\n.cm-s-yeti span.cm-atom { color: #a074c4; }\n.cm-s-yeti span.cm-meta { color: #96c0d8; }\n.cm-s-yeti span.cm-tag { color: #96c0d8; }\n.cm-s-yeti span.cm-attribute { color: #9fb96e; }\n.cm-s-yeti span.cm-qualifier { color: #96c0d8; }\n.cm-s-yeti span.cm-property { color: #a074c4; }\n.cm-s-yeti span.cm-builtin { color: #a074c4; }\n.cm-s-yeti span.cm-variable-3, .cm-s-yeti span.cm-type { color: #96c0d8; }\n.cm-s-yeti .CodeMirror-activeline-background { background: #E7E4E0; }\n.cm-s-yeti .CodeMirror-matchingbracket { text-decoration: underline; }\n","/**\n * \"\n * Using Zenburn color palette from the Emacs Zenburn Theme\n * https://github.com/bbatsov/zenburn-emacs/blob/master/zenburn-theme.el\n *\n * Also using parts of https://github.com/xavi/coderay-lighttable-theme\n * \"\n * From: https://github.com/wisenomad/zenburn-lighttable-theme/blob/master/zenburn.css\n */\n\n.cm-s-zenburn .CodeMirror-gutters { background: #3f3f3f !important; }\n.cm-s-zenburn .CodeMirror-foldgutter-open, .CodeMirror-foldgutter-folded { color: #999; }\n.cm-s-zenburn .CodeMirror-cursor { border-left: 1px solid white; }\n.cm-s-zenburn.CodeMirror { background-color: #3f3f3f; color: #dcdccc; }\n.cm-s-zenburn span.cm-builtin { color: #dcdccc; font-weight: bold; }\n.cm-s-zenburn span.cm-comment { color: #7f9f7f; }\n.cm-s-zenburn span.cm-keyword { color: #f0dfaf; font-weight: bold; }\n.cm-s-zenburn span.cm-atom { color: #bfebbf; }\n.cm-s-zenburn span.cm-def { color: #dcdccc; }\n.cm-s-zenburn span.cm-variable { color: #dfaf8f; }\n.cm-s-zenburn span.cm-variable-2 { color: #dcdccc; }\n.cm-s-zenburn span.cm-string { color: #cc9393; }\n.cm-s-zenburn span.cm-string-2 { color: #cc9393; }\n.cm-s-zenburn span.cm-number { color: #dcdccc; }\n.cm-s-zenburn span.cm-tag { color: #93e0e3; }\n.cm-s-zenburn span.cm-property { color: #dfaf8f; }\n.cm-s-zenburn span.cm-attribute { color: #dfaf8f; }\n.cm-s-zenburn span.cm-qualifier { color: #7cb8bb; }\n.cm-s-zenburn span.cm-meta { color: #f0dfaf; }\n.cm-s-zenburn span.cm-header { color: #f0efd0; }\n.cm-s-zenburn span.cm-operator { color: #f0efd0; }\n.cm-s-zenburn span.CodeMirror-matchingbracket { box-sizing: border-box; background: transparent; border-bottom: 1px solid; }\n.cm-s-zenburn span.CodeMirror-nonmatchingbracket { border-bottom: 1px solid; background: none; }\n.cm-s-zenburn .CodeMirror-activeline { background: #000000; }\n.cm-s-zenburn .CodeMirror-activeline-background { background: #000000; }\n.cm-s-zenburn div.CodeMirror-selected { background: #545454; }\n.cm-s-zenburn .CodeMirror-focused div.CodeMirror-selected { background: #4f4f4f; }\n","/* Form Controls\n---------------------------------------------------------------------------- */\n.form-control {\n @apply h-9 placeholder-gray-400 dark:placeholder-gray-600 leading-normal box-border focus:outline-none;\n}\n\n.form-control-bordered {\n @apply ring-1 ring-gray-950/10 dark:ring-gray-100/10 focus:ring-2 focus:ring-primary-500;\n}\n\n.form-control-bordered-error {\n @apply ring-red-400 dark:ring-red-500 !important;\n}\n\n.form-control-focused {\n @apply ring-2 ring-primary-500;\n}\n\n.form-control[data-disabled],\n.form-control:disabled {\n @apply bg-gray-50 dark:bg-gray-800 text-gray-400 outline-none;\n}\n\n/* Form Inputs\n---------------------------------------------------------------------------- */\n.form-input {\n @apply appearance-none text-sm w-full bg-white dark:bg-gray-900 shadow rounded appearance-none placeholder:text-gray-400 dark:placeholder:text-gray-500 px-3 text-gray-600 dark:text-gray-400;\n}\n\n/* Form Selects\n---------------------------------------------------------------------------- */\ninput[type='search'] {\n @apply pr-2;\n}\n\n.dark .form-input,\n.dark input[type='search'] {\n color-scheme: dark;\n}\n\n.form-control + .form-select-arrow,\n.form-control > .form-select-arrow {\n position: absolute;\n top: 15px;\n right: 11px;\n}\n\n/*.form-input-row {*/\n/* @apply bg-white px-3 text-gray-600 border-0 rounded-none shadow-none h-[3rem];*/\n/*}*/\n\n/*.form-select {*/\n/* @apply pl-3 pr-8;*/\n/*}*/\n\n/*input.form-input:read-only,*/\n/*textarea.form-input:read-only,*/\n/*.form-input:active:disabled,*/\n/*.form-input:focus:disabled,*/\n/*.form-select:active:disabled,*/\n/*.form-select:focus:disabled {*/\n/* box-shadow: none;*/\n/*}*/\n\n/*input.form-input:read-only:not([type='color']),*/\n/*textarea.form-input:read-only,*/\n/*.form-input:disabled,*/\n/*.form-input.disabled,*/\n/*.form-select:disabled {*/\n/* @apply bg-gray-50 dark:bg-gray-700;*/\n/* cursor: not-allowed;*/\n/*}*/\n\n/*input.form-input[type='color']:not(:disabled) {*/\n/* cursor: pointer;*/\n/*}*\n/* Checkbox\n---------------------------------------------------------------------------- */\n.fake-checkbox {\n @apply select-none flex-shrink-0 h-4 w-4 text-primary-500 bg-white dark:bg-gray-900 rounded;\n display: inline-block;\n vertical-align: middle;\n background-origin: border-box;\n\n @apply border border-gray-300;\n @apply dark:border-gray-700;\n}\n\n.checkbox {\n @apply appearance-none inline-block align-middle select-none flex-shrink-0 h-4 w-4 text-primary-500 bg-white dark:bg-gray-900 rounded;\n -webkit-print-color-adjust: exact;\n color-adjust: exact;\n @apply border border-gray-300 focus:border-primary-300;\n @apply dark:border-gray-700 dark:focus:border-gray-500;\n @apply disabled:bg-gray-300 dark:disabled:bg-gray-700;\n @apply enabled:hover:cursor-pointer;\n}\n\n.checkbox:focus,\n.checkbox:active {\n @apply outline-none ring-primary-200 ring-2 dark:ring-gray-700;\n}\n\n.fake-checkbox-checked,\n.checkbox:checked {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E\");\n border-color: transparent;\n background-color: currentColor;\n background-size: cover;\n background-position: center;\n background-repeat: no-repeat;\n}\n\n.fake-checkbox-indeterminate,\n.checkbox:indeterminate {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E\");\n border-color: transparent;\n background-color: currentColor;\n background-size: cover;\n background-position: center;\n background-repeat: no-repeat;\n}\n\nhtml.dark .fake-checkbox-indeterminate,\nhtml.dark .checkbox:indeterminate {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E\");\n @apply bg-primary-500;\n}\n\nhtml.dark .fake-checkbox-checked,\nhtml.dark .checkbox:checked {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E\");\n @apply bg-primary-500;\n}\n\n/* File Upload\n---------------------------------------------------------------------------- */\n.form-file {\n @apply relative;\n}\n\n.form-file-btn {\n}\n\n.form-file-input {\n @apply opacity-0 overflow-hidden absolute;\n width: 0.1px;\n height: 0.1px;\n z-index: -1;\n}\n\n.form-file-input:focus + .form-file-btn,\n.form-file-input + .form-file-btn:hover {\n @apply bg-primary-600 cursor-pointer;\n}\n\n.form-file-input:focus + .form-file-btn {\n}\n","/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n","@tailwind utilities;\n","@import 'tailwindcss/base';\n@import 'tailwindcss/components';\n/*rtl:begin:ignore*/\n@import 'codemirror/lib/codemirror.css';\n@import 'codemirror/theme/3024-day.css';\n@import 'codemirror/theme/3024-night.css';\n@import 'codemirror/theme/abcdef.css';\n@import 'codemirror/theme/ambiance-mobile.css';\n@import 'codemirror/theme/ambiance.css';\n@import 'codemirror/theme/base16-dark.css';\n@import 'codemirror/theme/base16-light.css';\n@import 'codemirror/theme/bespin.css';\n@import 'codemirror/theme/blackboard.css';\n@import 'codemirror/theme/cobalt.css';\n@import 'codemirror/theme/colorforth.css';\n@import 'codemirror/theme/darcula.css';\n@import 'codemirror/theme/dracula.css';\n@import 'codemirror/theme/duotone-dark.css';\n@import 'codemirror/theme/duotone-light.css';\n@import 'codemirror/theme/eclipse.css';\n@import 'codemirror/theme/elegant.css';\n@import 'codemirror/theme/erlang-dark.css';\n@import 'codemirror/theme/gruvbox-dark.css';\n@import 'codemirror/theme/hopscotch.css';\n@import 'codemirror/theme/icecoder.css';\n@import 'codemirror/theme/idea.css';\n@import 'codemirror/theme/isotope.css';\n@import 'codemirror/theme/lesser-dark.css';\n@import 'codemirror/theme/liquibyte.css';\n@import 'codemirror/theme/lucario.css';\n@import 'codemirror/theme/material.css';\n@import 'codemirror/theme/mbo.css';\n@import 'codemirror/theme/mdn-like.css';\n@import 'codemirror/theme/midnight.css';\n@import 'codemirror/theme/monokai.css';\n@import 'codemirror/theme/neat.css';\n@import 'codemirror/theme/neo.css';\n@import 'codemirror/theme/night.css';\n@import 'codemirror/theme/oceanic-next.css';\n@import 'codemirror/theme/panda-syntax.css';\n@import 'codemirror/theme/paraiso-dark.css';\n@import 'codemirror/theme/paraiso-light.css';\n@import 'codemirror/theme/pastel-on-dark.css';\n@import 'codemirror/theme/railscasts.css';\n@import 'codemirror/theme/rubyblue.css';\n@import 'codemirror/theme/seti.css';\n@import 'codemirror/theme/shadowfox.css';\n@import 'codemirror/theme/solarized.css';\n@import 'codemirror/theme/ssms.css';\n@import 'codemirror/theme/the-matrix.css';\n@import 'codemirror/theme/tomorrow-night-bright.css';\n@import 'codemirror/theme/tomorrow-night-eighties.css';\n@import 'codemirror/theme/ttcn.css';\n@import 'codemirror/theme/twilight.css';\n@import 'codemirror/theme/vibrant-ink.css';\n@import 'codemirror/theme/xq-dark.css';\n@import 'codemirror/theme/xq-light.css';\n@import 'codemirror/theme/yeti.css';\n@import 'codemirror/theme/zenburn.css';\n/*rtl:end:ignore*/\n@import 'nova';\n@import 'fonts';\n@import 'tailwindcss/utilities';\n"],"names":[],"sourceRoot":""} \ No newline at end of file +{"version":3,"file":"app.css","mappings":"AAAA,+DAAc,CAAd,0DAAc,CAAd,kBAAc,CAAd,cAAc,CAAd,qBAAc,CAAd,8BAAc,CAAd,wCAAc,CAAd,4BAAc,CAAd,uCAAc,CAAd,4HAAc,CAAd,8BAAc,CAAd,eAAc,CAAd,eAAc,CAAd,aAAc,CAAd,UAAc,CAAd,wBAAc,CAAd,QAAc,CAAd,uBAAc,CAAd,aAAc,CAAd,QAAc,CAAd,4DAAc,CAAd,gCAAc,CAAd,mCAAc,CAAd,mBAAc,CAAd,eAAc,CAAd,uBAAc,CAAd,2BAAc,CAAd,8CAAc,CAAd,mGAAc,CAAd,aAAc,CAAd,8BAAc,CAAd,mBAAc,CAAd,qBAAc,CAAd,aAAc,CAAd,iBAAc,CAAd,uBAAc,CAAd,iBAAc,CAAd,aAAc,CAAd,8BAAc,CAAd,oBAAc,CAAd,aAAc,CAAd,mEAAc,CAAd,aAAc,CAAd,mBAAc,CAAd,cAAc,CAAd,+BAAc,CAAd,mBAAc,CAAd,mBAAc,CAAd,QAAc,CAAd,SAAc,CAAd,iCAAc,CAAd,yEAAc,CAAd,4BAAc,CAAd,qBAAc,CAAd,4BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,mEAAc,CAAd,0CAAc,CAAd,mBAAc,CAAd,mDAAc,CAAd,sDAAc,CAAd,YAAc,CAAd,yBAAc,CAAd,2DAAc,CAAd,iBAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,QAAc,CAAd,SAAc,CAAd,gBAAc,CAAd,wBAAc,CAAd,qFAAc,CAAd,SAAc,CAAd,2EAAc,CAAd,SAAc,CAAd,mCAAc,CAAd,wBAAc,CAAd,4DAAc,CAAd,qBAAc,CAAd,qBAAc,CAAd,cAAc,CAAd,qBAAc,CAAd,qCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,4BAAc,CAAd,wBAAc,CAAd,6BAAc,CAAd,gCAAc,CAAd,oBAAc,CAAd,0BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,yBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,+BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,0BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,+BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,2BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,0BAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,0BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,8BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,8BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,+BAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,gCAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,+BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,yBAAc,CAAd,4BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,6BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,2BAAc,CAAd,yBAAc,CAAd,wCAAc,CAAd,uBAAc,CAAd,kBAAc,CAAd,kBAAc,CAAd,aAAc,CAAd,aAAc,CAAd,aAAc,CAAd,cAAc,CAAd,cAAc,CAAd,YAAc,CAAd,YAAc,CAAd,iBAAc,CAAd,qCAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,cAAc,CAAd,mBAAc,CAAd,qBAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,iBAAc,CAAd,0BAAc,CAAd,2BAAc,CAAd,gDAAc,CAAd,iCAAc,CAAd,0BAAc,CAAd,qBAAc,CAAd,6BAAc,CAAd,WAAc,CAAd,iBAAc,CAAd,eAAc,CAAd,gBAAc,CAAd,iBAAc,CAAd,aAAc,CAAd,eAAc,CAAd,YAAc,CAAd,kBAAc,CAAd,oBAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,wBAAc,CAAd,qBAAc,CAAd,kCAAc,CAAd,uBAAc,CAAd,kBAAc,CAAd,kBAAc,CAAd,aAAc,CAAd,aAAc,CAAd,aAAc,CAAd,cAAc,CAAd,cAAc,CAAd,YAAc,CAAd,YAAc,CAAd,iBAAc,CAAd,qCAAc,CAAd,6BAAc,CAAd,4BAAc,CAAd,2BAAc,CAAd,cAAc,CAAd,mBAAc,CAAd,qBAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,iBAAc,CAAd,0BAAc,CAAd,2BAAc,CAAd,gDAAc,CAAd,iCAAc,CAAd,0BAAc,CAAd,qBAAc,CAAd,6BAAc,CAAd,WAAc,CAAd,iBAAc,CAAd,eAAc,CAAd,gBAAc,CAAd,iBAAc,CAAd,aAAc,CAAd,eAAc,CAAd,YAAc,CAAd,kBAAc,CAAd,oBAAc,CAAd,0BAAc,CAAd,wBAAc,CAAd,yBAAc,CAAd,0BAAc,CAAd,sBAAc,CAAd,uBAAc,CAAd,wBAAc,CAAd,qBAAc,CCAd,qBAAoB,CAApB,mDAAoB,EAApB,mDAAoB,EAApB,qDAAoB,EAApB,qDAAoB,EAApB,qDAAoB,EAApB,iCAAoB,CAApB,cAAoB,CAApB,0FAAoB,CAApB,iBAAoB,CAApB,4GAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,mBAAoB,CAApB,gBAAoB,CAApB,iGAAoB,CAApB,eAAoB,CAApB,yBAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,0FAAoB,CAApB,mGAAoB,CAApB,iGAAoB,CAApB,8FAAoB,CAApB,oBAAoB,CAApB,iBAAoB,CAApB,qGAAoB,CAApB,sGAAoB,CAApB,0GAAoB,CAApB,0GAAoB,CAApB,4GAAoB,CAApB,4GAAoB,CAApB,0GAAoB,CAApB,0GAAoB,CAApB,4GAAoB,CAApB,4GAAoB,CAApB,wGAAoB,CAApB,2FAAoB,CAApB,oBAAoB,CAApB,iBAAoB,CAApB,qGAAoB,CAApB,sGAAoB,CAApB,gHAAoB,CAApB,eAAoB,CAApB,+GAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,iBAAoB,CAApB,sGAAoB,CAApB,oBAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,2GAAoB,CAApB,iBAAoB,CAApB,eAAoB,CAApB,mBAAoB,CAApB,gBAAoB,CAApB,mCAAoB,CAApB,wIAAoB,CAApB,wBAAoB,CAApB,gBAAoB,CAApB,yIAAoB,CAApB,yBAAoB,CAApB,iBAAoB,CAApB,wHAAoB,CAApB,uHAAoB,CAApB,qGAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,qBAAoB,CAApB,wBAAoB,CAApB,YAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,eAAoB,CAApB,qBAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,qGAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,gBAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,qGAAoB,CAApB,eAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,gBAAoB,CAApB,2FAAoB,CAApB,eAAoB,CAApB,yFAAoB,CAApB,cAAoB,CAApB,yFAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,8FAAoB,CAApB,sGAAoB,CAApB,yBAAoB,CAApB,mBAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,sBAAoB,CAApB,mGAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,2FAAoB,CAApB,0FAAoB,CAApB,wFAAoB,CAApB,yFAAoB,CAApB,yFAAoB,CAApB,gBAAoB,CAApB,yFAAoB,CAApB,cAAoB,CAApB,yFAAoB,CAApB,iGAAoB,CAApB,+FAAoB,CAApB,+GAAoB,CAApB,qBAAoB,CAApB,8BAAoB,CAApB,gBAAoB,CAApB,eAAoB,CAApB,qBAAoB,CAApB,yBAAoB,CAApB,sBAAoB,CAApB,eAAoB,CAApB,8BAAoB,CAApB,yGAAoB,CAApB,eAAoB,CAApB,cAAoB,CAApB,aAAoB,CAApB,mBAAoB,CAApB,iBAAoB,CAApB,mBAAoB,CAApB,mBAAoB,CAApB,SAAoB,CAApB,gGAAoB,CAApB,+FAAoB,CAApB,0FAAoB,CAApB,qBAAoB,CAApB,iBAAoB,CAApB,cAAoB,CAApB,iBAAoB,CAApB,UAAoB,CAApB,mGAAoB,CAApB,oGAAoB,CAApB,wHAAoB,CAApB,uBAAoB,CAApB,2GAAoB,CAApB,eAAoB,CAApB,yBAAoB,CAApB,uBAAoB,CAApB,wBAAoB,CAApB,qBAAoB,CAApB,2HAAoB,CAApB,uBAAoB,CAApB,6GAAoB,CAApB,oGAAoB,CAApB,qHAAoB,CAApB,oBAAoB,CAApB,+FAAoB,CAApB,4FAAoB,CAApB,YAAoB,CAApB,6GAAoB,CAApB,gBAAoB,CAApB,qBAAoB,CAApB,qBAAoB,CAApB,8BAAoB,CAApB,2BAAoB,CAApB,uBAAoB,CAApB,wBAAoB,CAApB,uBAAoB,CAApB,2BAAoB,CAApB,0BAAoB,CAApB,qBAAoB,CAApB,yBAAoB,CAApB,gCAAoB,CAApB,2BAAoB,CAApB,sBAAoB,CAApB,+BAAoB,CAApB,uBAAoB,CAApB,2BAAoB,CAApB,yBAAoB,CAApB,6BAAoB,CAApB,6BAAoB,CAApB,8BAAoB,CAApB,+BAAoB,CAApB,8BAAoB,CAApB,4BAAoB,CAApB,2BAAoB,CAApB,kCAAoB,CAApB,iCAAoB,CAApB,4BAAoB,CAApB,gCAAoB,CAApB,uCAAoB,CAApB,kCAAoB,CAApB,0BAAoB,CAApB,yCAAoB,CAApB,2BAAoB,CAApB,kCAAoB,CAApB,uCAAoB,CAApB,oCAAoB,CAApB,oCAAoB,CAApB,cAAoB,CAApB,gBAAoB,CAApB,+FAAoB,CAApB,YAAoB,CAApB,2FAAoB,CAApB,cAAoB,CAApB,yFAAoB,CAApB,eAAoB,CAApB,uGAAoB,CAApB,wGAAoB,CAApB,uGAAoB,CAApB,wGAAoB,CAApB,sGAAoB,CAApB,gBAAoB,CAApB,+GAAoB,CAApB,iHAAoB,CAApB,+GAAoB,CAApB,iHAAoB,CAApB,+GAAoB,CAApB,gBAAoB,CAApB,2FAAoB,CAApB,iBAAoB,CAApB,sFAAoB,CAApB,qGAAoB,CAApB,sGAAoB,CAApB,qFAAoB,CAApB,qFAAoB,CAApB,qFAAoB,CAApB,qFAAoB,CAApB,iHAAoB,CAApB,kHAAoB,CAApB,iHAAoB,CAApB,gHAAoB,CAApB,wGAAoB,CAApB,sIAAoB,CAApB,uIAAoB,CAApB,qIAAoB,CAApB,oIAAoB,CAApB,4FAAoB,CAApB,cAAoB,CAApB,oGAAoB,CAApB,sGAAoB,CAApB,2BAAoB,CAApB,qBAAoB,CAApB,kGAAoB,CAApB,sBAAoB,CAApB,0GAAoB,CAApB,qBAAoB,CAApB,wBAAoB,CAApB,qBAAoB,CAApB,2GAAoB,CAApB,sBAAoB,CAApB,oHAAoB,CAApB,qHAAoB,CAApB,+FAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,YAAoB,CAApB,+FAAoB,CAApB,eAAoB,CAApB,kBAAoB,CAApB,gBAAoB,CAApB,+FAAoB,CAApB,qBAAoB,CAApB,wBAAoB,CAApB,sBAAoB,CAApB,+FAAoB,CAApB,wBAAoB,CAApB,sBAAoB,CAApB,oGAAoB,CAApB,sBAAoB,CAApB,wGAAoB,CAApB,sBAAoB,CAApB,kGAAoB,CAApB,YAAoB,CAApB,sGAAoB,CAApB,sBAAoB,CAApB,iGAAoB,CAApB,oBAAoB,CAApB,6BAAoB,CAApB,gGAAoB,CAApB,6FAAoB,CAApB,mGAAoB,CAApB,+FAAoB,CAApB,oBAAoB,CAApB,qBAAoB,CAApB,yBAAoB,CAApB,sBAAoB,CAApB,sBAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,4GAAoB,CAApB,6GAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,4GAAoB,CAApB,6GAAoB,CAApB,kGAAoB,CAApB,qBAAoB,CAApB,8GAAoB,CAApB,+GAAoB,CAApB,8GAAoB,CAApB,+GAAoB,CAApB,iHAAoB,CAApB,qBAAoB,CAApB,0HAAoB,CAApB,4HAAoB,CAApB,0HAAoB,CAApB,4HAAoB,CAApB,uHAAoB,CAApB,qBAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,gGAAoB,CAApB,+FAAoB,CAApB,4GAAoB,CAApB,6GAAoB,CAApB,mGAAoB,CAApB,sBAAoB,CAApB,wFAAoB,CAApB,wFAAoB,CAApB,wFAAoB,CAApB,wFAAoB,CAApB,iGAAoB,CAApB,eAAoB,CAApB,yGAAoB,CAApB,gBAAoB,CAApB,iBAAoB,CAApB,oHAAoB,CAApB,qHAAoB,CAApB,oHAAoB,CAApB,mHAAoB,CAApB,+GAAoB,CAApB,yIAAoB,CAApB,0IAAoB,CAApB,wIAAoB,CAApB,uIAAoB,CAApB,uGAAoB,CAApB,sBAAoB,CAApB,+FAAoB,CAApB,YAAoB,CAApB,sGAAoB,CAApB,qBAAoB,CAApB,qBAAoB,CAApB,0GAAoB,CAApB,4GAAoB,CCwhBhB,uBAJA,oEAA4C,CAA5C,4FAA4C,CAA5C,mBAA4C,CAA5C,kGAA4C,CAA5C,eAA4C,CAA5C,qBAI2C,CAA3C,iEAA2C,CAA3C,qCAA2C,CAI3C,qFAA4E,CAA5E,4FAA4E,CAA5E,6CAA4E,CAA5E,mBAA4E,CAA5E,kGAA4E,CAA5E,mCAA4E,CAA5E,eAA4E,CAA5E,qBAA4E,CAA5E,0EAA4E,CAA5E,mCAA4E,CAI5E,mFAAoE,CAApE,4FAAoE,CAApE,2CAAoE,CAApE,mBAAoE,CAApE,kGAAoE,CAApE,iCAAoE,CAApE,eAAoE,CAApE,qBAAoE,CAApE,sEAAoE,CAApE,iCAAoE,CAApE,qFAAoE,CAApE,4FAAoE,CAApE,2CAAoE,CAApE,mBAAoE,CAApE,kGAAoE,CAApE,iCAAoE,CAApE,eAAoE,CAApE,qBAAoE,CAApE,wEAAoE,CAApE,iCAAoE,CAIpE,kFAAoF,CAApF,4FAAoF,CAApF,+CAAoF,CAApF,mBAAoF,CAApF,kGAAoF,CAApF,qCAAoF,CAApF,eAAoF,CAApF,qBAAoF,CAApF,yEAAoF,CAApF,qCAAoF,CAIpF,qFAAgF,CAAhF,4FAAgF,CAAhF,8CAAgF,CAAhF,mBAAgF,CAAhF,kGAAgF,CAAhF,oCAAgF,CAAhF,eAAgF,CAAhF,qBAAgF,CAAhF,2EAAgF,CAAhF,oCAAgF,CAIhF,6DAAoC,CAApC,0BAAoC,CAApC,uBAAoC,CC1iBxC,YAIE,UAAY,CACZ,aAAc,CAHd,qBAAsB,CACtB,YAGF,CAIA,kBACE,aACF,CACA,qEAEE,aACF,CAEA,uDACE,qBACF,CAIA,oBAEE,wBAAyB,CADzB,2BAA4B,CAE5B,kBACF,CAEA,uBAIE,UAAW,CAFX,cAAe,CADf,mBAAoB,CAEpB,gBAAiB,CAEjB,kBACF,CAEA,yBAA2B,UAAc,CACzC,gCAAkC,UAAa,CAI/C,mBAEE,iBAAkB,CAClB,OACF,CAEA,2CACE,4BACF,CACA,kCAGE,eAAgB,CADhB,kBAAoB,CADpB,UAGF,CACA,sCACE,SACF,CACA,gJAE2D,sBAAyB,CACpF,+JAEgE,sBAAyB,CACzF,eAAiB,uBAA0B,CAW3C,iBAEE,IAAM,4BAA+B,CAEvC,CAKA,QAAU,oBAAqB,CAAE,uBAA0B,CAE3D,mBAEiC,QAAS,CAAxC,MAAO,CACP,eAAgB,CAFhB,iBAAkB,CACT,OAAQ,CAAE,SAErB,CACA,kBACE,0BAA2B,CACnB,QAAS,CACjB,iBAAkB,CADlB,KAEF,CAIA,yBAA0B,UAAY,CACtC,wBAAyB,UAAY,CACrC,aAAc,UAAY,CAC1B,aAAc,UAAY,CAC1B,sBAAwB,eAAkB,CAC1C,OAAQ,iBAAmB,CAC3B,SAAU,yBAA2B,CACrC,kBAAmB,4BAA8B,CAEjD,0BAA2B,UAAY,CACvC,uBAAwB,UAAY,CACpC,yBAA0B,UAAY,CACtC,sBAAuB,UAAY,CAKnC,6BAA8B,UAAY,CAC1C,oDAAsD,UAAY,CAClE,0BAA2B,UAAY,CACvC,yBAA0B,UAAY,CACtC,2BAA4B,UAAY,CAExC,mDAA6B,UAAY,CACzC,0BAA2B,UAAY,CACvC,0BAA2B,UAAY,CACvC,sBAAuB,UAAY,CACnC,4BAA6B,UAAY,CACzC,qBAAsB,UAAY,CAClC,uBAAwB,UAAY,CAGpC,wCAAiB,SAAY,CAE7B,sBAAwB,uBAA0B,CAIlD,+CAAgD,UAAY,CAC5D,kDAAmD,UAAY,CAC/D,wBAA0B,6BAAmC,CAC7D,kCAAmC,kBAAoB,CAOvD,YAGE,eAAiB,CADjB,eAEF,CAEA,mBAME,WAAY,CAFZ,mBAAoB,CAAE,kBAAmB,CAGzC,YAAa,CANb,yBAA2B,CAI3B,mBAAoB,CAGpB,iBAAkB,CAClB,SACF,CACA,kBAEE,mCAAoC,CADpC,iBAEF,CAKA,qGAGE,YAAa,CACb,YAAa,CAHb,iBAAkB,CAClB,SAGF,CACA,uBAEE,iBAAkB,CAClB,iBAAkB,CAFlB,OAAQ,CAAE,KAGZ,CACA,uBACE,QAAS,CAAE,MAAO,CAElB,iBAAkB,CADlB,iBAEF,CACA,6BACY,QAAS,CAAnB,OACF,CACA,0BACW,QAAS,CAAlB,MACF,CAEA,oBACsB,MAAO,CAC3B,eAAgB,CADhB,iBAAkB,CAAW,KAAM,CAEnC,SACF,CACA,mBAGE,oBAAqB,CADrB,WAAY,CAGZ,mBAAoB,CADpB,kBAAmB,CAHnB,kBAKF,CACA,2BAGE,yBAA2B,CAC3B,qBAAuB,CAHvB,iBAAkB,CAClB,SAGF,CACA,8BAEU,QAAS,CADjB,iBAAkB,CAClB,KAAM,CACN,SACF,CACA,uBAEE,cAAe,CADf,iBAAkB,CAElB,SACF,CACA,uCAAyC,4BAA8B,CACvE,4CAA8C,4BAA8B,CAE5E,kBACE,WAAY,CACZ,cACF,CACA,qEAUE,gBAAiB,CAMjB,uCAAwC,CAXxC,sBAAuB,CAF0B,eAAgB,CACjE,cAAe,CAQf,aAAc,CANd,mBAAoB,CACpB,iBAAkB,CAWlB,iCAAkC,CAPlC,mBAAoB,CAHpB,QAAS,CAOT,gBAAiB,CADjB,iBAAkB,CALlB,eAAgB,CAIhB,SAMF,CACA,+EAEE,oBAAqB,CACrB,oBAAqB,CACrB,iBACF,CAEA,2BAE6B,QAAS,CAApC,MAAO,CADP,iBAAkB,CACT,OAAQ,CAAE,KAAM,CACzB,SACF,CAEA,uBAGE,YAAc,CAFd,iBAAkB,CAClB,SAEF,CAIA,oBAAsB,aAAgB,CAEtC,iBACE,YACF,CAGA,mGAME,sBACF,CAEA,oBAGE,QAAS,CACT,eAAgB,CAHhB,iBAAkB,CAIlB,iBAAkB,CAHlB,UAIF,CAEA,mBAEE,mBAAoB,CADpB,iBAEF,CACA,wBAA0B,eAAkB,CAE5C,uBAEE,iBAAkB,CADlB,iBAAkB,CAElB,SACF,CAKA,sEACE,kBACF,CAEA,qBAAuB,kBAAqB,CAC5C,yCAA2C,kBAAqB,CAChE,sBAAwB,gBAAmB,CAC3C,mGAA6G,kBAAqB,CAClI,kHAA4H,kBAAqB,CAEjJ,cACE,qBAAsB,CACtB,mCACF,CAGA,iBAAmB,kBAAqB,CAExC,aAEE,mCACE,iBACF,CACF,CAGA,wBAA0B,UAAa,CAGvC,6BAA+B,eAAkB,CC7UjD,0BAA4B,kBAAmB,CAAE,aAAgB,CACjE,uCAAyC,kBAAqB,CAE9D,+JAA0J,kBAAqB,CAA/K,gJAA0J,kBAAqB,CAC/K,0DAAoK,kBAAqB,CAAzL,0JAAoK,kBAAqB,CAEzL,mCAAqC,kBAAmB,CAAE,cAAmB,CAC7E,wCAA0C,aAAgB,CAE1D,qFAAwC,aAAgB,CAExD,kCAAoC,6BAAgC,CAEpE,+BAAiC,aAAgB,CAEjD,0DAAgC,aAAgB,CAEhD,iEAAoE,aAAgB,CACpF,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAEhD,gCAAkC,aAAgB,CAClD,kCAAoC,aAAgB,CACpD,2BAA6B,aAAgB,CAC7C,+BAAiC,aAAgB,CACjD,2BAA6B,aAAgB,CAC7C,4BAA8B,aAAgB,CAC9C,6BAA+B,kBAAmB,CAAE,aAAgB,CAEpE,iDAAmD,kBAAqB,CACxE,2CAAyE,uBAAyB,CAArD,yBAAuD,CC9BpG,4BAA8B,kBAAmB,CAAE,aAAgB,CACnE,yCAA2C,kBAAqB,CAChE,sJAAgK,6BAAmC,CACnM,qKAA+K,6BAAmC,CAClN,qCAAuC,kBAAmB,CAAE,cAAmB,CAC/E,0CAA4C,aAAgB,CAE5D,yFAA0C,aAAgB,CAE1D,oCAAsC,6BAAgC,CAEtE,iCAAmC,aAAgB,CAEnD,8DAAkC,aAAgB,CAElD,qEAAwE,aAAgB,CACxF,iCAAmC,aAAgB,CACnD,gCAAkC,aAAgB,CAElD,kCAAoC,aAAgB,CACpD,oCAAsC,aAAgB,CACtD,6BAA+B,aAAgB,CAC/C,iCAAmC,aAAgB,CACnD,6BAA+B,aAAgB,CAC/C,8BAAgC,aAAgB,CAChD,+BAAiC,kBAAmB,CAAE,aAAgB,CAEtE,mDAAqD,kBAAqB,CAC1E,6CAA2E,oBAAuB,CAAnD,yBAAqD,CCtCpG,wBAA0B,kBAAmB,CAAE,aAAgB,CAC/D,qCAAuC,kBAAqB,CAC5D,0IAAoJ,6BAAoC,CACxL,yJAAmK,6BAAoC,CACvM,iCAAmC,eAAgB,CAAE,8BAAiC,CACtF,sCAAwC,UAAa,CACrD,6CAA+C,WAAc,CAC7D,oCAAsC,UAAgB,CACtD,gCAAkC,0BAAgC,CAElE,6BAA+B,aAAoB,CAAE,eAAmB,CACxE,0BAA4B,UAAa,CACzC,4BAA8B,YAAe,CAC7C,yBAA2B,aAAgB,CAC3C,8BAAgC,aAAgB,CAChD,gCAAkC,aAAgB,CAClD,0DAA6D,UAAa,CAC1E,8BAAgC,aAAgB,CAChD,8BAAgC,UAAa,CAC7C,6BAA+B,aAAc,CAAE,iBAAmB,CAClE,4BAA8B,UAAa,CAC3C,0BAA4B,UAAa,CACzC,+BAAiC,aAAgB,CACjD,6BAA+B,aAAgB,CAC/C,6BAA+B,aAAgB,CAC/C,yBAA2B,UAAgB,CAC3C,+BAAiC,UAAgB,CACjD,2BAA6B,SAAgB,CAC7C,4BAA8B,aAAiB,CAAE,eAAmB,CACpE,0BAA4B,aAAmB,CAE/C,+CAAiD,kBAAqB,CC/BtE,0BAGE,eACF,CCAA,0BAA4B,UAAa,CACzC,yBAA2B,aAAgB,CAE3C,2BAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAC1C,0BAA4B,aAAgB,CAC5C,uBAAyB,aAAgB,CACzC,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,sDAAyD,aAAgB,CACzE,4BAA8B,aAAgB,CAC9C,4BAA8B,aAAgB,CAC9C,2BAA6B,UAAW,CAAE,iBAAmB,CAC7D,0BAA4B,aAAgB,CAC5C,4BAA8B,aAAgB,CAC9C,wBAA0B,aAAgB,CAC1C,6BAA+B,UAAe,CAC9C,2BAA6B,UAAgB,CAC7C,2BAA6B,aAAgB,CAC7C,uBAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,sBAAwB,UAAa,CACrC,wBAA0B,aAAgB,CAC1C,2BAA6B,aAAgB,CAC7C,yBAA2B,aAAgB,CAE3C,2CAA6C,UAAa,CAC1D,8CAAgD,UAAa,CAE7D,uCAAyC,8BAAuC,CAChF,0DAA4D,6BAAuC,CACnG,gJAA0J,6BAAuC,CACjM,+JAAyK,6BAAuC,CAIhN,0BAGE,wBAAyB,CAGzB,8BAAgC,CAJhC,aAAc,CADd,iBAMF,CAEA,mCACE,kBAAmB,CACnB,8BAA+B,CAC/B,2BACF,CAEA,sCAEE,UAAW,CACX,aAAc,CAFd,6BAGF,CAEA,wCAA0C,UAAa,CACvD,+CAAiD,UAAa,CAE9D,kCAAoC,6BAAgC,CAEpE,iDACE,sDACF,CAEA,6DAEE,spuBACF,CC/DA,6BAA+B,kBAAmB,CAAE,aAAgB,CACpE,0CAA4C,kBAAqB,CACjE,yJAAmK,6BAAmC,CACtM,wKAAkL,6BAAmC,CACrN,sCAAwC,kBAAmB,CAAE,cAAmB,CAChF,2CAA6C,aAAgB,CAE7D,2FAA2C,aAAgB,CAC3D,qCAAuC,6BAAgC,CAEvE,4FAA2C,oCAAwC,CAEnF,kCAAoC,aAAgB,CAEpD,gEAAmC,aAAgB,CAEnD,uEAA0E,aAAgB,CAC1F,kCAAoC,aAAgB,CACpD,iCAAmC,aAAgB,CAEnD,mCAAqC,aAAgB,CACrD,qCAAuC,aAAgB,CACvD,8BAAgC,aAAgB,CAChD,kCAAoC,aAAgB,CACpD,8BAAgC,aAAgB,CAChD,+BAAiC,aAAgB,CACjD,gCAAkC,kBAAmB,CAAE,aAAgB,CAEvE,oDAAsD,kBAAqB,CAC3E,8CAA4E,oBAAuB,CAAnD,yBAAqD,CC7BrG,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,kBAAqB,CAClE,4JAAsK,kBAAqB,CAC3L,2KAAqL,kBAAqB,CAC1M,uCAAyC,kBAAmB,CAAE,cAAmB,CACjF,4CAA8C,aAAgB,CAE9D,6FAA4C,aAAgB,CAC5D,sCAAwC,6BAAgC,CAExE,mCAAqC,aAAgB,CAErD,kEAAoC,aAAgB,CAEpD,yEAA4E,aAAgB,CAC5F,mCAAqC,aAAgB,CACrD,kCAAoC,aAAgB,CAEpD,oCAAsC,aAAgB,CACtD,sCAAwC,aAAgB,CACxD,+BAAiC,aAAgB,CACjD,mCAAqC,aAAgB,CACrD,+BAAiC,aAAgB,CACjD,gCAAkC,aAAgB,CAClD,iCAAmC,kBAAmB,CAAE,aAAgB,CAExE,qDAAuD,kBAAqB,CAC5E,+CAA4E,kCAAmC,CAA9D,uBAA+D,CC3BhH,wBAAyB,kBAAmB,CAAE,aAAe,CAC7D,qCAAsC,4BAA+B,CACrE,iCAAkC,kBAAmB,CAAE,cAAkB,CACzE,oCAAqC,UAAe,CACpD,gCAAiC,uCAA0C,CAE3E,6BAA8B,aAAe,CAE7C,sDAA6B,aAAe,CAE5C,6DAA+D,aAAe,CAC9E,6BAA8B,aAAe,CAC7C,4BAA6B,aAAe,CAE5C,8BAA+B,aAAe,CAC9C,gCAAiC,aAAe,CAChD,yBAA0B,aAAe,CACzC,2BAA4B,kBAAmB,CAAE,aAAe,CAChE,6BAA8B,aAAe,CAC7C,yBAA0B,aAAe,CACzC,0BAA2B,aAAe,CAE1C,yCAAuE,oBAAuB,CAAnD,yBAAoD,CAC/F,+CAAiD,kBAAqB,CC/BtE,4BAA8B,kBAAmB,CAAE,aAAgB,CACnE,yCAA2C,kBAAqB,CAChE,sJAAgK,8BAAoC,CACpM,qKAA+K,8BAAoC,CACnN,qCAAuC,kBAAmB,CAAE,cAAiB,CAC7E,0CAA4C,aAAgB,CAE5D,yFAA0C,UAAa,CACvD,oCAAsC,6BAAgC,CAEtE,6BAA+B,aAAgB,CAE/C,sDAA8B,aAAgB,CAC9C,yBAA2B,aAAgB,CAC3C,8BAAgC,aAAgB,CAChD,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAE/C,0DAAgC,aAAgB,CAChD,0BAA4B,aAAgB,CAG5C,qFAAiC,aAAgB,CACjD,4BAA8B,aAAgB,CAC9C,wBAA0B,aAAgB,CAC1C,0BAA4B,aAAgB,CAC5C,2BAA6B,kBAAmB,CAAE,aAAgB,CAElE,mDAAqD,kBAAqB,CAC1E,6CAAsE,oBAAsB,CAA7C,sBAA+C,CC/B9F,wBAA0B,kBAAmB,CAAE,UAAc,CAC7D,qCAAuC,kBAAqB,CAC5D,0IAAoJ,+BAAqC,CACzL,yJAAmK,+BAAqC,CACxM,iCAAmC,kBAAmB,CAAE,2BAA8B,CACtF,sCAAwC,aAAgB,CAExD,iFAAsC,aAAgB,CACtD,gCAAkC,0BAA8B,CAEhE,6BAA+B,UAAa,CAC5C,0BAA4B,aAAgB,CAC5C,2DAA8D,aAAgB,CAC9E,6BAA+B,aAAgB,CAC/C,4BAA8B,aAAgB,CAC9C,0BAA4B,aAAgB,CAC5C,yDAA4D,aAAgB,CAC5E,+EAAmF,UAAc,CACjG,6BAA+B,aAAgB,CAC/C,0DAA6D,aAAgB,CAC7E,0BAA4B,aAAgB,CAC5C,2BAA6B,aAAgB,CAE7C,+CAAiD,kBAAqB,CACtE,yCAAkE,oBAAsB,CAA7C,sBAA+C,CCxB1F,4BAA8B,eAAmB,CAAE,aAAgB,CACnE,qCAAuC,kBAAmB,CAAE,2BAA8B,CAC1F,0CAA4C,aAAgB,CAC5D,iDAAmD,aAAgB,CACnE,wCAA0C,aAAgB,CAC1D,oCAAsC,0BAA8B,CAEpE,iCAAuC,aAAgB,CACvD,6BAAuC,aAAc,CAAE,eAAkB,CACzE,iCAAuC,aAAgB,CACvD,iCAAuC,aAAgB,CACvD,kCAAuC,aAAgB,CACvD,gCAAuC,aAAgB,CACvD,gCAAuC,aAAgB,CACvD,8BAAuC,aAAgB,CAEvD,oCAAuC,UAAa,CACpD,kEAAqE,UAAa,CAIlF,8BAAuC,UAAe,CACtD,mCAAuC,aAAgB,CACvD,iCAAuC,UAAa,CACpD,6BAAuC,aAAgB,CACvD,mCAAuC,aAAgB,CACvD,+BAAuC,SAAa,CAEpD,yCAA2C,kBAAqB,CAEhE,qCAAuC,8BAAuC,CAE9E,mDAAqD,kBAAqB,CC3B1E,cAAiB,sIAA2J,CAC5K,yBAA2B,kBAAmB,CAAE,aAAgB,CAEhE,2BAA6B,aAAgB,CAC7C,6BAA+B,aAAgB,CAC/C,8BAAgC,aAAc,CAAoB,eAAiB,CAAnC,eAAqC,CACrF,0BAA4B,aAAc,CAAE,iBAAoB,CAEhE,gEAAmC,aAAgB,CACnD,iCAAmC,aAAgB,CACnD,2BAA6B,UAAc,CAAE,eAAmB,CAChE,+BAAiC,aAAgB,CACjD,+BAAiC,aAAgB,CAEjD,4DAAiC,aAAgB,CACjD,8BAAgC,aAAc,CAAE,iBAAoB,CAEpE,sDAA6B,aAAgB,CAC7C,4BAA8B,aAAgB,CAC9C,0BAA4B,aAAc,CAAqB,iBAAkB,CAArC,eAAiB,CAAsB,yBAA4B,CAC/G,gCAAkC,aAAgB,CAClD,gCAAkC,aAAgB,CAClD,8BAAgC,aAAgB,CAEhD,4DAAgC,aAAgB,CAChD,qCAAuD,kCAAsC,CAAtD,UAAc,CAA0C,eAAoB,CACnH,gCAAkD,mCAAuC,CAAvD,UAAc,CAA2C,eAAoB,CAE/G,iCAAmC,6BAAgC,CACnE,gDAAkD,kBAAqB,CACvE,kCAAoC,kBAAmB,CAAE,8BAAiC,CAC1F,uCAAyC,aAAgB,CACzD,8CAAgD,aAAgB,CAChE,qCAAuC,aAAgB,CACvD,0CAA4C,wBAAyB,CAAE,uBAAyB,CAAE,eAAmB,CAErH,sCAAwC,kBAAqB,CAE7D,0BAGE,kCAAoC,CADpC,aAAc,CADd,uDAGF,CAEA,kDACE,kCAAoC,CACpC,uBACF,CC1CA,2DACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CACA,kCAAoC,aAAgB,CACpD,iCAAmC,8BAAiC,CACpE,qCAAuC,aAAgB,CACvD,mCAAqC,6BAAuC,CAC5E,6IAAuJ,6BAAuC,CAC9L,4JAAsK,6BAAuC,CAC7M,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAC/E,6BAA+B,aAAgB,CAC/C,+BAAiC,aAAgB,CACjD,iCAAmC,UAAc,CACjD,0BAA4B,aAAgB,CAE5C,6DAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAC7C,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAE5C,gEAAkC,aAAgB,CAClD,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAE/E,gDAAkD,6BAAmC,CACrF,0CAAwE,oBAAuB,CAAnD,yBAAqD,CChCjG,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,4BAA+B,CAC5E,uCAAyC,kBAAmB,CAAE,cAAmB,CACjF,0CAA4C,aAAgB,CAG5D,sCAAwC,6BAA8B,CAA0C,+BAAgC,CAA4C,UAAa,CACzM,qDAAuD,kBAAmB,CAAgC,UAAY,CACtH,qDAAuD,kBAAmB,CAA+B,UAAY,CAGrH,6QAAsR,UAAgB,CAEtS,oCAAsC,aAAgB,CACtD,2GAA+G,aAAgB,CAC/H,kCAAoC,aAAgB,CACpD,oCAAsC,aAAgB,CACtD,oCAAsC,aAAgB,CAEtD,+KAAqL,aAAgB,CACrM,sMAA6M,aAAgB,CAC7N,sEAAyE,aAAgB,CAGzF,wEAA2E,SAAa,CAExF,kCAAoC,eAAqB,CACzD,+CAA6E,uBAAyB,CAArD,yBAAuD,CC3BxG,+BAAiC,kBAAmB,CAAE,aAAgB,CACtE,4CAA8C,4BAAgC,CAC9E,wCAA0C,kBAAmB,CAAE,cAAmB,CAClF,2CAA6C,aAAgB,CAG7D,uCAAyC,6BAA8B,CAA0C,+BAAgC,CAA4C,UAAa,CAC1M,sDAAwD,kBAAmB,CAAgC,UAAa,CACxH,sDAAwD,kBAAmB,CAAmB,UAAa,CAG3G,iSAA0S,aAAgB,CAE1T,qCAAuC,aAAgB,CACvD,8GAAkH,aAAgB,CAClI,wEAA2E,aAAgB,CAG3F,yNAA0L,aAAgB,CAC1M,4MAAmN,aAAgB,CACnO,wEAA2E,aAAgB,CAI3F,0EAA6E,SAAa,CAE1F,mCAAqC,eAAqB,CAC1D,gDAA8E,uBAAyB,CAArD,yBAAuD,CClCzG,2BAA6B,aAAgB,CAC7C,8BAAqE,aAAc,CAAjC,eAAiB,CAAnC,eAAqD,CACrF,2BAA6B,UAAa,CAC1C,6BAA+B,UAAa,CAC5C,0BAA4B,UAAa,CACzC,+BAAiC,UAAc,CAE/C,6FAA+D,aAAgB,CAE/E,8DAAiC,UAAc,CAC/C,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAC/C,+BAAiC,UAAa,CAC9C,gCAAkC,UAAa,CAC/C,8BAAgC,UAAa,CAC7C,8BAAgC,UAAa,CAC7C,0BAA4B,UAAa,CACzC,gCAAkC,UAAa,CAC/C,2BAA6B,UAAa,CAC1C,4BAA8B,SAAa,CAE3C,gDAAkD,kBAAqB,CACvE,0CAAoE,oBAAsB,CAA9C,sBAAgD,CCtB5F,qFAAyF,UAAa,CACtG,8BAAgC,UAAW,CAAE,iBAAkB,CAAE,eAAkB,CACnF,2BAA6B,UAAW,CAAE,iBAAkB,CAAE,eAAkB,CAChF,+BAAiC,UAAc,CAC/C,iCAAmC,UAAa,CAChD,gCAAkC,UAAa,CAC/C,8BAAgC,UAAa,CAC7C,8BAAgC,UAAa,CAC7C,2BAA6B,UAAa,CAC1C,4BAA8B,qBAAwB,CAEtD,gDAAkD,kBAAqB,CACvE,0CAAoE,oBAAsB,CAA9C,sBAAgD,CCZ5F,6BAA+B,kBAAmB,CAAE,UAAc,CAClE,0CAA4C,kBAAqB,CACjE,yJAAmK,+BAAqC,CACxM,wKAAkL,+BAAqC,CACvN,sCAAwC,kBAAmB,CAAE,2BAA8B,CAC3F,2CAA6C,UAAc,CAE3D,2FAA2C,aAAgB,CAC3D,qCAAuC,0BAA8B,CAErE,gCAAuC,UAAa,CACpD,+BAAuC,aAAgB,CACvD,oCAAuC,aAAgB,CACvD,kCAAuC,aAAgB,CACvD,kCAAuC,UAAa,CACpD,kCAAuC,UAAa,CACpD,8BAAuC,UAAa,CACpD,kCAAuC,aAAgB,CACvD,+BAAuC,aAAgB,CACvD,iCAAuC,aAAgB,CACvD,mCAAuC,UAAa,CAEpD,uEAAuC,UAAa,CACpD,kCAAuC,UAAgB,CACvD,iCAAuC,aAAgB,CACvD,mCAAuC,UAAa,CACpD,8BAAuC,aAAgB,CACvD,mCAAuC,aAAgB,CACvD,qCAAuC,UAAa,CACpD,oEAAuE,UAAa,CACpF,gCAAuC,aAAgB,CAEvD,oDAAsD,kBAAqB,CAC3E,8CAAwE,oBAAsB,CAA9C,sBAAgD,CCxBhG,qEAAwE,wBAAyB,CAAE,aAAgB,CACnH,uCAAwC,kBAAmB,CAAE,cAAkB,CAC/E,0CAA2C,aAAe,CAC1D,sCAAwC,6BAAgC,CAExE,8FAA4C,oCAAwC,CACpF,2CAA6C,kBAAqB,CAClE,gCAAkC,aAAgB,CAElD,mCAAqC,aAAgB,CACrD,+CAAkD,aAAgB,CAClE,mCAAqC,aAAgB,CAGrD,0EAAwC,aAAgB,CACxD,sEAAyE,aAAgB,CAIzF,yIAAsC,aAAgB,CACtD,kCAAoC,aAAgB,CAGpD,8GAAuC,aAAgB,CAEvD,qDAAuD,kBAAqB,CAC5E,+CAAiD,kBAAmB,CAAE,uBAA0B,CAGhG,kEAAiC,aAAgB,CC5BjD,2BAA4B,kBAAmB,CAAE,aAAe,CAChE,wCAAyC,4BAA+B,CACxE,oCAAqC,kBAAmB,CAAE,cAAkB,CAC5E,uCAAwC,aAAe,CACvD,mCAAoC,uCAA0C,CAE9E,gCAAiC,aAAe,CAEhD,4DAAgC,aAAe,CAE/C,mEAAqE,aAAe,CACpF,gCAAiC,aAAe,CAChD,+BAAgC,aAAe,CAE/C,iCAAkC,aAAe,CACjD,mCAAoC,aAAe,CACnD,4BAA6B,aAAe,CAC5C,8BAA+B,kBAAmB,CAAE,aAAe,CACnE,gCAAiC,aAAe,CAChD,4BAA6B,aAAe,CAC5C,6BAA8B,aAAe,CAE7C,4CAA0E,oBAAuB,CAAnD,yBAAoD,CAClG,kDAAoD,kBAAqB,CC7BzE,eAA8B,kBAAmB,CAAhC,UAAkC,CAEnD,+BAAiC,UAAW,CAAE,eAAkB,CAChE,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAE7C,gCAAkC,aAAgB,CAClD,kCAAoC,aAAgB,CACpD,8DAAiE,aAAgB,CAEjF,gCAAkC,UAAa,CAC/C,gCAAkC,aAAgB,CAClD,+BAAiC,aAAgB,CAEjD,8BAAgC,aAAgB,CAChD,gCAAkC,aAAgB,CAIlD,6DAAmC,UAAa,CAChD,+BAAiC,aAAgB,CACjD,+BAAiC,UAAa,CAE9C,2BAA6B,aAAgB,CAC7C,iCAAmC,UAAa,CAEhD,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAC/C,0BAA4B,UAAa,CACzC,4BAA8B,aAAgB,CAC9C,6BAA+B,UAAa,CAE5C,kCAAoC,0BAA8B,CAClE,uCAAsD,eAAgB,CAA7B,UAA+B,CACxE,mCAAqC,kBAAmB,CAAmB,cAAe,CAAhC,cAAkC,CAC5F,sCAAwC,UAAW,CAAE,cAAiB,CACtE,2CAAqE,yBAA2B,CAAnD,oBAAqD,CAClG,iDAAmD,eAAkB,CCrCrE,wBAA0B,WAAgB,CAC1C,0BAA4B,UAAgB,CAC5C,2BAAkE,UAAc,CAAjC,eAAiB,CAAnC,eAAqD,CAClF,wBAA6C,UAAc,CAAjC,eAAmC,CAM7D,+LAA8B,UAAc,CAC5C,2BAA6B,UAAgB,CAE7C,sDAA8B,WAAgB,CAC9C,6BAA+B,UAAa,CAC5C,yBAA2B,SAAgB,CAC3C,6BAA+B,UAAgB,CAC/C,uBAAyB,UAAgB,CACzC,wBAA0B,UAAgB,CAC1C,6CAA+C,kBAAqB,CAEpE,2BAA6B,UAAa,CAC1C,2BAA6B,UAAa,CAC1C,WAAc,sIAAiJ,CAG/J,uCAAiE,oBAAsB,CAA9C,sBAAgD,CAEzF,uBAGE,kCAAoC,CADpC,aAAc,CADd,uDAGF,CAEA,+CACE,kCAAoC,CACpC,uBACF,CC/BA,yBAA0B,eAAmB,CAAE,aAAe,CAC9D,sCAAuC,4BAA+B,CACtE,kCAAmC,eAAmB,CAAE,cAAkB,CAC1E,qCAAsC,UAAe,CACrD,iCAAkC,sCAA0C,CAE5E,8BAA+B,UAAe,CAE9C,wDAA8B,UAAe,CAE7C,+DAAiE,UAAe,CAChF,8BAA+B,SAAe,CAC9C,6BAA8B,UAAe,CAE7C,+BAAgC,UAAe,CAC/C,iCAAkC,UAAe,CACjD,0BAA2B,UAAe,CAC1C,4BAA6B,cAAmB,CAAE,YAAe,CACjE,8BAA+B,aAAe,CAC9C,0BAA2B,SAAe,CAC1C,2BAA4B,UAAe,CAE3C,0CAAwE,oBAAuB,CAAnD,yBAAoD,CAChG,gDAAkD,kBAAqB,CC7BvE,kBACE,iBACF,CACA,6BAA+B,kBAAmB,CAAE,aAAc,CAAE,8BAAiC,CACrG,0CAA4C,kBAAqB,CACjE,yJAAmK,6BAAmC,CACtM,wKAAkL,6BAAmC,CACrN,qCAAuC,0BAA8B,CACrE,sBAAwB,aAAgB,CAExC,6DAA+D,aAAgB,CAE/E,sCAAwC,kBAAmB,CAAE,2BAA6B,CAC1F,2CAA6C,aAAgB,CAE7D,2FAA2C,UAAa,CAExD,iCAAmC,UAAa,CAChD,gCAAkC,UAAa,CAC/C,kCAAoC,aAAgB,CACpD,+BAAiC,aAAgB,CACjD,iCAAmC,aAAgB,CACnD,8BAAgC,UAAc,CAC9C,mCAAqC,aAAe,CACpD,qCAAuC,aAAgB,CACvD,oEAAuE,UAAc,CAErF,sEAAqC,aAAgB,CACrD,kCAAoC,UAAa,CACjD,iCAAmC,aAAgB,CACnD,mCAAqC,UAAa,CAClD,+BAAiC,aAAgB,CACjD,oCAAsC,UAAa,CACnD,kCAAoC,aAAgB,CACpD,kCAAoC,aAAgB,CACpD,8BAAgC,aAAgB,CAChD,oCAAsC,aAAgB,CACtD,6BAA+B,UAAa,CAC5C,+BAAiC,aAAgB,CACjD,gCAAkC,aAAgB,CAElD,oDAAsD,kBAAqB,CAC3E,8CAAwE,oBAAsB,CAA9C,sBAAgD,CC9ChG,2BACC,qBAAsB,CACtB,UAAW,CAEX,aAAc,CADd,iBAED,CACA,uDACC,yBAA0B,CAC1B,0BAA2B,CAC3B,0BACD,CACA,kCACC,4BAA6B,CAC7B,yBAA2B,CAC3B,4BACD,CACA,wBACC,4BAA6B,CAC7B,6BAA8B,CAC9B,4BACD,CACA,oCAAsC,wBAAyB,CAAE,8BAA+B,CAAE,kBAAsB,CACxH,2CAA6C,eAAkB,CAG/D,uCAAyC,aAAc,CAAE,cAAiB,CAC1E,mCAAqC,0BAA6B,CAElE,gCAAsC,WAAgB,CACtD,4BAAsC,aAAc,CAAE,eAAmB,CACzE,gCAAsC,aAAc,CAAE,eAAmB,CACzE,gCAAsC,aAAc,CAAE,eAAmB,CACzE,iCAAsC,aAAc,CAAE,eAAmB,CACzE,+BAAsC,aAAgB,CACtD,+BAAsC,UAAW,CAAE,eAAmB,CACtE,6BAAsC,aAAc,CAAE,eAAmB,CAEzE,mCAAsC,aAAc,CAAE,eAAmB,CACzE,gEAAmE,aAAc,CAAE,eAAmB,CACtG,iCAAsC,UAAW,CAAE,eAAmB,CACtE,iCAAsC,UAAa,CAEnD,6BAAsC,UAAa,CACnD,kCAAsC,aAAc,CAAE,eAAmB,CACzE,gCAAsC,UAAa,CACnD,4BAAsC,UAAW,CAAE,eAAmB,CACtE,kCAAsC,aAAc,CAAE,eAAmB,CACzE,8BAAsC,SAAa,CAEnD,wCAA0C,kCAAyC,CAEnF,oCAAsC,oCAA6C,CAEnF,kDAAoD,kCAAyC,CAG7F,4DAA8D,UAAW,CAAE,eAAmB,CAC9F,+DAAiE,SAAW,CAAE,eAAmB,CACjG,wBAA0B,mCAAyC,CAGnE,gIACC,kCACD,CACA,oHACC,kCAAsC,CACtC,wBAAyB,CACzB,iBACD,CACA,yDAEC,+BAAgC,CADhC,4BAED,CACA,2DACC,6BAA8B,CAC9B,8BACD,CACA,qDACC,wBACD,CACA,uDACC,wBAAyB,CACzB,4BACD,CAEA,sGACC,wBAAyB,CACzB,iBACD,CAIA,sHACC,wBACD,CCvFA,2DACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CACA,kCAAoC,aAAgB,CACpD,iCAAmC,8BAAiC,CACpE,qCAAuC,aAAgB,CACvD,mCAAqC,kBAAqB,CAC1D,6IAAuJ,kBAAqB,CAC5K,4JAAsK,kBAAqB,CAC3L,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAC/E,6BAA+B,aAAgB,CAE/C,gEAAmC,aAAgB,CACnD,0BAA4B,aAAgB,CAC5C,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAC7C,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAC5C,gCAAkC,aAAgB,CAClD,gCAAkC,aAAgB,CAClD,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAChD,4DAA+D,aAAgB,CAE/E,gDAAkD,kBAAqB,CACvE,0CAAwE,oBAAuB,CAAnD,yBAAqD,CC9BjG,0BACE,wBAAyB,CACzB,UACF,CAEA,mCACE,kBAAmB,CAEnB,WAAY,CADZ,aAEF,CAEA,6HAGE,aACF,CAEA,kCACE,0BACF,CAIA,sFACE,oCACF,CAMA,iGACE,+BACF,CAEA,gJAGE,+BACF,CAEA,+JAGE,+BACF,CAEA,iDACE,yBACF,CAEA,2BACE,aACF,CAEA,4BACE,aACF,CAEA,8BACE,UACF,CAEA,sDAEE,aACF,CAEA,2BACE,aACF,CAEA,wBACE,aACF,CAEA,0BACE,aACF,CAEA,uBACE,aACF,CAEA,0BACE,aACF,CAEA,4BACE,aACF,CAEA,2BACE,aACF,CAEA,4BACE,aACF,CAEA,uBACE,aACF,CAEA,wBACE,aACF,CAMA,yDACE,aACF,CAMA,mFAEE,aACF,CAGA,yBAEE,wBAAyB,CADzB,UAEF,CAEA,2CAEE,oBAAuB,CADvB,yBAEF,CCtIA,qBAAuB,kBAAmB,CAAE,aAAgB,CAC5D,kCAAoC,kBAAqB,CACzD,iIAA2I,8BAAqC,CAChL,gJAA0J,8BAAqC,CAC/L,8BAAgC,kBAAmB,CAAE,cAAmB,CACxE,mCAAqC,UAAc,CACnD,0CAA4C,UAAa,CACzD,iCAAmC,aAAgB,CACnD,6BAA+B,6BAAgC,CAE/D,0BAA4B,aAAgB,CAE5C,gDAA2B,aAAgB,CAE3C,uDAA0D,aAAgB,CAC1E,0BAA4B,aAAgB,CAC5C,yBAA2B,aAAgB,CAG3C,gEAA6B,aAAgB,CAC7C,6BAA+B,aAAgB,CAC/C,sBAAwB,aAAgB,CACxC,0BAA4B,aAAc,CAAE,eAAmB,CAC/D,sBAAwB,aAAgB,CACxC,uBAAyB,aAAgB,CACzC,wBAA0B,qBAAsB,CAAE,aAAgB,CAClE,4BAA8B,aAAgB,CAE9C,4CAA8C,kBAAqB,CACnE,sCAAwC,uBAA2B,CACnE,kCAAoC,8BAAsC,CC3B1E,0BAAyC,qBAAsB,CAAnC,UAAqC,CACjE,uCAAyC,eAAkB,CAC3D,gJAA0J,eAAkB,CAC5K,+JAAyK,eAAkB,CAE3L,mCAAqC,kBAAmB,CAAE,wCAA0C,CAAE,UAAa,CACnH,sCAAwC,UAAW,CAAE,gBAAmB,CACxE,kCAAoC,0BAA6B,CAEjE,2BAA6B,aAAgB,CAC7C,wBAA0B,UAAa,CACvC,0BAA4B,aAAiB,CAC7C,uBAAyB,aAAgB,CACzC,6DAAgE,UAAa,CAG7E,qHAA8B,UAAa,CAC3C,4BAA8B,UAAa,CAC3C,6BAA+B,UAAa,CAE5C,4BAA8B,aAAgB,CAC9C,2BAA6B,UAAU,CAAE,eAAoB,CAC7D,0BAA4B,UAAU,CAAE,iBAAmB,CAC3D,4BAA8B,aAAe,CAC7C,wBAA0B,UAAa,CACvC,2BAA6B,aAAgB,CAC7C,uBAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,0BAA4B,aAAgB,CAC5C,sBAAwB,aAAgB,CACxC,wBAA0B,aAAa,CAAE,iBAAiB,CAAE,oBAAsB,CAClF,yBAA2B,2BAA8B,CAEzD,oDAAsD,kBAAqB,CAC3E,kDAA4E,aAAc,CAAtC,sBAAwC,CAE5F,0BAA4B,4sFAA+sF,CC1C3uF,iDAAmD,kBAAqB,CAExE,0BACI,kBAAmB,CACnB,aACJ,CAEA,uCAAyC,kBAAqB,CAC9D,gJAA0J,8BAAoC,CAC9L,+JAAyK,8BAAoC,CAC7M,mCAAqC,kBAAmB,CAAE,sBAAyB,CACnF,wCAA0C,UAAc,CAExD,qFAAwC,aAAgB,CACxD,kCAAoC,6BAAgC,CAEpE,+BAAiC,aAAgB,CACjD,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAEhD,iEAAoE,aAAgB,CACpF,+BAAiC,aAAgB,CACjD,8BAAgC,aAAgB,CAGhD,kEAAoC,aAAgB,CACpD,2BAA6B,UAAa,CAC1C,+BAAiC,aAAgB,CACjD,2BAA6B,UAAa,CAC1C,4BAA8B,aAAgB,CAC9C,6BAA+B,kBAAmB,CAAE,aAAgB,CAEpE,2CAEE,oBAAuB,CADvB,yBAEF,CCpCA,yBAA2B,kBAAmB,CAAE,aAAgB,CAChE,sCAAwC,kBAAqB,CAC7D,6IAAuJ,6BAAmC,CAC1L,4JAAsK,6BAAmC,CACzM,kCAAoC,kBAAmB,CAAE,cAAmB,CAC5E,uCAAyC,UAAc,CAEvD,mFAAuC,aAAgB,CACvD,iCAAmC,6BAAgC,CAEnE,8BAAgC,aAAgB,CAEhD,wDAA+B,aAAgB,CAE/C,2CAA6C,aAAgB,CAC7D,qCAAuC,aAAgB,CACvD,qCAAuC,aAAgB,CACvD,sCAAwC,aAAgB,CAExD,+DAAkE,aAAgB,CAClF,8BAAgC,aAAgB,CAChD,8BAAgC,aAAgB,CAChD,6BAA+B,aAAgB,CAE/C,+BAAiC,aAAgB,CACjD,iCAAmC,aAAgB,CACnD,4DAA+D,aAAgB,CAC/E,0BAA4B,aAAgB,CAC5C,8BAAgC,aAAgB,CAChD,0BAA4B,aAAgB,CAE5C,wDAA6B,aAAgB,CAC7C,4BAA8B,kBAAmB,CAAE,aAAgB,CAEnE,gDAAkD,kBAAqB,CACvE,0CAEE,oBAAuB,CADvB,yBAEF,CCxCA,2BAA6B,UAAa,CAC1C,2BAAkE,UAAW,CAA9B,eAAiB,CAAnC,eAAkD,CAC/E,0BAA4B,UAAa,CACzC,2BAAkE,UAAW,CAA9B,eAAiB,CAAnC,eAAkD,CAC/E,2BAAkE,UAAW,CAA9B,eAAiB,CAAnC,eAAkD,CAC/E,4BAA8B,UAAc,CAC5C,kDAAqD,UAAa,CAClE,wBAA0B,UAAa,CACvC,wBAA0B,UAAa,CAEvC,6CAA+C,kBAAqB,CACpE,uCAAiE,oBAAsB,CAA9C,sBAAgD,CCPzF,qBACE,qBAAwB,CACxB,aAAa,CACb,kBACF,CACA,sBAAwB,aAAe,CACvC,6CAAgD,aAAe,CAC/D,wCAA0C,aAAe,CACzD,qCAAuC,aAAe,CACtD,qBAAuB,aAAe,CACtC,+CAAiD,aAAe,CAKhE,cACE,SACF,CAEA,8BAGE,4BAA4B,CAD5B,WAAmC,CAAnC,mCAEF,CAEA,iCAEE,aAAa,CADb,SAEF,CAEA,mCAAqC,aAAgB,CACrD,0CAA4C,aAAgB,CAE5D,6BAGE,+BAAkC,CADlC,QAAS,CADT,UAAW,CAGX,SACF,CCxCA,uBAAyB,kBAAmB,CAAE,aAAgB,CAC9D,oCAAsC,eAAkB,CACxD,uIAAiJ,8BAAoC,CACrL,sJAAgK,8BAAoC,CACpM,gCAAkC,kBAAmB,CAAE,2BAA8B,CACrF,qCAAuC,UAAc,CACrD,4CAA8C,UAAa,CAC3D,mCAAqC,aAAgB,CACrD,+BAAiC,0BAA8B,CAE/D,4BAA8B,aAAgB,CAC9C,yBAA2B,aAAgB,CAC3C,yDAA4D,aAAgB,CAC5E,4BAA8B,aAAgB,CAC9C,2BAA6B,aAAgB,CAC7C,yBAA2B,aAAgB,CAC3C,uDAA0D,aAAgB,CAC1E,gFAAoF,UAAc,CAClG,4BAA8B,aAAgB,CAC9C,wDAA2D,aAAgB,CAC3E,yBAA2B,aAAgB,CAC3C,0BAA4B,aAAgB,CAE5C,8CAAgD,kBAAqB,CACrE,wCAAkE,oBAAsB,CAA9C,sBAAgD,CCjB1F,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,gCAAuC,CACpF,4JAAsK,gCAAuC,CAC7M,2KAAqL,gCAAuC,CAC5N,uCAAyC,kBAAmB,CAAE,iBAAoB,CAClF,4CAA8C,UAAc,CAE5D,6FAA4C,aAAgB,CAC5D,sCAAwC,6BAAgC,CAExE,8FAA4C,oCAAwC,CAEpF,mCAAqC,aAAgB,CACrD,gCAAkC,aAAgB,CAClD,kCAAoC,aAAgB,CAEpD,oCAAsC,aAAgB,CACtD,wEACqC,aAAgB,CACrD,mCAAqC,aAAgB,CACrD,kCAAoC,aAAgB,CAEpD,gHAEwC,aAAgB,CACxD,+BAAiC,UAAgB,CACjD,mCAAqC,aAAgB,CAGrD,iGAAkC,aAAgB,CAClD,iCAAmC,kBAAmB,CAAE,aAAgB,CAExE,qDAAuD,gCAAuC,CAC9F,+CAEE,oBAAuB,CADvB,yBAEF,CCxCA,mBACC,kBAAmB,CACnB,aAAc,CAEd,qFAAgG,CADhG,eAED,CACA,sCAAwC,oBAAuB,CAC/D,qDACC,8BACD,CACA,wCACC,eACD,CACA,+BAEC,aAAc,CADd,iBAED,CACA,gCACC,aACD,CACA,8BACC,aACD,CACA,gCACI,aACJ,CAEA,2BACC,aACD,CACA,4BACC,aACD,CAEA,8BACC,aACD,CACA,4BACC,aACD,CACA,+BACC,aACD,CACA,gCACC,aACD,CAIA,gGACC,aACD,CAEA,2BACC,aACD,CACA,gCACC,aACD,CAKA,6DACI,aACJ,CAEA,+CACI,gCAAiC,CAEjC,aAAc,CADd,kBAEJ,CACA,uCACI,kBAAmB,CACnB,qCACJ,CACA,0CACI,aAAc,CACd,UACJ,CC1EA,8BAAgC,kBAAmB,CAAE,aAAgB,CACrE,2CAA6C,kBAAqB,CAClE,4JAAsK,6BAAmC,CACzM,2KAAqL,6BAAmC,CACxN,uCAAyC,kBAAmB,CAAE,cAAmB,CACjF,4CAA8C,aAAgB,CAE9D,6FAA4C,aAAgB,CAC5D,sCAAwC,6BAAgC,CAExE,mCAAqC,aAAgB,CAErD,kEAAoC,aAAgB,CAEpD,yEAA4E,aAAgB,CAC5F,mCAAqC,aAAgB,CACrD,kCAAoC,aAAgB,CAEpD,oCAAsC,aAAgB,CACtD,sCAAwC,aAAgB,CACxD,+BAAiC,aAAgB,CACjD,mCAAqC,aAAgB,CACrD,+BAAiC,aAAgB,CACjD,gCAAkC,aAAgB,CAClD,iCAAmC,kBAAmB,CAAE,aAAgB,CAExE,qDAAuD,kBAAqB,CAC5E,+CAA6E,oBAAuB,CAAnD,yBAAqD,CC3BtG,+BAAiC,kBAAmB,CAAE,aAAgB,CACtE,4CAA8C,kBAAqB,CACnE,+JAAyK,kBAAqB,CAC9L,8KAAwL,kBAAqB,CAC7M,wCAA0C,kBAAmB,CAAE,cAAmB,CAClF,6CAA+C,UAAc,CAE7D,+FAA6C,aAAgB,CAC7D,uCAAyC,6BAAgC,CAEzE,oCAAsC,aAAgB,CAEtD,oEAAqC,aAAgB,CAErD,2EAA8E,aAAgB,CAC9F,oCAAsC,aAAgB,CACtD,mCAAqC,aAAgB,CAErD,qCAAuC,aAAgB,CACvD,uCAAyC,aAAgB,CACzD,gCAAkC,aAAgB,CAClD,oCAAsC,aAAgB,CACtD,gCAAkC,aAAgB,CAClD,iCAAmC,aAAgB,CACnD,kCAAoC,kBAAmB,CAAE,aAAgB,CAEzE,sDAAwD,kBAAqB,CAC7E,gDAA8E,oBAAuB,CAAnD,yBAAqD,CC5BvG,gCACC,kBAAmB,CACnB,aAAc,CACd,eACD,CACA,6CAA+C,+BAAmC,CAClF,kKAA4K,+BAAmC,CAC/M,iLAA2L,+BAAmC,CAE9N,yCACC,kBAAmB,CACnB,cAAiB,CACjB,aACD,CACA,8CAAgD,UAAc,CAE9D,iGAA8C,aAAgB,CAC9D,wCAA0C,6BAAgC,CAC1E,qCAAuC,aAAgB,CACvD,kCAAoC,aAAgB,CACpD,oCAAsC,UAAgB,CACtD,sCAAwC,aAAgB,CACxD,uCAAyC,aAAgB,CACzD,qCAAuC,aAAgB,CACvD,oCAAsC,aAAgB,CACtD,sCAAwC,aAAgB,CACxD,wCAA0C,aAAgB,CAC1D,0EAA6E,aAAgB,CAC7F,iCAAmC,aAAgB,CACnD,qCAAuC,aAAgB,CACvD,iCAAmC,aAAgB,CACnD,kCAAoC,aAAgB,CACpD,4EAA8E,aAAgB,CAC9F,mCACC,kBAAmB,CACnB,aACD,CACA,uDAAyD,+BAAwC,CACjG,iDACC,oCAAwC,CACxC,uBAAyB,CACzB,kBACD,CCzCA,4BAA6B,kBAAmB,CAAE,aAAe,CACjE,yCAA0C,4BAA+B,CACzE,qCAAsC,kBAAmB,CAAE,cAAkB,CAC7E,wCAAyC,aAAe,CACxD,oCAAqC,uCAA0C,CAE/E,iCAAkC,aAAe,CAEjD,8DAAiC,aAAe,CAEhD,qEAAuE,aAAe,CACtF,iCAAkC,aAAe,CACjD,gCAAiC,aAAe,CAEhD,kCAAmC,aAAe,CAClD,oCAAqC,aAAe,CACpD,6BAA8B,aAAe,CAC7C,+BAAgC,kBAAmB,CAAE,aAAe,CACpE,iCAAkC,aAAe,CACjD,6BAA8B,aAAe,CAC7C,8BAA+B,aAAe,CAE9C,6CAA2E,oBAAuB,CAAnD,yBAAoD,CACnG,mDAAqD,kBAAqB,CCjC1E,0BAA4B,kBAAmB,CAAE,UAAc,CAC/D,uCAAyC,kBAAqB,CAC9D,gJAA0J,8BAAqC,CAC/L,+JAAyK,8BAAqC,CAC9M,mCAAqC,kBAAmB,CAAE,8BAAiC,CAC3F,wCAA0C,UAAc,CACxD,+CAAiD,aAAgB,CACjE,sCAAwC,UAAc,CACtD,kCAAoC,0BAA8B,CAElE,+BAAiC,UAAW,CAAE,iBAAiB,CAAE,eAAkB,CACnF,4BAA8B,aAAgB,CAC9C,+DAAkE,aAAgB,CAClF,+BAAiC,UAAa,CAC9C,8BAAgC,aAAgB,CAChD,4BAA8B,UAAa,CAC3C,6DAAgE,aAAgB,CAChF,yFAA6F,UAAc,CAC3G,+BAAiC,UAAa,CAC9C,4BAA8B,aAAgB,CAC9C,+CAAiD,oBAAuB,CACxE,8DAAiE,aAAgB,CACjF,6BAA+B,aAAgB,CAE/C,iDAAmD,kBAAqB,CCdxE,sBACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CACA,+BAEE,wBAAyB,CACzB,WAAY,CAFZ,aAGF,CACA,8BAAgC,8BAAiC,CACjE,kCAAoC,aAAgB,CACpD,sDAAwD,6BAAuC,CAC/F,oIAA8I,6BAAuC,CACrL,mJAA6J,6BAAuC,CACpM,2BAA6B,aAAgB,CAC7C,sDAAyD,aAAgB,CACzE,0BAA4B,aAAgB,CAC5C,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,uBAAyB,aAAgB,CACzC,2BAA6B,aAAgB,CAC7C,4BAA8B,aAAgB,CAC9C,2BAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAE1C,+CAAyB,aAAgB,CAEzC,0DAA+B,aAAgB,CAC/C,4BAA8B,aAAgB,CAE9C,iFAA6B,aAAgB,CAC7C,6CAA+C,kBAAqB,CACpE,uCAAqE,oBAAuB,CAAnD,yBAAqD,CClC9F,2BAA6B,kBAAmB,CAAE,aAAgB,CAClE,wCAA0C,kBAAqB,CAC/D,mJAA6J,kBAAqB,CAClL,kKAA4K,kBAAqB,CACjM,oCAAsC,kBAAoB,CAAE,8BAAiC,CAC7F,yCAA2C,UAAa,CACxD,uCAAyC,aAAgB,CACzD,mCAAqC,0BAA6B,CAElE,gCAAkC,aAAgB,CAMlD,2LAAgC,aAAgB,CAIhD,+FAAmC,aAAgB,CAGnD,wDAA6B,aAAgB,CAI7C,oGAAqC,aAAgB,CAErD,iCAAmC,aAAgB,CAKnD,6HAAuC,aAAgB,CAEvD,iCAAmC,aAAgB,CACnD,mCAAqC,aAAgB,CACrD,6BAA+B,aAAgB,CAC/C,iCAAmC,aAAgB,CACnD,gCAAkC,aAAgB,CAElD,kDAAoD,gCAAqC,CACzF,4CAA2F,oBAAuB,CAApE,qCAAsE,CCzCpH,kBAAoB,aAAgB,CACpC,kBAAoB,aAAgB,CACpC,kBAAoB,aAAgB,CACpC,kBAAoB,aAAgB,CACpC,iBAAmB,aAAgB,CACnC,iBAAmB,aAAgB,CACnC,iBAAmB,aAAgB,CACnC,iBAAoB,aAAgB,CACpC,wBAA2B,aAAgB,CAC3C,wBAA2B,aAAgB,CAC3C,qBAAuB,aAAgB,CACvC,yBAA2B,aAAgB,CAC3C,wBAA2B,aAAgB,CAC3C,sBAAwB,aAAgB,CACxC,sBAAwB,aAAgB,CACxC,uBAAyB,aAAgB,CAIzC,gBAEE,kBAAmB,CACnB,qBAAsB,CAFtB,kBAGF,CACA,0BAEE,wBAAyB,CADzB,aAEF,CACA,2BACE,wBAAyB,CACzB,aACF,CAEA,mCACE,gBACF,CAEA,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAE5C,4BAA8B,aAAgB,CAE9C,oDAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAE1C,6BAA+B,aAAgB,CAC/C,+BAAiC,aAAgB,CACjD,wDAA2D,aAAgB,CAE3E,6BAA+B,aAAgB,CAC/C,6BAA+B,aAAgB,CAE/C,4BAA8B,aAAc,CAAE,iBAAmB,CAEjE,2BAA6B,aAAgB,CAC7C,6BAA+B,aAAgB,CAE/C,yBAA2B,aAAgB,CAC3C,8BAAgC,aAAgB,CAChD,4BAA8B,aAAgB,CAC9C,4BAA8B,aAAgB,CAC9C,4CAA8C,aAAgB,CAC9D,+CAAiD,aAAgB,CACjE,wBAA0B,aAAgB,CAC1C,8BAAgC,aAAgB,CAChD,uBAEE,4BAA6B,CAD7B,iBAAkB,CAElB,aACF,CACA,yBAA2B,aAAc,CAAE,cAAiB,CAC5D,4BAA8B,aAAgB,CAC9C,uBACE,UAAW,CACX,yBAA0B,CAC1B,4BACF,CACA,0DAGE,gCAAiC,CADjC,aAEF,CAEA,kDAAoD,kBAAqB,CACzE,sDAAmD,4BAAmC,CAAtF,iDAAmD,4BAAmC,CACtF,kKAA4K,4BAAmC,CAE/M,mDAAqD,kBAAqB,CAC1E,sJAAgK,kBAAqB,CACrL,qKAA+K,kBAAqB,CAOpM,2BAGE,qCACF,CAGA,oCACE,cACF,CAKA,8CACE,wBACF,CAEA,iDACE,aACF,CAGA,+CACE,wBACF,CAEA,kDACE,aACF,CAGA,uCACE,aACF,CACA,gDAAkD,aAAgB,CAClE,mDAAqD,UAAa,CAClE,oDAAsD,aAAgB,CAEtE,2DACE,aACF,CAGA,mCAAqC,6BAAgC,CAGrE,4DAA8D,eAAqB,CACnF,kDAAoD,qBAA2B,CAC/E,2DAA6D,kBAAqB,CAClF,iDAAmD,wBAA2B,CAG9E,4DACE,8BACF,CACA,6DACE,0BACF,CCpKA,2BAA6B,UAAa,CAC1C,2BAA6B,aAAkB,CAC/C,0BAA4B,SAAY,CAGxC,iFAAgC,UAAc,CAC9C,wBAA0B,aAAiB,CAC3C,kCAAoC,UAAa,CACjD,6CAA+C,eAAqB,CACpE,4BAA8B,UAAgB,CAC9C,sFAEiC,aAAiB,CAClD,+BAAkE,qBAAyB,CAA1D,8BAA4D,CAC7F,mCAAqC,kBAAqB,CCd1D,4BAA8B,eAAmB,CAAE,UAAgB,CACnE,yCAA2C,kBAAqB,CAChE,sJAAgK,6BAAoC,CACpM,qKAA+K,6BAAoC,CACnN,qCAAuC,eAAgB,CAAE,2BAAiC,CAC1F,0CAA4C,UAAa,CAEzD,yFAA0C,UAAgB,CAC1D,oCAAsC,0BAAgC,CAEtE,iCAAmC,aAAc,CAAE,eAAmB,CACtE,8BAAgC,UAAa,CAC7C,gCAAkC,aAAgB,CAClD,6BAA+B,UAAa,CAC5C,kCAAoC,UAAa,CACjD,oCAAsC,UAAa,CACnD,kEAAqE,UAAa,CAClF,kCAAoC,aAAgB,CACpD,kCAAoC,UAAa,CACjD,iCAAmC,UAAgB,CACnD,gCAAkC,UAAa,CAC/C,8BAAgC,UAAa,CAC7C,mCAAqC,aAAgB,CACrD,iCAAmC,UAAa,CAChD,iCAAmC,UAAa,CAChD,6BAA+B,aAAgB,CAC/C,mCAAqC,aAAgB,CACrD,+BAAiC,SAAgB,CAEjD,mDAAqD,eAAkB,CCpBvE,uCAAyC,eAAmB,CAAE,aAAgB,CAC9E,oDAAsD,kBAAqB,CAC3E,gDAAkD,eAAmB,CAAE,cAAmB,CAC1F,qDAAuD,aAAgB,CACvE,4DAA8D,UAAa,CAC3E,mDAAqD,aAAgB,CACrE,+CAAiD,6BAAgC,CAEjF,4CAA8C,aAAgB,CAE9D,oFAA6C,aAAgB,CAE7D,2FAA8F,UAAgB,CAC9G,4CAA8C,aAAgB,CAC9D,2CAA6C,aAAgB,CAE7D,6CAA+C,aAAgB,CAC/D,+CAAiD,aAAgB,CACjE,wCAA0C,aAAgB,CAC1D,4CAA8C,aAAgB,CAC9D,wCAA0C,aAAgB,CAC1D,yCAA2C,aAAgB,CAC3D,0CAA4C,kBAAmB,CAAE,aAAgB,CAEjF,8DAAgE,kBAAqB,CACrF,wDAAsF,oBAAuB,CAAnD,yBAAqD,CCxB/G,yCAA2C,eAAmB,CAAE,UAAgB,CAChF,sDAAwD,kBAAqB,CAC7E,6LAAuM,6BAAoC,CAC3O,4MAAsN,6BAAoC,CAC1P,kDAAoD,eAAmB,CAAE,cAAmB,CAC5F,uDAAyD,aAAgB,CACzE,8DAAgE,UAAa,CAC7E,qDAAuD,aAAgB,CACvE,iDAAmD,6BAAgC,CAEnF,8CAAgD,aAAgB,CAEhE,wFAA+C,aAAgB,CAE/D,+FAAkG,UAAgB,CAClH,8CAAgD,aAAgB,CAChE,6CAA+C,UAAgB,CAE/D,+CAAiD,UAAgB,CACjE,iDAAmD,UAAgB,CACnE,0CAA4C,aAAgB,CAC5D,8CAAgD,UAAgB,CAChE,0CAA4C,aAAgB,CAC5D,2CAA6C,aAAgB,CAC7D,4CAA8C,kBAAmB,CAAE,aAAgB,CAEnF,gEAAkE,kBAAqB,CACvF,0DAAwF,oBAAuB,CAAnD,yBAAqD,CCrCjH,qBAAuB,UAAa,CAGpC,iCAAoC,eAAmB,CAIvD,sBAAwB,UAAW,CAAE,eAAmB,CAExD,oBAAsB,UAAa,CACnC,yBAA2B,UAAa,CACxC,uBAAyB,UAAa,CACtC,uBAAyB,UAAgB,CACzC,mBAAqB,UAAa,CAClC,kBAAoB,iBAAoB,CACxC,qBAAuB,SAAa,CACpC,kBAAoB,UAAa,CAEjC,uBAAyB,eAAkB,CAC3C,oBAAsB,UAAW,CAAE,yBAA4B,CAC/D,oBAAsB,UAAa,CACnC,wBAA0B,UAAa,CACvC,wBAA0B,UAAa,CACvC,yBAA2B,UAAa,CACxC,6BAA+B,4BAA+B,CAC9D,sBAAwB,aAAgB,CACxC,wBAA0B,UAAa,CACvC,sBAAwB,eAAmB,CAC3C,mBAAqB,UAAa,CAClC,wBAA0B,aAAgB,CAC1C,0BAA4B,UAAa,CACzC,8CAAiD,UAAa,CAE9D,2BAA6B,SAAa,CAG1C,uDAC8B,aAAgB,CAC9C,yBAA2B,aAAgB,CAC3C,wBAA0B,aAAe,CACzC,sBAAwB,aAAe,CACvC,uBAAyB,aAAe,CACxC,oBAAsB,aAAe,CAGrC,gCAAkC,aAAc,CAAE,eAAkB,CACpE,gEAC8B,aAAc,CAAE,eAAkB,CAGhE,qFAE+B,aAAgB,CAC/C,mJAK4B,UAAgB,CAC5C,oFAE6B,aAAgB,CAC7C,qBAAuB,WAAc,CAAE,eAAkB,CACzD,mCAAqC,eAAkB,CC/DvD,0BAA4B,kBAAmB,CAAE,aAAgB,CACjE,uCAAyC,kBAAqB,CAC9D,gJAA0J,6BAAoC,CAC9L,+JAAyK,6BAAoC,CAE7M,mCAAqC,eAAgB,CAAE,2BAA8B,CACrF,wCAA0C,UAAc,CAExD,qFAAwC,UAAa,CACrD,kCAAoC,0BAA8B,CAElE,2BAA6B,aAAgB,CAC7C,wBAA0B,UAAa,CACvC,0BAA4B,aAAiB,CAC7C,uBAAyB,aAAgB,CAEzC,sJAA6F,aAAgB,CAC7G,4BAA8B,aAAgB,CAC9C,2BAA6B,UAAU,CAAE,iBAAiB,CAAE,eAAoB,CAChF,0BAA4B,aAAa,CAAE,iBAAmB,CAC9D,4BAA8B,aAAe,CAC7C,wBAA0B,wBAAwB,CAAE,aAAe,CACnE,2BAA6B,aAAgB,CAC7C,uBAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,0BAA4B,aAAgB,CAC5C,sBAAwB,aAAgB,CACxC,wBAA0B,aAAa,CAAE,iBAAiB,CAAE,oBAAsB,CAClF,yBAA2B,2BAA8B,CAEzD,iDAAmD,kBAAqB,CACxE,2CAAqE,oBAAsB,CAA9C,sBAAgD,CC7B7F,6BAA+B,eAAiB,CAAE,UAAc,CAChE,0CAA4C,kBAAqB,CACjE,yJAAmK,6BAAoC,CACvM,wKAAkL,6BAAoC,CAEtN,sCAAwC,kBAAmB,CAAE,2BAA8B,CAC3F,2CAA6C,UAAc,CAE3D,2FAA2C,aAAgB,CAC3D,qCAAuC,0BAA8B,CAErE,8BAAgC,aAAgB,CAChD,2BAA6B,UAAa,CAC1C,6BAA+B,aAAiB,CAChD,0BAA4B,aAAgB,CAE5C,yJAA8F,aAAgB,CAC9G,+BAAiC,UAAa,CAC9C,8BAAgC,UAAW,CAAE,eAAmB,CAChE,6BAA+B,aAAiB,CAChD,+BAAiC,SAAY,CAC7C,2BAA6B,aAAgB,CAG7C,wFAAkC,aAAgB,CAClD,6BAA+B,aAAgB,CAC/C,yBAA2B,aAAgB,CAC3C,2BAA6B,aAAgB,CAC7C,4BAA8B,2BAA8B,CAE5D,oDAAsD,kBAAqB,CAC3E,8CAAwE,oBAAsB,CAA9C,sBAAgD,CCXhG,yBAA2B,kBAAmB,CAAE,aAAgB,CAChE,sCAAwC,kBAAqB,CAC7D,6IAAuJ,6BAAoC,CAC3L,4JAAsK,6BAAoC,CAC1M,kCAAoC,kBAAmB,CAAE,2BAA8B,CACvF,uCAAyC,aAAgB,CAEzD,mFAAuC,aAAgB,CACvD,iCAAmC,0BAA8B,CAEjE,8BAAgC,aAAgB,CAChD,2BAA6B,aAAgB,CAC7C,6BAA+B,UAAa,CAC5C,0BAA4B,UAAW,CAAE,yBAA2B,CACpE,+BAAiC,UAAa,CAC9C,iCAAmC,UAAa,CAChD,4DAA+D,UAAa,CAG5E,8BAAgC,UAAa,CAC7C,6BAA+B,aAAgB,CAC/C,2BAA6B,UAAe,CAC5C,gCAAkC,aAAgB,CAClD,8BAAgC,UAAa,CAC7C,8BAAgC,UAAa,CAC7C,0BAA4B,aAAgB,CAC5C,gCAAkC,aAAgB,CAClD,4BAA8B,SAAa,CAE3C,gDAAkD,kBAAqB,CACvE,0CAAoE,oBAAsB,CAA9C,sBAAgD,CC9B5F,+BAAsE,aAAc,CAAjC,eAAiB,CAAnC,eAAqD,CACtF,4BAA8B,aAAgB,CAC9C,8BAAgC,UAAa,CAC7C,2BAA6B,yBAA2B,CAGxD,gIAAiE,UAAc,CAG/E,+BAAiC,aAAc,CAAE,iBAAoB,CACrE,8BAAgC,SAAY,CAC5C,4BAA8B,UAAe,CAC7C,iCAAmC,UAAa,CAChD,+BAAiC,aAAgB,CACjD,+BAAiC,UAAa,CAC9C,2BAA6B,aAAgB,CAC7C,iCAAmC,aAAgB,CACnD,6BAA+B,SAAa,CAE5C,iDAAmD,kBAAqB,CACxE,2CAA2F,eAAiB,CAAxC,oBAAsB,CAA7C,sBAAiE,CChC9G,sBACE,kCAAoC,CAEpC,WAAY,CADZ,uBAEF,CAEA,+BAEE,wBAAyB,CACzB,WAAY,CAFZ,aAGF,CACA,8BAAgC,8BAAiC,CACjE,kCAAoC,aAAgB,CACpD,sDAAwD,kBAAqB,CAC7E,oIAA8I,kBAAqB,CACnK,mJAA6J,kBAAqB,CAClL,2BAA6B,aAAgB,CAC7C,sDAAyD,aAAgB,CACzE,0BAA4B,aAAgB,CAC5C,4BAA8B,aAAgB,CAC9C,8BAAgC,aAAgB,CAChD,uBAAyB,aAAgB,CAEzC,uDAA6B,aAAgB,CAC7C,wBAA0B,aAAgB,CAE1C,+CAAyB,aAAgB,CACzC,6BAA+B,aAAgB,CAC/C,6BAA+B,aAAgB,CAE/C,uDAA6B,aAAgB,CAC7C,sDAAyD,aAAgB,CACzE,6CAA+C,kBAAqB,CACpE,uCAAyC,yBAA4B,CCjCrE,kCAAoC,4BAAgC,CACpE,wEAA2E,UAAa,CACxF,iCAAmC,0BAA8B,CACjE,yBAA2B,wBAAyB,CAAE,aAAgB,CACtE,8BAAgC,aAAc,CAAE,eAAmB,CACnE,8BAAgC,aAAgB,CAChD,8BAAgC,aAAc,CAAE,eAAmB,CACnE,2BAA6B,aAAgB,CAC7C,0BAA4B,aAAgB,CAC5C,+BAAiC,aAAgB,CACjD,iCAAmC,aAAgB,CAEnD,4DAAiC,aAAgB,CACjD,6BAA+B,aAAgB,CAC/C,0BAA4B,aAAgB,CAE5C,+DAAkC,aAAgB,CAClD,gCAAkC,aAAgB,CAClD,2BAA6B,aAAgB,CAE7C,4DAAiC,aAAgB,CACjD,8CAAwE,sBAAuB,CAAE,uBAAwB,CAAzE,qBAA2E,CAC3H,iDAA6E,eAAgB,CAA1C,uBAA4C,CAE/F,qFAAkD,eAAqB,CACvE,sCAAwC,kBAAqB,CAC7D,0DAA4D,kBAAqB,CCjC/E,mCAAsG,CAAtG,cAAsG,CAAtG,eAAsG,CAAtG,kEAAsG,CAAtG,6DAAsG,CAAtG,iDAAsG,CAAtG,kBAAsG,CAAtG,6EAAsG,CAAtG,wEAAsG,CAItG,iIAAwF,CAAxF,wGAAwF,CAAxF,gDAAwF,CAAxF,4IAAwF,CAAxF,uIAAwF,CAAxF,wGAAwF,CAAxF,+CAAwF,CAAxF,kFAAwF,CAIxF,kFAAgD,CAAhD,6FAAgD,CAIhD,gIAA8B,CAA9B,wGAA8B,CAA9B,+CAA8B,CAA9B,wFAA8B,CAK9B,gGAA6D,CAA7D,kCAA6D,CAA7D,6BAA6D,CAA7D,kBAA6D,CAA7D,uHAA6D,CAM7D,6BAA6L,CAA7L,oEAA6L,CAA7L,4FAA6L,CAA7L,uBAA6L,CAA7L,oBAA6L,CAA7L,eAA6L,CAA7L,sDAA6L,CAA7L,oBAA6L,CAA7L,kGAA6L,CAA7L,kCAA6L,CAA7L,iBAA6L,CAA7L,mBAA6L,CAA7L,mBAA6L,CAA7L,oBAA6L,CAA7L,UAA6L,CAA7L,gEAA6L,CAA7L,2DAA6L,CAA7L,oEAA6L,CAA7L,kCAA6L,CAA7L,2EAA6L,CAA7L,sEAA6L,CAM7L,gDAAW,CAAX,+CAAW,CAGb,2CAEE,iBACF,CAEA,kEAEE,iBAAkB,CAClB,QAEF,CALA,sFAIE,UACF,CALA,sFAIE,SACF,CAkCE,gCAA2F,CAA3F,sDAA2F,CAA3F,oBAA2F,CAA3F,qCAA2F,CAA3F,aAA2F,CAA3F,WAA2F,CAA3F,wBAA2F,CAA3F,qBAA2F,CAA3F,gBAA2F,CAA3F,UAA2F,CAA3F,uEAA2F,CAD7F,eAIE,4BAA6B,CAE7B,yCAA6B,CAA7B,gBAA6B,CAJ7B,oBAAqB,CACrB,qBAKF,CADE,mEAA2B,CAI3B,2BAAqI,CAArI,uBAAqI,CAArI,oBAAqI,CAArI,eAAqI,CAArI,sDAAqI,CAArI,oBAAqI,CAArI,qCAAqI,CAArI,oBAAqI,CAArI,aAAqI,CAArI,WAAqI,CAArI,wBAAqI,CAArI,qBAAqI,CAArI,gBAAqI,CAArI,qBAAqI,CAArI,UAAqI,CAArI,kEAAqI,CADvI,UAGE,kBAAmB,CACnB,yCAAsD,CAAtD,gBAAsD,CAFtD,gCAMF,CAJE,4DAAsD,CACtD,8DAAsD,CAAtD,oEAAsD,CACtD,gEAAqD,CAArD,2EAAqD,CACrD,sCAAmC,CAKnC,2IAA8D,CAA9D,wGAA8D,CAA9D,+CAA8D,CAA9D,wFAA8D,CAA9D,6BAA8D,CAA9D,kBAA8D,CAA9D,mGAA8D,CAGhE,yCAIE,6BAA8B,CAF9B,wWAA2V,CAI3V,uBAA2B,CAC3B,2BAA4B,CAF5B,qBAAsB,CAFtB,wBAKF,CAEA,qDAIE,6BAA8B,CAF9B,0UAA6T,CAI7T,uBAA2B,CAC3B,2BAA4B,CAF5B,qBAAsB,CAFtB,wBAKF,CAEA,yEAGE,gDAAqB,CADrB,6UAEF,CAEA,6DAGE,gDAAqB,CADrB,2WAEF,CAKE,4BAAe,CAOf,iBAEA,WAAa,CAFb,SAAyC,CAAzC,eAAyC,CAAzC,iBAAyC,CACzC,UAAY,CAEZ,UAHyC,CAQzC,4HAAoC,CAApC,cAAoC,CzDvJtC,MACE,4CACF,CAEA,iBAKE,0BAA8B,CAD9B,UAAW,CAFX,eAAgB,CADhB,2BAA6B,CAE7B,SAGF,CAEA,gDACE,mBACF,CAKE,kEAAgF,CAAhF,8EAAgF,CAAhF,sGAAgF,CAAhF,gEAAgF,CAAhF,4GAAgF,CAAhF,4CAAgF,CAAhF,+EAAgF,CAAhF,uDAAgF,CAAhF,uDAAgF,CAOlF,0FACE,iBACF,CAGE,qEAAgF,CAAhF,8EAAgF,CAAhF,sGAAgF,CAAhF,gEAAgF,CAAhF,4GAAgF,CAAhF,4CAAgF,CAAhF,kFAAgF,CAAhF,uDAAgF,CAAhF,uDAAgF,CAIhF,+EAA8B,CAA9B,gEAA8B,CAC9B,iBAD8B,CAIhC,gDACE,iBACF,CAKE,mEAA2F,CAA3F,8EAA2F,CAA3F,sGAA2F,CAA3F,gEAA2F,CAA3F,6BAA2F,CAA3F,4GAA2F,CAA3F,4CAA2F,CAA3F,gFAA2F,CAA3F,uDAA2F,CAA3F,uDAA2F,CAO7F,4FACE,iBACF,CAKE,6CAAkD,CAAlD,gBAAkD,CAAlD,iBAAkD,CAAlD,gBAAkD,CAAlD,eAAkD,CAIlD,kDAAmB,CAInB,kDAAoC,CAApC,yBAAoC,CAKtC,eAOE,qBAAsB,CADtB,iBAAkB,CAGlB,2CAAgD,CADhD,aAAc,CALd,cAAe,CAEf,eAAgB,CADhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAEA,uBACE,aACF,CAEA,qBACE,aACF,CAEA,oBACE,aACF,CAEA,uBACE,aACF,CAEA,+BACE,aACF,CAEA,kBAKE,wBAAyB,CACzB,iBAAkB,CAGlB,8DAAwE,CADxE,UAAW,CALX,cAAe,CAIf,eAAgB,CAHhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAEA,0BACE,aACF,CAEA,wBACE,aACF,CAEA,uBACE,aACF,CAEA,0BACE,aACF,CAEA,iBAQE,eAAgB,CADhB,wBAAyB,CAFzB,iBAAkB,CAClB,aAAc,CAHd,cAAe,CAMf,eAAgB,CALhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAEA,uBAIE,wBAAyB,CAIzB,kBAAmB,CAPnB,UAAW,CAEX,UAAW,CAEX,iBAAkB,CAClB,QAAS,CAJT,SAOF,CATA,iCAOE,SAEF,CATA,iCAOE,UAEF,CAEA,yBACE,aACF,CAEA,uBACE,aACF,CAEA,sBACE,aACF,CAEA,yBACE,aACF,CAEA,iCACE,aACF,CAEA,mBAME,wBAAyB,CAEzB,wBAAqB,CACrB,oBAAsB,CAEtB,oCAAyC,CANzC,aAAc,CAFd,cAAe,CAOf,eAAgB,CANhB,iBAAkB,CAFlB,eAAgB,CADhB,cAWF,CAEA,2BAEE,wBAAyB,CACzB,oBAAqB,CAFrB,aAGF,CAEA,yBAEE,wBAAyB,CACzB,oBAAqB,CAFrB,aAGF,CAEA,wBAEE,wBAAyB,CACzB,oBAAqB,CAFrB,aAGF,CAEA,gBAKE,kBAAmB,CAInB,2CAAgD,CAHhD,UAAW,CAHX,cAAe,CAKf,eAAgB,CAJhB,iBAAkB,CAFlB,eAAgB,CADhB,cASF,CAVA,0BAOE,iDAGF,CAVA,0BAOE,kDAGF,CAEA,wBACE,aACF,CAEA,sBACE,aACF,CAEA,qBACE,aACF,CAEA,wBACE,aACF,CAEA,gCACE,UACF,CAEA,eAKE,wBAAyB,CAEzB,iBAAkB,CADlB,UAAW,CAHX,cAAe,CAKf,eAAgB,CAJhB,iBAAkB,CAFlB,eAAgB,CADhB,cAQF,CAEA,uBAEE,wBAAyB,CADzB,UAEF,CAEA,qBAEE,wBAAyB,CADzB,aAEF,CAEA,oBAEE,wBAAyB,CADzB,UAEF,CAEA,mBACE,cAAe,CACf,aACF,CAEA,iDAGE,YAAa,CAEb,qBACF,CAEA,8BACE,aAAc,CACd,UACF,CAEA,4CACE,cACF,CAEA,iEACE,YACF,CAEA,sDACE,KAEF,CAHA,gEAEE,OACF,CAHA,gEAEE,MACF,CAEA,qDACE,KAEF,CAHA,+DAEE,MACF,CAHA,+DAEE,OACF,CAEA,uDACE,KAAM,CAGN,uBACF,CALA,iEAEE,MAGF,CALA,iEAEE,OAGF,CAEA,yDAEE,QACF,CAHA,mEACE,OAEF,CAHA,mEACE,MAEF,CAEA,wDAEE,QACF,CAHA,kEACE,MAEF,CAHA,kEACE,OAEF,CAEA,0DAEE,QAAS,CAET,uBACF,CALA,oEACE,MAIF,CALA,oEACE,OAIF,CAEA,6BACE,OAEF,CAHA,uCAEE,QACF,CAHA,uCAEE,OACF,CAEA,8CAEE,oBACF,CAEA,4BACE,OAEF,CAHA,sCAEE,OACF,CAHA,sCAEE,QACF,CAEA,6CAEE,sBACF,CAEA,8BAIE,kBAAmB,CAHnB,OAMF,CAPA,wCAEE,QAAS,CAIT,0BACF,CAPA,wCAEE,SAAS,CAIT,yBACF,CAEA,gCAEE,SACF,CAHA,0CACE,QAEF,CAHA,0CACE,OAEF,CAEA,iDAEE,oBACF,CAEA,+BAEE,SACF,CAHA,yCACE,OAEF,CAHA,yCACE,QAEF,CAEA,gDAEE,sBACF,CAEA,iCAIE,kBAAmB,CAFnB,SAKF,CAPA,2CACE,QAAS,CAKT,0BACF,CAPA,2CACE,SAAS,CAKT,yBACF,CAEA,iGAEE,UACF,CAEA,oMAEE,WACF,CAHA,mGAEE,UACF,CAEA,4BAYE,kBAAmB,CAGnB,kBAAmB,CAZnB,UAAW,CAOX,YAAa,CAHb,WAAY,CAOZ,6BAA8B,CAV9B,eAAiB,CAEjB,cAAe,CADf,iBAAkB,CAJlB,QAAS,CACT,UAAW,CAMX,oBAQF,CAEA,sDAEE,kBAAoB,CADpB,kBAEF,CAEA,kHACE,iBAAmB,CACnB,mBACF,CAHA,4DAEE,kBAAqB,CADrB,kBAEF,CAEA,uDACE,gBAAkB,CAClB,mBACF,CAHA,uDAEE,kBAAoB,CADpB,iBAEF,CAEA,qDAIE,iBAAkB,CAIlB,cAAe,CANf,eAAiB,CAKjB,eAAgB,CADhB,oBAAsB,CAHtB,WAAY,CAFZ,oBAAqB,CAIrB,wBAKF,CAVA,+DASE,kBACF,CAVA,+DASE,iBACF,CAEA,0DAKE,kBAAmB,CAFnB,YAAa,CAIb,sBAAuB,CANvB,WAOF,CAEA,oFAEE,eAAgB,CADhB,cAEF,CAHA,oFACE,aAAe,CACf,gBACF,CAEA,gEACE,oBACF,CAEA,2DACE,yBACF,CAEA,yCACE,mBACE,cACF,CAEA,wCACE,YACF,CAEA,6BACE,KAEF,CAHA,uCAEE,OACF,CAHA,uCAEE,MACF,CAEA,4BACE,KAEF,CAHA,sCAEE,MACF,CAHA,sCAEE,OACF,CAEA,8BACE,KAAM,CAGN,uBACF,CALA,wCAEE,MAGF,CALA,wCAEE,OAGF,CAEA,gCAEE,QACF,CAHA,0CACE,OAEF,CAHA,0CACE,MAEF,CAEA,+BAEE,QACF,CAHA,yCACE,MAEF,CAHA,yCACE,OAEF,CAEA,iCAEE,QAAS,CAET,uBACF,CALA,2CACE,MAIF,CALA,2CACE,OAIF,CAEA,+DAGE,6BACF,CAEA,4JAIE,UACF,CAEA,4BACE,eACF,CACF,CAwCE,kCAA2G,CAA3G,qCAA2G,CAA3G,eAA2G,CAA3G,yBAA2G,CAA3G,8HAA2G,CAA3G,wGAA2G,CAA3G,+CAA2G,CAA3G,wFAA2G,CAA3G,6BAA2G,CAA3G,kBAA2G,CAC3G,yDAAqD,CAArD,0DAAqD,CACrD,qEAAyB,CAIzB,wCAAmG,CAAnG,iCAAmG,CAAnG,eAAmG,CAAnG,yBAAmG,CAAnG,oIAAmG,CAAnG,wGAAmG,CAAnG,2CAAmG,CAAnG,wFAAmG,CAAnG,6BAAmG,CAAnG,kBAAmG,CACnG,2DAA6C,CAA7C,4DAA6C,CAC7C,2EAAyB,CAMzB,2CAAkB,CAMlB,6CAAqF,CAArF,8EAAqF,CAArF,sGAAqF,CAArF,gEAAqF,CAArF,8BAAqF,CAArF,4GAAqF,CAArF,+CAAqF,CAArF,sIAAqF,CAArF,oFAAqF,CADvF,kBAEE,qBAAuB,CAEvB,0BAA6B,CAD7B,kBAEF,CAEA,yBAEE,sDAAyD,CADzD,YAEF,CAKA,iIAGE,8CACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAEA,oFAGE,sBACF,CAGA,kEAGE,gDAA8C,CAC9C,gBACF,CAEA,iDAEE,8CACF,CAEA,UACE,gDAA8C,CAC9C,0BACF,CAKE,+BAAuD,CAAvD,oEAAuD,CAAvD,yCAAuD,CACvD,2DAA+F,CAA/F,4HAA+F,CAA/F,wGAA+F,CAA/F,wFAA+F,CAA/F,6BAA+F,CAA/F,kBAA+F,CAA/F,mEAA+F,CAA/F,0EAA+F,CAGjG,6CAEE,mBACF,CAEA,sBACE,8CACF,CAEA,4BACE,+CACF,CAEA,uBACE,sBACF,CAEA,qCACE,oCACF,CAEA,qBACE,mBACF,CAGE,qGAA2B,CAI3B,sHAAmE,CAAnE,yCAAmE,CAAnE,4HAAmE,CAInE,kIAAuB,CAKzB,yBACE,2BACF,CAKE,sDAA6C,CAA7C,+BAA6C,CAA7C,gCAA6C,CAA7C,qBAA6C,CAG/C,8DACE,kBACF,CAKA,YACE,0BAA4B,CAG5B,qBAAsB,CAMtB,oBAAuB,CACvB,4CAAkD,CARlD,yDAAgE,CAKhE,WAAY,CAHZ,WAAY,CAHZ,eAAgB,CAIhB,iBAAkB,CAGlB,UAAW,CAFX,SAKF,CADE,mEAAkD,CAIlD,6EAA6B,CAG/B,iBACE,eACF,CAEA,uCACE,yBACF,CAEA,iCACE,WACF,CAEA,mBACE,0BAEF,CADE,mDAAwB,CAAxB,sDAAwB,CAIxB,qDAAiC,CAAjC,uCAAiC,CAAjC,gEAAiC,CAAjC,6CAAiC,CAIjC,2DAAuC,CAAvC,sEAAuC,CAQvC,0IAAuC,CAAvC,sLAAuC,CAKvC,+EAA0C,CAA1C,wGAA0C,CAO5C,WACE,mBACF,CAEA,gBACE,4CAA8C,CAM9C,UAAW,CALX,cAAe,CAEf,KAAM,CAEN,UAAW,CAHX,YAKF,CARA,0BAKE,MAGF,CARA,0BAKE,OAGF,CAQA,0CACE,eACF,C0DnzBA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,2HACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,eAAgB,CAGhB,sHACiB,CACjB,wKAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,gFAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,+DACF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,0JAGF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,yHACiB,CACjB,oIAEF,CAEA,WAKE,iBAAkB,CAJlB,uBAA0B,CAG1B,iBAAkB,CAFlB,iBAAkB,CAClB,gBAAiB,CAGjB,sHACiB,CACjB,wKAGF,CCzkCA,2BAAmB,CAAnB,cAAmB,CAAnB,UAAmB,CAAnB,WAAmB,CAAnB,eAAmB,CAAnB,SAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,SAAmB,CAAnB,wCAAmB,CAAnB,2BAAmB,CAAnB,4BAAmB,CAAnB,6BAAmB,CAAnB,uBAAmB,CAAnB,qBAAmB,CAAnB,2BAAmB,CAAnB,2BAAmB,CAAnB,gBAAmB,CAAnB,sCAAmB,CAAnB,qCAAmB,CAAnB,kBAAmB,CAAnB,wBAAmB,CAAnB,yBAAmB,CAAnB,kCAAmB,CAAnB,mCAAmB,CAAnB,0BAAmB,CAAnB,yBAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,YAAmB,CAAnB,wBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,oBAAmB,CAAnB,0BAAmB,CAAnB,cAAmB,CAAnB,gBAAmB,CAAnB,gBAAmB,CAAnB,gBAAmB,CAAnB,gBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,oBAAmB,CAAnB,aAAmB,CAAnB,yBAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,oBAAmB,CAAnB,0BAAmB,CAAnB,oBAAmB,CAAnB,mBAAmB,CAAnB,cAAmB,CAAnB,uBAAmB,CAAnB,kBAAmB,CAAnB,sBAAmB,CAAnB,iBAAmB,CAAnB,yBAAmB,CAAnB,iBAAmB,CAAnB,0BAAmB,CAAnB,iBAAmB,CAAnB,2BAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,uCAAmB,CAAnB,wCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,wBAAmB,CAAnB,0BAAmB,CAAnB,yBAAmB,CAAnB,0BAAmB,CAAnB,wBAAmB,CAAnB,2BAAmB,CAAnB,0BAAmB,CAAnB,wBAAmB,CAAnB,6BAAmB,CAAnB,8BAAmB,CAAnB,kCAAmB,CAAnB,mCAAmB,CAAnB,iCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,kCAAmB,CAAnB,kCAAmB,CAAnB,mCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,8BAAmB,CAAnB,6BAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,qCAAmB,CAAnB,oCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,gCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,uBAAmB,CAAnB,sBAAmB,CAAnB,uBAAmB,CAAnB,uBAAmB,CAAnB,qBAAmB,CAAnB,wBAAmB,CAAnB,oBAAmB,CAAnB,kCAAmB,CAAnB,sBAAmB,CAAnB,kBAAmB,CAAnB,gCAAmB,CAAnB,oBAAmB,CAAnB,kBAAmB,CAAnB,0BAAmB,CAAnB,oBAAmB,CAAnB,8BAAmB,CAAnB,+BAAmB,CAAnB,mBAAmB,CAAnB,oBAAmB,CAAnB,iBAAmB,CAAnB,mBAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,gBAAmB,CAAnB,mBAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,gBAAmB,CAAnB,mBAAmB,CAAnB,uBAAmB,CAAnB,qBAAmB,CAAnB,uBAAmB,CAAnB,mBAAmB,CAAnB,mBAAmB,CAAnB,sBAAmB,CAAnB,+BAAmB,CAAnB,yDAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,wBAAmB,CAAnB,iCAAmB,CAAnB,+BAAmB,CAAnB,2BAAmB,CAAnB,iBAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,gBAAmB,CAAnB,kBAAmB,CAAnB,gBAAmB,CAAnB,iBAAmB,CAAnB,eAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,iBAAmB,CAAnB,iBAAmB,CAAnB,kBAAmB,CAAnB,eAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,wBAAmB,CAAnB,sBAAmB,CAAnB,wBAAmB,CAAnB,oBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,kBAAmB,CAAnB,kBAAmB,CAAnB,eAAmB,CAAnB,0BAAmB,CAAnB,gCAAmB,CAAnB,8BAAmB,CAAnB,sCAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,gCAAmB,CAAnB,8BAAmB,CAAnB,yBAAmB,CAAnB,yBAAmB,CAAnB,0BAAmB,CAAnB,yBAAmB,CAAnB,yBAAmB,CAAnB,yBAAmB,CAAnB,0BAAmB,CAAnB,mBAAmB,CAAnB,wBAAmB,CAAnB,oBAAmB,CAAnB,kCAAmB,CAAnB,uBAAmB,CAAnB,sBAAmB,CAAnB,+BAAmB,CAAnB,4BAAmB,CAAnB,mNAAmB,CAAnB,0CAAmB,EAAnB,+CAAmB,CAAnB,0CAAmB,CAAnB,8BAAmB,CAAnB,sCAAmB,CAAnB,8BAAmB,CAAnB,wBAAmB,CAAnB,qCAAmB,CAAnB,qBAAmB,CAAnB,gBAAmB,CAAnB,wBAAmB,CAAnB,wCAAmB,CAAnB,oBAAmB,CAAnB,eAAmB,CAAnB,0DAAmB,CAAnB,4BAAmB,CAAnB,+BAAmB,CAAnB,yBAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,gCAAmB,CAAnB,kCAAmB,CAAnB,yCAAmB,CAAnB,qCAAmB,CAAnB,sCAAmB,CAAnB,8CAAmB,CAAnB,iBAAmB,CAAnB,gBAAmB,CAAnB,eAAmB,CAAnB,iBAAmB,CAAnB,+BAAmB,CAAnB,iBAAmB,CAAnB,sBAAmB,CAAnB,+DAAmB,CAAnB,wGAAmB,CAAnB,gDAAmB,CAAnB,kGAAmB,CAAnB,sDAAmB,CAAnB,+DAAmB,CAAnB,2GAAmB,CAAnB,mDAAmB,CAAnB,qGAAmB,CAAnB,yDAAmB,CAAnB,+DAAmB,CAAnB,0GAAmB,CAAnB,kDAAmB,CAAnB,oGAAmB,CAAnB,wDAAmB,CAAnB,+DAAmB,CAAnB,2GAAmB,CAAnB,mDAAmB,CAAnB,qGAAmB,CAAnB,yDAAmB,CAAnB,+DAAmB,CAAnB,yGAAmB,CAAnB,iDAAmB,CAAnB,mGAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,oDAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,mDAAmB,CAAnB,sDAAmB,CAAnB,+DAAmB,CAAnB,oDAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,kDAAmB,CAAnB,qDAAmB,CAAnB,+DAAmB,CAAnB,oDAAmB,CAAnB,uDAAmB,CAAnB,+DAAmB,CAAnB,kDAAmB,CAAnB,qDAAmB,CAAnB,+DAAmB,CAAnB,8GAAmB,CAAnB,uDAAmB,CAAnB,wGAAmB,CAAnB,6DAAmB,CAAnB,+DAAmB,CAAnB,wDAAmB,CAAnB,2DAAmB,CAAnB,8DAAmB,CAAnB,wFAAmB,CAAnB,wFAAmB,CAAnB,wFAAmB,CAAnB,4BAAmB,CAAnB,gCAAmB,CAAnB,gCAAmB,CAAnB,gCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,yBAAmB,CAAnB,sBAAmB,CAAnB,+CAAmB,CAAnB,yCAAmB,CAAnB,kCAAmB,CAAnB,iBAAmB,CAAnB,qCAAmB,CAAnB,+BAAmB,CAAnB,yCAAmB,CAAnB,6BAAmB,CAAnB,kCAAmB,CAAnB,+BAAmB,CAAnB,6BAAmB,CAAnB,2CAAmB,CAAnB,iCAAmB,CAAnB,6CAAmB,CAAnB,gCAAmB,CAAnB,qDAAmB,CAAnB,wBAAmB,CAAnB,gFAAmB,CAAnB,yBAAmB,CAAnB,qDAAmB,CAAnB,wBAAmB,CAAnB,wCAAmB,CAAnB,8BAAmB,CAAnB,0CAAmB,CAAnB,6BAAmB,CAAnB,wDAAmB,CAAnB,kFAAmB,CAAnB,wDAAmB,CAAnB,wBAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,gCAAmB,CAAnB,iCAAmB,CAAnB,yCAAmB,CAAnB,8DAAmB,CAAnB,yCAAmB,CAAnB,0CAAmB,CAAnB,yCAAmB,CAAnB,8BAAmB,CAAnB,kCAAmB,CAAnB,8BAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,iEAAmB,CAAnB,gEAAmB,CAAnB,gEAAmB,CAAnB,wDAAmB,CAAnB,4CAAmB,CAAnB,mCAAmB,CAAnB,sDAAmB,CAAnB,sEAAmB,CAAnB,2BAAmB,CAAnB,gDAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,wDAAmB,CAAnB,kEAAmB,CAAnB,kEAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,0DAAmB,CAAnB,4DAAmB,CAAnB,4DAAmB,CAAnB,4DAAmB,CAAnB,gEAAmB,CAAnB,8DAAmB,CAAnB,gEAAmB,CAAnB,gEAAmB,CAAnB,wDAAmB,CAAnB,sDAAmB,CAAnB,8DAAmB,CAAnB,wDAAmB,CAAnB,wDAAmB,CAAnB,4CAAmB,CAAnB,2BAAmB,CAAnB,sDAAmB,CAAnB,kDAAmB,CAAnB,8DAAmB,CAAnB,8DAAmB,CAAnB,8DAAmB,CAAnB,0CAAmB,CAAnB,+BAAmB,CAAnB,gDAAmB,CAAnB,gDAAmB,CAAnB,mCAAmB,CAAnB,2CAAmB,CAAnB,qBAAmB,CAAnB,cAAmB,CAAnB,mBAAmB,CAAnB,kBAAmB,CAAnB,mBAAmB,CAAnB,iBAAmB,CAAnB,mBAAmB,CAAnB,iBAAmB,CAAnB,oBAAmB,CAAnB,qCAAmB,CAAnB,8BAAmB,CAAnB,oBAAmB,CAAnB,eAAmB,CAAnB,yBAAmB,CAAnB,oBAAmB,CAAnB,6BAAmB,CAAnB,qBAAmB,CAAnB,wBAAmB,CAAnB,mBAAmB,CAAnB,yBAAmB,CAAnB,oBAAmB,CAAnB,uBAAmB,CAAnB,kBAAmB,CAAnB,yBAAmB,CAAnB,oBAAmB,CAAnB,uBAAmB,CAAnB,kBAAmB,CAAnB,sBAAmB,CAAnB,aAAmB,CAAnB,+BAAmB,CAAnB,mBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,+BAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,gBAAmB,CAAnB,0BAAmB,CAAnB,iBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,yBAAmB,CAAnB,gBAAmB,CAAnB,4BAAmB,CAAnB,mBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,yBAAmB,CAAnB,gBAAmB,CAAnB,8CAAmB,CAAnB,+CAAmB,CAAnB,gDAAmB,CAAnB,+CAAmB,CAAnB,0BAAmB,CAAnB,0BAAmB,CAAnB,2BAAmB,CAAnB,yBAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,mCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,kCAAmB,CAAnB,iCAAmB,CAAnB,qCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,mCAAmB,CAAnB,uBAAmB,CAAnB,wBAAmB,CAAnB,sBAAmB,CAAnB,oCAAmB,CAAnB,qCAAmB,CAAnB,8BAAmB,CAAnB,sCAAmB,CAAnB,qCAAmB,CAAnB,mCAAmB,CAAnB,8GAAmB,CAAnB,uIAAmB,CAAnB,0BAAmB,CAAnB,gBAAmB,CAAnB,4BAAmB,CAAnB,mBAAmB,CAAnB,2BAAmB,CAAnB,kBAAmB,CAAnB,6BAAmB,CAAnB,yBAAmB,CAAnB,kBAAmB,CAAnB,2BAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,mBAAmB,CAAnB,0BAAmB,CAAnB,mBAAmB,CAAnB,yBAAmB,CAAnB,gBAAmB,CAAnB,wBAAmB,CAAnB,2BAAmB,CAAnB,0BAAmB,CAAnB,2BAAmB,CAAnB,4BAAmB,CAAnB,4BAAmB,CAAnB,8BAAmB,CAAnB,mCAAmB,CAAnB,qCAAmB,CAAnB,yBAAmB,CAAnB,8BAAmB,CAAnB,2BAAmB,CAAnB,+BAAmB,CAAnB,+BAAmB,CAAnB,iCAAmB,CAAnB,oCAAmB,CAAnB,oCAAmB,CAAnB,6DAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,iDAAmB,CAAnB,mDAAmB,CAAnB,mDAAmB,CAAnB,uDAAmB,CAAnB,uDAAmB,CAAnB,uDAAmB,CAAnB,+CAAmB,CAAnB,+CAAmB,CAAnB,+CAAmB,CAAnB,+CAAmB,CAAnB,+BAAmB,CAAnB,6CAAmB,CAAnB,qDAAmB,CAAnB,qDAAmB,CAAnB,uCAAmB,CAAnB,+CAAmB,CAAnB,iCAAmB,CAAnB,oBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,sBAAmB,CAAnB,uBAAmB,CAAnB,4EAAmB,CAAnB,4FAAmB,CAAnB,qHAAmB,CAAnB,oFAAmB,CAAnB,iGAAmB,CAAnB,2CAAmB,CAAnB,kBAAmB,CAAnB,4BAAmB,CAAnB,gHAAmB,CAAnB,wGAAmB,CAAnB,sGAAmB,CAAnB,kHAAmB,CAAnB,wGAAmB,CAAnB,iCAAmB,CAAnB,2DAAmB,CAAnB,mEAAmB,CAAnB,iEAAmB,CAAnB,iEAAmB,CAAnB,yDAAmB,CAAnB,yCAAmB,CAAnB,yBAAmB,CAAnB,8LAAmB,CAAnB,oCAAmB,CAAnB,qJAAmB,CAAnB,6IAAmB,CAAnB,qKAAmB,CAAnB,kDAAmB,CAAnB,2CAAmB,CAAnB,yFAAmB,CAAnB,kDAAmB,CAAnB,kCAAmB,CAAnB,qCAAmB,CAAnB,qCAAmB,CAAnB,qCAAmB,CAAnB,0DAAmB,CAAnB,2DAAmB,CAAnB,wCAAmB,CAAnB,0BAAmB,CAAnB,8CAAmB,CAAnB,0BAAmB,CCAnB,0EA+DA,CA/DA,mDA+DA,CA/DA,2CA+DA,CA/DA,6CA+DA,CA/DA,2CA+DA,CA/DA,mDA+DA,CA/DA,iDA+DA,CA/DA,uCA+DA,CA/DA,+CA+DA,CA/DA,6DA+DA,CA/DA,mDA+DA,CA/DA,yCA+DA,CA/DA,yDA+DA,CA/DA,2CA+DA,CA/DA,mDA+DA,CA/DA,+CA+DA,CA/DA,uDA+DA,CA/DA,uDA+DA,CA/DA,gFA+DA,CA/DA,2EA+DA,CA/DA,6IA+DA,CA/DA,wGA+DA,CA/DA,wFA+DA,CA/DA,4FA+DA,CA/DA,uEA+DA,CA/DA,6EA+DA,CA/DA,uEA+DA,CA/DA,uEA+DA,CA/DA,qEA+DA,CA/DA,6EA+DA,CA/DA,6DA+DA,CA/DA,8DA+DA,CA/DA,8DA+DA,CA/DA,oEA+DA,CA/DA,oEA+DA,CA/DA,4DA+DA,CA/DA,mCA+DA,CA/DA,oCA+DA,CA/DA,yFA+DA,CA/DA,qEA+DA,CA/DA,wCA+DA,CA/DA,sDA+DA,CA/DA,oEA+DA,CA/DA,wDA+DA,CA/DA,kBA+DA,CA/DA,6HA+DA,CA/DA,wGA+DA,CA/DA,gIA+DA,CA/DA,+HA+DA,CA/DA,wGA+DA,CA/DA,8CA+DA,CA/DA,8EA+DA,CA/DA,4CA+DA,CA/DA,uDA+DA,CA/DA,sDA+DA,CA/DA,sFA+DA,CA/DA,+EA+DA,CA/DA,+EA+DA,CA/DA,+DA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,sEA+DA,CA/DA,sEA+DA,CA/DA,0DA+DA,CA/DA,kBA+DA,CA/DA,+HA+DA,CA/DA,wGA+DA,CA/DA,wFA+DA,CA/DA,kFA+DA,CA/DA,yDA+DA,CA/DA,yCA+DA,CA/DA,kFA+DA,CA/DA,oNA+DA,CA/DA,gNA+DA,CA/DA,8EA+DA,CA/DA,gFA+DA,CA/DA,0FA+DA,CA/DA,4FA+DA,CA/DA,kFA+DA,CA/DA,sKA+DA,CA/DA,wGA+DA,CA/DA,wFA+DA,CA/DA,qHA+DA,CA/DA,wEA+DA,CA/DA,iCA+DA,CA/DA,4CA+DA,CA/DA,+EA+DA,CA/DA,iDA+DA,CA/DA,oDA+DA,CA/DA,+CA+DA,CA/DA,sCA+DA,CA/DA,aA+DA,CA/DA,2CA+DA,CA/DA,kBA+DA,EA/DA,uEA+DA,CA/DA,+BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,8BA+DA,CA/DA,yCA+DA,CA/DA,4CA+DA,CA/DA,4EA+DA,CA/DA,iDA+DA,CA/DA,oDA+DA,CA/DA,4EA+DA,CA/DA,mDA+DA,CA/DA,sDA+DA,CA/DA,gDA+DA,CA/DA,4BA+DA,CA/DA,kDA+DA,CA/DA,8BA+DA,CA/DA,oCA+DA,CA/DA,kBA+DA,CA/DA,mCA+DA,CA/DA,aA+DA,CA/DA,wCA+DA,CA/DA,kBA+DA,EA/DA,4FA+DA,EA/DA,sFA+DA,EA/DA,yGA+DA,CA/DA,yGA+DA,CA/DA,yGA+DA,CA/DA,kDA+DA,CA/DA,uFA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,uFA+DA,CA/DA,2EA+DA,CA/DA,2EA+DA,CA/DA,mFA+DA,CA/DA,2EA+DA,CA/DA,kFA+DA,CA/DA,mFA+DA,CA/DA,2EA+DA,CA/DA,6EA+DA,CA/DA,6EA+DA,CA/DA,iFA+DA,CA/DA,yEA+DA,CA/DA,yEA+DA,CA/DA,6DA+DA,CA/DA,+EA+DA,CA/DA,iEA+DA,CA/DA,iEA+DA,CA/DA,iEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,kEA+DA,CA/DA,oEA+DA,CA/DA,wEA+DA,CA/DA,wEA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,gEA+DA,CA/DA,gDA+DA,CA/DA,6CA+DA,CA/DA,sEA+DA,CA/DA,uCA+DA,CA/DA,oFA+DA,CA/DA,4EA+DA,CA/DA,4EA+DA,CA/DA,0EA+DA,CA/DA,iGA+DA,CA/DA,4FA+DA,CA/DA,uGA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,8EA+DA,CA/DA,+EA+DA,CA/DA,+EA+DA,CA/DA,oDA+DA,CA/DA,wFA+DA,CA/DA,wFA+DA,CA/DA,yFA+DA,CA/DA,uGA+DA,CA/DA,uGA+DA,CA/DA,0FA+DA,CA/DA,iFA+DA,CA/DA,iFA+DA,CA/DA,4FA+DA,CA/DA,mFA+DA,CA/DA,gGA+DA,CA/DA,qGA+DA,CA/DA,mIA+DA,CA/DA,oDA+DA,CA/DA,kBA+DA,EA/DA,qEA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,yCA+DA,CA/DA,qCA+DA,CA/DA,sCA+DA,CA/DA,sCA+DA,CA/DA,uCA+DA,CA/DA,sCA+DA,CA/DA,qCA+DA,CA/DA,sBA+DA,CA/DA,0BA+DA,CA/DA,2BA+DA,CA/DA,sCA+DA,CA/DA,0BA+DA,CA/DA,sBA+DA,CA/DA,sBA+DA,CA/DA,wBA+DA,CA/DA,4BA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,qBA+DA,CA/DA,4BA+DA,CA/DA,2BA+DA,CA/DA,gEA+DA,CA/DA,8DA+DA,CA/DA,gCA+DA,CA/DA,mCA+DA,CA/DA,oCA+DA,CA/DA,yCA+DA,CA/DA,oEA+DA,CA/DA,8GA+DA,CA/DA,iDA+DA,CA/DA,wGA+DA,CA/DA,uDA+DA,CA/DA,mEA+DA,CA/DA,+GA+DA,CA/DA,mDA+DA,CA/DA,yGA+DA,CA/DA,yDA+DA,CA/DA,mEA+DA,CA/DA,iDA+DA,CA/DA,oDA+DA,CA/DA,mEA+DA,CA/DA,mDA+DA,CA/DA,sDA+DA,CA/DA,mEA+DA,CA/DA,kDA+DA,CA/DA,qDA+DA,CA/DA,qCA+DA,CA/DA,sCA+DA,CA/DA,kBA+DA,CA/DA,uCA+DA,CA/DA,4BA+DA,CA/DA,yCA+DA,CA/DA,8BA+DA,CA/DA,wBA+DA,CA/DA,eA+DA,CA/DA,4BA+DA,CA/DA,kBA+DA,CA/DA,4BA+DA,CA/DA,mBA+DA,CA/DA,6BA+DA,CA/DA,oBA+DA,CA/DA,2BA+DA,CA/DA,kBA+DA,CA/DA,0BA+DA,CA/DA,aA+DA,CA/DA,+BA+DA,CA/DA,kBA+DA,CA/DA,+BA+DA,CA/DA,kBA+DA,CA/DA,6BA+DA,CA/DA,gBA+DA,CA/DA,wCA+DA,CA/DA,uCA+DA,CA/DA,8BA+DA,CA/DA,gBA+DA,CA/DA,iCA+DA,CA/DA,8BA+DA,CA/DA,mBA+DA,EA/DA,yDA+DA,CA/DA,4BA+DA,CA/DA,0BA+DA,CA/DA,sCA+DA,CA/DA,uCA+DA,CA/DA,wBA+DA,CA/DA,sCA+DA,CA/DA,wBA+DA,CA/DA,qBA+DA,CA/DA,6BA+DA,CA/DA,yCA+DA,CA/DA,4BA+DA,CA/DA,kBA+DA,CA/DA,6BA+DA,CA/DA,oBA+DA,EA/DA,gEA+DA,CA/DA,6LA+DA,CA/DA,8DA+DA,CA/DA,6LA+DA,CA/DA,uHA+DA,CA/DA,+GA+DA,CA/DA,wHA+DA,CA/DA,uHA+DA,CA/DA,+GA+DA,CA/DA,wGA+DA,CA/DA,8GA+DA,CA/DA,8GA+DA,CA/DA,sGA+DA,CA/DA,kIA+DA,CA/DA,+HA+DA,C","sources":["webpack://laravel/nova/./node_modules/tailwindcss/base.css","webpack://laravel/nova/./node_modules/tailwindcss/components.css","webpack://laravel/nova/./resources/css/nova.css","webpack://laravel/nova/./node_modules/codemirror/lib/codemirror.css","webpack://laravel/nova/./node_modules/codemirror/theme/3024-day.css","webpack://laravel/nova/./node_modules/codemirror/theme/3024-night.css","webpack://laravel/nova/./node_modules/codemirror/theme/abcdef.css","webpack://laravel/nova/./node_modules/codemirror/theme/ambiance-mobile.css","webpack://laravel/nova/./node_modules/codemirror/theme/ambiance.css","webpack://laravel/nova/./node_modules/codemirror/theme/base16-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/base16-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/bespin.css","webpack://laravel/nova/./node_modules/codemirror/theme/blackboard.css","webpack://laravel/nova/./node_modules/codemirror/theme/cobalt.css","webpack://laravel/nova/./node_modules/codemirror/theme/colorforth.css","webpack://laravel/nova/./node_modules/codemirror/theme/darcula.css","webpack://laravel/nova/./node_modules/codemirror/theme/dracula.css","webpack://laravel/nova/./node_modules/codemirror/theme/duotone-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/duotone-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/eclipse.css","webpack://laravel/nova/./node_modules/codemirror/theme/elegant.css","webpack://laravel/nova/./node_modules/codemirror/theme/erlang-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/gruvbox-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/hopscotch.css","webpack://laravel/nova/./node_modules/codemirror/theme/icecoder.css","webpack://laravel/nova/./node_modules/codemirror/theme/idea.css","webpack://laravel/nova/./node_modules/codemirror/theme/isotope.css","webpack://laravel/nova/./node_modules/codemirror/theme/lesser-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/liquibyte.css","webpack://laravel/nova/./node_modules/codemirror/theme/lucario.css","webpack://laravel/nova/./node_modules/codemirror/theme/material.css","webpack://laravel/nova/./node_modules/codemirror/theme/mbo.css","webpack://laravel/nova/./node_modules/codemirror/theme/mdn-like.css","webpack://laravel/nova/./node_modules/codemirror/theme/midnight.css","webpack://laravel/nova/./node_modules/codemirror/theme/monokai.css","webpack://laravel/nova/./node_modules/codemirror/theme/neat.css","webpack://laravel/nova/./node_modules/codemirror/theme/neo.css","webpack://laravel/nova/./node_modules/codemirror/theme/night.css","webpack://laravel/nova/./node_modules/codemirror/theme/oceanic-next.css","webpack://laravel/nova/./node_modules/codemirror/theme/panda-syntax.css","webpack://laravel/nova/./node_modules/codemirror/theme/paraiso-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/paraiso-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/pastel-on-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/railscasts.css","webpack://laravel/nova/./node_modules/codemirror/theme/rubyblue.css","webpack://laravel/nova/./node_modules/codemirror/theme/seti.css","webpack://laravel/nova/./node_modules/codemirror/theme/shadowfox.css","webpack://laravel/nova/./node_modules/codemirror/theme/solarized.css","webpack://laravel/nova/./node_modules/codemirror/theme/ssms.css","webpack://laravel/nova/./node_modules/codemirror/theme/the-matrix.css","webpack://laravel/nova/./node_modules/codemirror/theme/tomorrow-night-bright.css","webpack://laravel/nova/./node_modules/codemirror/theme/tomorrow-night-eighties.css","webpack://laravel/nova/./node_modules/codemirror/theme/ttcn.css","webpack://laravel/nova/./node_modules/codemirror/theme/twilight.css","webpack://laravel/nova/./node_modules/codemirror/theme/vibrant-ink.css","webpack://laravel/nova/./node_modules/codemirror/theme/xq-dark.css","webpack://laravel/nova/./node_modules/codemirror/theme/xq-light.css","webpack://laravel/nova/./node_modules/codemirror/theme/yeti.css","webpack://laravel/nova/./node_modules/codemirror/theme/zenburn.css","webpack://laravel/nova/./resources/css/form.css","webpack://laravel/nova/./resources/css/fonts.css","webpack://laravel/nova/./node_modules/tailwindcss/utilities.css","webpack://laravel/nova/./resources/css/app.css"],"sourcesContent":["@tailwind base;\n","@tailwind components;\n","@import 'form.css';\n\n:root {\n accent-color: theme('colors.primary.500');\n}\n\n.visually-hidden {\n position: absolute !important;\n overflow: hidden;\n width: 1px;\n height: 1px;\n clip: rect(1px, 1px, 1px, 1px);\n}\n\n.visually-hidden:is(:focus, :focus-within) + label {\n outline: thin dotted;\n}\n\n/* Tooltip\n---------------------------------------------------------------------------- */\n.v-popper--theme-Nova .v-popper__inner {\n @apply shadow bg-white dark:bg-gray-900 text-gray-500 dark:text-white !important;\n}\n\n.v-popper--theme-Nova .v-popper__arrow-outer {\n visibility: hidden;\n}\n\n.v-popper--theme-Nova .v-popper__arrow-inner {\n visibility: hidden;\n}\n\n.v-popper--theme-tooltip .v-popper__inner {\n @apply shadow bg-white dark:bg-gray-900 text-gray-500 dark:text-white !important;\n}\n\n.v-popper--theme-tooltip .v-popper__arrow-outer {\n @apply border-white !important;\n visibility: hidden;\n}\n\n.v-popper--theme-tooltip .v-popper__arrow-inner {\n visibility: hidden;\n}\n\n/* Plain Theme */\n\n.v-popper--theme-plain .v-popper__inner {\n @apply rounded-lg shadow bg-white dark:bg-gray-900 text-gray-500 dark:text-white !important;\n}\n\n.v-popper--theme-plain .v-popper__arrow-outer {\n visibility: hidden;\n}\n\n.v-popper--theme-plain .v-popper__arrow-inner {\n visibility: hidden;\n}\n\n/* Help Text\n---------------------------------------------------------------------------- */\n.help-text {\n @apply text-xs leading-normal text-gray-500 italic;\n}\n\n.help-text-error {\n @apply text-red-500;\n}\n\n.help-text a {\n @apply text-primary-500 no-underline;\n}\n\n/* Toast Messages\n-----------------------------------------------------------------------------*/\n.toasted.alive {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n font-weight: 700;\n border-radius: 2px;\n background-color: #fff;\n color: #007fff;\n box-shadow: 0 12px 44px 0 rgba(10, 21, 84, 0.24);\n}\n\n.toasted.alive.success {\n color: #4caf50;\n}\n\n.toasted.alive.error {\n color: #f44336;\n}\n\n.toasted.alive.info {\n color: #3f51b5;\n}\n\n.toasted.alive .action {\n color: #007fff;\n}\n\n.toasted.alive .material-icons {\n color: #ffc107;\n}\n\n.toasted.material {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n background-color: #353535;\n border-radius: 2px;\n font-weight: 300;\n color: #fff;\n box-shadow: 0 1px 3px rgba(0, 0, 0, 0.12), 0 1px 2px rgba(0, 0, 0, 0.24);\n}\n\n.toasted.material.success {\n color: #4caf50;\n}\n\n.toasted.material.error {\n color: #f44336;\n}\n\n.toasted.material.info {\n color: #3f51b5;\n}\n\n.toasted.material .action {\n color: #a1c2fa;\n}\n\n.toasted.colombo {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n border-radius: 6px;\n color: #7492b1;\n border: 2px solid #7492b1;\n background: #fff;\n font-weight: 700;\n}\n\n.toasted.colombo:after {\n content: '';\n width: 8px;\n height: 8px;\n background-color: #5e7b9a;\n position: absolute;\n top: -4px;\n left: -5px;\n border-radius: 100%;\n}\n\n.toasted.colombo.success {\n color: #4caf50;\n}\n\n.toasted.colombo.error {\n color: #f44336;\n}\n\n.toasted.colombo.info {\n color: #3f51b5;\n}\n\n.toasted.colombo .action {\n color: #007fff;\n}\n\n.toasted.colombo .material-icons {\n color: #5dcccd;\n}\n\n.toasted.bootstrap {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n color: #31708f;\n background-color: #f9fbfd;\n border: 1px solid transparent;\n border-color: #d9edf7;\n border-radius: 0.25rem;\n font-weight: 700;\n box-shadow: 0 1px 3px rgba(0, 0, 0, 0.07);\n}\n\n.toasted.bootstrap.success {\n color: #3c763d;\n background-color: #dff0d8;\n border-color: #d0e9c6;\n}\n\n.toasted.bootstrap.error {\n color: #a94442;\n background-color: #f2dede;\n border-color: #f2dede;\n}\n\n.toasted.bootstrap.info {\n color: #31708f;\n background-color: #d9edf7;\n border-color: #d9edf7;\n}\n\n.toasted.venice {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n border-radius: 30px;\n color: #fff;\n background: linear-gradient(85deg, #5861bf, #a56be2);\n font-weight: 700;\n box-shadow: 0 12px 44px 0 rgba(10, 21, 84, 0.24);\n}\n\n.toasted.venice.success {\n color: #4caf50;\n}\n\n.toasted.venice.error {\n color: #f44336;\n}\n\n.toasted.venice.info {\n color: #3f51b5;\n}\n\n.toasted.venice .action {\n color: #007fff;\n}\n\n.toasted.venice .material-icons {\n color: #fff;\n}\n\n.toasted.bulma {\n padding: 0 20px;\n min-height: 38px;\n font-size: 100%;\n line-height: 1.1em;\n background-color: #00d1b2;\n color: #fff;\n border-radius: 3px;\n font-weight: 700;\n}\n\n.toasted.bulma.success {\n color: #fff;\n background-color: #23d160;\n}\n\n.toasted.bulma.error {\n color: #a94442;\n background-color: #ff3860;\n}\n\n.toasted.bulma.info {\n color: #fff;\n background-color: #3273dc;\n}\n\n.toasted-container {\n position: fixed;\n z-index: 10000;\n}\n\n.toasted-container,\n.toasted-container.full-width {\n display: -ms-flexbox;\n display: flex;\n -ms-flex-direction: column;\n flex-direction: column;\n}\n\n.toasted-container.full-width {\n max-width: 86%;\n width: 100%;\n}\n\n.toasted-container.full-width.fit-to-screen {\n min-width: 100%;\n}\n\n.toasted-container.full-width.fit-to-screen .toasted:first-child {\n margin-top: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.top-right {\n top: 0;\n right: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.top-left {\n top: 0;\n left: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.top-center {\n top: 0;\n left: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n}\n\n.toasted-container.full-width.fit-to-screen.bottom-right {\n right: 0;\n bottom: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.bottom-left {\n left: 0;\n bottom: 0;\n}\n\n.toasted-container.full-width.fit-to-screen.bottom-center {\n left: 0;\n bottom: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n}\n\n.toasted-container.top-right {\n top: 10%;\n right: 7%;\n}\n\n.toasted-container.top-right:not(.full-width) {\n -ms-flex-align: end;\n align-items: flex-end;\n}\n\n.toasted-container.top-left {\n top: 10%;\n left: 7%;\n}\n\n.toasted-container.top-left:not(.full-width) {\n -ms-flex-align: start;\n align-items: flex-start;\n}\n\n.toasted-container.top-center {\n top: 10%;\n left: 50%;\n -ms-flex-align: center;\n align-items: center;\n -webkit-transform: translateX(-50%);\n transform: translateX(-50%);\n}\n\n.toasted-container.bottom-right {\n right: 5%;\n bottom: 7%;\n}\n\n.toasted-container.bottom-right:not(.full-width) {\n -ms-flex-align: end;\n align-items: flex-end;\n}\n\n.toasted-container.bottom-left {\n left: 5%;\n bottom: 7%;\n}\n\n.toasted-container.bottom-left:not(.full-width) {\n -ms-flex-align: start;\n align-items: flex-start;\n}\n\n.toasted-container.bottom-center {\n left: 50%;\n bottom: 7%;\n -ms-flex-align: center;\n align-items: center;\n -webkit-transform: translateX(-50%);\n transform: translateX(-50%);\n}\n\n.toasted-container.bottom-left .toasted,\n.toasted-container.top-left .toasted {\n float: left;\n}\n\n.toasted-container.bottom-right .toasted,\n.toasted-container.top-right .toasted {\n float: right;\n}\n\n.toasted-container .toasted {\n top: 35px;\n width: auto;\n clear: both;\n margin-top: 0.8em;\n position: relative;\n max-width: 100%;\n height: auto;\n word-break: break-all;\n display: -ms-flexbox;\n display: flex;\n -ms-flex-align: center;\n align-items: center;\n -ms-flex-pack: justify;\n justify-content: space-between;\n box-sizing: inherit;\n}\n\n.toasted-container .toasted .material-icons {\n margin-right: 0.5rem;\n margin-left: -0.4rem;\n}\n\n.toasted-container .toasted .material-icons.after {\n margin-left: 0.5rem;\n margin-right: -0.4rem;\n}\n\n.toasted-container .toasted .actions-wrapper {\n margin-left: 0.4em;\n margin-right: -1.2em;\n}\n\n.toasted-container .toasted .actions-wrapper .action {\n text-decoration: none;\n font-size: 0.9rem;\n padding: 8px;\n border-radius: 3px;\n text-transform: uppercase;\n letter-spacing: 0.03em;\n font-weight: 600;\n cursor: pointer;\n margin-right: 0.2rem;\n}\n\n.toasted-container .toasted .actions-wrapper .action.icon {\n padding: 4px;\n display: -ms-flexbox;\n display: flex;\n -ms-flex-align: center;\n align-items: center;\n -ms-flex-pack: center;\n justify-content: center;\n}\n\n.toasted-container .toasted .actions-wrapper .action.icon .material-icons {\n margin-right: 0;\n margin-left: 4px;\n}\n\n.toasted-container .toasted .actions-wrapper .action.icon:hover {\n text-decoration: none;\n}\n\n.toasted-container .toasted .actions-wrapper .action:hover {\n text-decoration: underline;\n}\n\n@media only screen and (max-width: 600px) {\n #toasted-container {\n min-width: 100%;\n }\n\n #toasted-container .toasted:first-child {\n margin-top: 0;\n }\n\n #toasted-container.top-right {\n top: 0;\n right: 0;\n }\n\n #toasted-container.top-left {\n top: 0;\n left: 0;\n }\n\n #toasted-container.top-center {\n top: 0;\n left: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n }\n\n #toasted-container.bottom-right {\n right: 0;\n bottom: 0;\n }\n\n #toasted-container.bottom-left {\n left: 0;\n bottom: 0;\n }\n\n #toasted-container.bottom-center {\n left: 0;\n bottom: 0;\n -webkit-transform: translateX(0);\n transform: translateX(0);\n }\n\n #toasted-container.bottom-center,\n #toasted-container.top-center {\n -ms-flex-align: stretch !important;\n align-items: stretch !important;\n }\n\n #toasted-container.bottom-left .toasted,\n #toasted-container.bottom-right .toasted,\n #toasted-container.top-left .toasted,\n #toasted-container.top-right .toasted {\n float: none;\n }\n\n #toasted-container .toasted {\n border-radius: 0;\n }\n}\n\n@layer components {\n .toasted-container.top-center {\n top: 30px !important;\n }\n\n /* TODO: Dark modes for toast messages */\n .nova {\n @apply font-bold py-2 px-5 rounded-lg shadow;\n }\n\n .toasted.default {\n @apply text-primary-500 bg-primary-100 nova;\n }\n\n .toasted.success {\n @apply text-green-600 dark:text-green-400 bg-green-50 dark:bg-green-900 nova;\n }\n\n .toasted.error {\n @apply text-red-500 dark:text-red-400 bg-red-50 dark:bg-red-900 nova;\n }\n\n .toasted.info {\n @apply text-primary-500 dark:text-primary-400 bg-primary-50 dark:bg-primary-900 nova;\n }\n\n .toasted.warning {\n @apply text-yellow-600 dark:text-yellow-900 bg-yellow-50 dark:bg-yellow-600 nova;\n }\n\n .toasted .action {\n @apply font-semibold py-0 !important;\n }\n}\n\n/* Links\n---------------------------------------------------------------------------- */\n.link-default {\n @apply no-underline text-primary-500 font-bold rounded focus:outline-none focus:ring focus:ring-primary-200;\n @apply hover:text-primary-400 active:text-primary-600;\n @apply dark:ring-gray-600;\n}\n\n.link-default-error {\n @apply no-underline text-red-500 font-bold rounded focus:outline-none focus:ring focus:ring-red-200;\n @apply hover:text-red-400 active:text-red-600;\n @apply dark:ring-gray-600;\n}\n\n/* Field Wrapper\n---------------------------------------------------------------------------- */\n.field-wrapper:last-child {\n @apply border-none;\n}\n\n/* Chartist\n-----------------------------------------------------------------------------*/\n.chartist-tooltip {\n @apply bg-white dark:bg-gray-900 text-primary-500 rounded shadow font-sans !important;\n min-width: 0 !important;\n white-space: nowrap;\n padding: 0.2em 1em !important;\n}\n\n.chartist-tooltip:before {\n display: none;\n border-top-color: rgba(var(--colors-white), 1) !important;\n}\n\n/* Charts\n---------------------------------------------------------------------------- */\n/* Partition Metric */\n.ct-chart-line .ct-series-a .ct-area,\n.ct-chart-line .ct-series-a .ct-slice-donut-solid,\n.ct-chart-line .ct-series-a .ct-slice-pie {\n fill: theme('colors.primary.500') !important;\n}\n\n.ct-series-b .ct-area,\n.ct-series-b .ct-slice-donut-solid,\n.ct-series-b .ct-slice-pie {\n fill: #f99037 !important;\n}\n\n.ct-series-c .ct-area,\n.ct-series-c .ct-slice-donut-solid,\n.ct-series-c .ct-slice-pie {\n fill: #f2cb22 !important;\n}\n\n.ct-series-d .ct-area,\n.ct-series-d .ct-slice-donut-solid,\n.ct-series-d .ct-slice-pie {\n fill: #8fc15d !important;\n}\n\n.ct-series-e .ct-area,\n.ct-series-e .ct-slice-donut-solid,\n.ct-series-e .ct-slice-pie {\n fill: #098f56 !important;\n}\n\n.ct-series-f .ct-area,\n.ct-series-f .ct-slice-donut-solid,\n.ct-series-f .ct-slice-pie {\n fill: #47c1bf !important;\n}\n\n.ct-series-g .ct-area,\n.ct-series-g .ct-slice-donut-solid,\n.ct-series-g .ct-slice-pie {\n fill: #1693eb !important;\n}\n\n.ct-series-h .ct-area,\n.ct-series-h .ct-slice-donut-solid,\n.ct-series-h .ct-slice-pie {\n fill: #6474d7 !important;\n}\n\n.ct-series-i .ct-area,\n.ct-series-i .ct-slice-donut-solid,\n.ct-series-i .ct-slice-pie {\n fill: #9c6ade !important;\n}\n\n.ct-series-j .ct-area,\n.ct-series-j .ct-slice-donut-solid,\n.ct-series-j .ct-slice-pie {\n fill: #e471de !important;\n}\n\n/* Trend Metric */\n.ct-series-a .ct-bar,\n.ct-series-a .ct-line,\n.ct-series-a .ct-point {\n stroke: theme('colors.primary.500') !important;\n stroke-width: 2px;\n}\n\n.ct-series-a .ct-area,\n.ct-series-a .ct-slice-pie {\n fill: theme('colors.primary.500') !important;\n}\n\n.ct-point {\n stroke: theme('colors.primary.500') !important;\n stroke-width: 6px !important;\n}\n\n/* Trix\n---------------------------------------------------------------------------- */\ntrix-editor {\n @apply rounded-lg dark:bg-gray-900 dark:border-gray-700;\n @apply dark:focus:bg-gray-900 focus:outline-none focus:ring ring-primary-100 dark:ring-gray-700;\n}\n\n.disabled trix-editor,\n.disabled trix-toolbar {\n pointer-events: none;\n}\n\n.disabled trix-editor {\n background-color: rgba(var(--colors-gray-50), 1);\n}\n\n.dark .disabled trix-editor {\n background-color: rgba(var(--colors-gray-700), 1);\n}\n\n.disabled trix-toolbar {\n display: none !important;\n}\n\ntrix-editor:empty:not(:focus)::before {\n color: rgba(var(--colors-gray-500), 1);\n}\n\ntrix-editor.disabled {\n pointer-events: none;\n}\n\ntrix-toolbar .trix-button-row .trix-button-group {\n @apply dark:border-gray-900;\n}\n\ntrix-toolbar .trix-button-row .trix-button-group .trix-button {\n @apply dark:bg-gray-400 dark:border-gray-900 dark:hover:bg-gray-300;\n}\n\ntrix-toolbar .trix-button-row .trix-button-group .trix-button.trix-active {\n @apply dark:bg-gray-500;\n}\n\n/* Place Field\n---------------------------------------------------------------------------- */\n.modal .ap-dropdown-menu {\n position: relative !important;\n}\n\n/* KeyValue\n---------------------------------------------------------------------------- */\n.key-value-items:last-child {\n @apply rounded-b-lg bg-clip-border border-b-0;\n}\n\n.key-value-items .key-value-item:last-child > .key-value-fields {\n border-bottom: none;\n}\n\n/*rtl:begin:ignore*/\n/* CodeMirror Styles\n---------------------------------------------------------------------------- */\n.CodeMirror {\n background: unset !important;\n min-height: 50px;\n font: 14px/1.5 Menlo, Consolas, Monaco, 'Andale Mono', monospace;\n box-sizing: border-box;\n margin: auto;\n position: relative;\n z-index: 0;\n height: auto;\n width: 100%;\n color: white !important;\n @apply text-gray-500 dark:text-gray-200 !important;\n}\n\n.readonly > .CodeMirror {\n @apply bg-gray-100 !important;\n}\n\n.CodeMirror-wrap {\n padding: 0.5rem 0;\n}\n\n.markdown-fullscreen .markdown-content {\n height: calc(100vh - 30px);\n}\n\n.markdown-fullscreen .CodeMirror {\n height: 100%;\n}\n\n.CodeMirror-cursor {\n border-left: 1px solid black;\n @apply dark:border-white;\n}\n\n.cm-fat-cursor .CodeMirror-cursor {\n @apply text-black dark:text-white;\n}\n\n.cm-s-default .cm-header {\n @apply text-gray-600 dark:text-gray-300;\n}\n\n/*.CodeMirror-line,*/\n.cm-s-default .cm-variable-2,\n.cm-s-default .cm-quote,\n.cm-s-default .cm-string,\n.cm-s-default .cm-comment {\n @apply text-gray-600 dark:text-gray-300;\n}\n\n.cm-s-default .cm-link,\n.cm-s-default .cm-url {\n @apply text-gray-500 dark:text-primary-400;\n}\n\n/*rtl:end:ignore*/\n\n/* NProgress Styles\n---------------------------------------------------------------------------- */\n#nprogress {\n pointer-events: none;\n}\n\n#nprogress .bar {\n background: rgba(var(--colors-primary-500), 1);\n position: fixed;\n z-index: 1031;\n top: 0;\n left: 0;\n width: 100%;\n height: 2px;\n}\n\n/* Algolia Places Styles\n---------------------------------------------------------------------------- */\n.ap-footer-algolia svg {\n display: inherit;\n}\n\n.ap-footer-osm svg {\n display: inherit;\n}\n","/* BASICS */\n\n.CodeMirror {\n /* Set height, width, borders, and global font properties here */\n font-family: monospace;\n height: 300px;\n color: black;\n direction: ltr;\n}\n\n/* PADDING */\n\n.CodeMirror-lines {\n padding: 4px 0; /* Vertical padding around content */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n padding: 0 4px; /* Horizontal padding of content */\n}\n\n.CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n background-color: white; /* The little square between H and V scrollbars */\n}\n\n/* GUTTER */\n\n.CodeMirror-gutters {\n border-right: 1px solid #ddd;\n background-color: #f7f7f7;\n white-space: nowrap;\n}\n.CodeMirror-linenumbers {}\n.CodeMirror-linenumber {\n padding: 0 3px 0 5px;\n min-width: 20px;\n text-align: right;\n color: #999;\n white-space: nowrap;\n}\n\n.CodeMirror-guttermarker { color: black; }\n.CodeMirror-guttermarker-subtle { color: #999; }\n\n/* CURSOR */\n\n.CodeMirror-cursor {\n border-left: 1px solid black;\n border-right: none;\n width: 0;\n}\n/* Shown when moving in bi-directional text */\n.CodeMirror div.CodeMirror-secondarycursor {\n border-left: 1px solid silver;\n}\n.cm-fat-cursor .CodeMirror-cursor {\n width: auto;\n border: 0 !important;\n background: #7e7;\n}\n.cm-fat-cursor div.CodeMirror-cursors {\n z-index: 1;\n}\n.cm-fat-cursor .CodeMirror-line::selection,\n.cm-fat-cursor .CodeMirror-line > span::selection, \n.cm-fat-cursor .CodeMirror-line > span > span::selection { background: transparent; }\n.cm-fat-cursor .CodeMirror-line::-moz-selection,\n.cm-fat-cursor .CodeMirror-line > span::-moz-selection,\n.cm-fat-cursor .CodeMirror-line > span > span::-moz-selection { background: transparent; }\n.cm-fat-cursor { caret-color: transparent; }\n@-moz-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@-webkit-keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n@keyframes blink {\n 0% {}\n 50% { background-color: transparent; }\n 100% {}\n}\n\n/* Can style cursor different in overwrite (non-insert) mode */\n.CodeMirror-overwrite .CodeMirror-cursor {}\n\n.cm-tab { display: inline-block; text-decoration: inherit; }\n\n.CodeMirror-rulers {\n position: absolute;\n left: 0; right: 0; top: -50px; bottom: 0;\n overflow: hidden;\n}\n.CodeMirror-ruler {\n border-left: 1px solid #ccc;\n top: 0; bottom: 0;\n position: absolute;\n}\n\n/* DEFAULT THEME */\n\n.cm-s-default .cm-header {color: blue;}\n.cm-s-default .cm-quote {color: #090;}\n.cm-negative {color: #d44;}\n.cm-positive {color: #292;}\n.cm-header, .cm-strong {font-weight: bold;}\n.cm-em {font-style: italic;}\n.cm-link {text-decoration: underline;}\n.cm-strikethrough {text-decoration: line-through;}\n\n.cm-s-default .cm-keyword {color: #708;}\n.cm-s-default .cm-atom {color: #219;}\n.cm-s-default .cm-number {color: #164;}\n.cm-s-default .cm-def {color: #00f;}\n.cm-s-default .cm-variable,\n.cm-s-default .cm-punctuation,\n.cm-s-default .cm-property,\n.cm-s-default .cm-operator {}\n.cm-s-default .cm-variable-2 {color: #05a;}\n.cm-s-default .cm-variable-3, .cm-s-default .cm-type {color: #085;}\n.cm-s-default .cm-comment {color: #a50;}\n.cm-s-default .cm-string {color: #a11;}\n.cm-s-default .cm-string-2 {color: #f50;}\n.cm-s-default .cm-meta {color: #555;}\n.cm-s-default .cm-qualifier {color: #555;}\n.cm-s-default .cm-builtin {color: #30a;}\n.cm-s-default .cm-bracket {color: #997;}\n.cm-s-default .cm-tag {color: #170;}\n.cm-s-default .cm-attribute {color: #00c;}\n.cm-s-default .cm-hr {color: #999;}\n.cm-s-default .cm-link {color: #00c;}\n\n.cm-s-default .cm-error {color: #f00;}\n.cm-invalidchar {color: #f00;}\n\n.CodeMirror-composing { border-bottom: 2px solid; }\n\n/* Default styles for common addons */\n\ndiv.CodeMirror span.CodeMirror-matchingbracket {color: #0b0;}\ndiv.CodeMirror span.CodeMirror-nonmatchingbracket {color: #a22;}\n.CodeMirror-matchingtag { background: rgba(255, 150, 0, .3); }\n.CodeMirror-activeline-background {background: #e8f2ff;}\n\n/* STOP */\n\n/* The rest of this file contains styles related to the mechanics of\n the editor. You probably shouldn't touch them. */\n\n.CodeMirror {\n position: relative;\n overflow: hidden;\n background: white;\n}\n\n.CodeMirror-scroll {\n overflow: scroll !important; /* Things will break if this is overridden */\n /* 50px is the magic margin used to hide the element's real scrollbars */\n /* See overflow: hidden in .CodeMirror */\n margin-bottom: -50px; margin-right: -50px;\n padding-bottom: 50px;\n height: 100%;\n outline: none; /* Prevent dragging from highlighting the element */\n position: relative;\n z-index: 0;\n}\n.CodeMirror-sizer {\n position: relative;\n border-right: 50px solid transparent;\n}\n\n/* The fake, visible scrollbars. Used to force redraw during scrolling\n before actual scrolling happens, thus preventing shaking and\n flickering artifacts. */\n.CodeMirror-vscrollbar, .CodeMirror-hscrollbar, .CodeMirror-scrollbar-filler, .CodeMirror-gutter-filler {\n position: absolute;\n z-index: 6;\n display: none;\n outline: none;\n}\n.CodeMirror-vscrollbar {\n right: 0; top: 0;\n overflow-x: hidden;\n overflow-y: scroll;\n}\n.CodeMirror-hscrollbar {\n bottom: 0; left: 0;\n overflow-y: hidden;\n overflow-x: scroll;\n}\n.CodeMirror-scrollbar-filler {\n right: 0; bottom: 0;\n}\n.CodeMirror-gutter-filler {\n left: 0; bottom: 0;\n}\n\n.CodeMirror-gutters {\n position: absolute; left: 0; top: 0;\n min-height: 100%;\n z-index: 3;\n}\n.CodeMirror-gutter {\n white-space: normal;\n height: 100%;\n display: inline-block;\n vertical-align: top;\n margin-bottom: -50px;\n}\n.CodeMirror-gutter-wrapper {\n position: absolute;\n z-index: 4;\n background: none !important;\n border: none !important;\n}\n.CodeMirror-gutter-background {\n position: absolute;\n top: 0; bottom: 0;\n z-index: 4;\n}\n.CodeMirror-gutter-elt {\n position: absolute;\n cursor: default;\n z-index: 4;\n}\n.CodeMirror-gutter-wrapper ::selection { background-color: transparent }\n.CodeMirror-gutter-wrapper ::-moz-selection { background-color: transparent }\n\n.CodeMirror-lines {\n cursor: text;\n min-height: 1px; /* prevents collapsing before first draw */\n}\n.CodeMirror pre.CodeMirror-line,\n.CodeMirror pre.CodeMirror-line-like {\n /* Reset some styles that the rest of the page might have set */\n -moz-border-radius: 0; -webkit-border-radius: 0; border-radius: 0;\n border-width: 0;\n background: transparent;\n font-family: inherit;\n font-size: inherit;\n margin: 0;\n white-space: pre;\n word-wrap: normal;\n line-height: inherit;\n color: inherit;\n z-index: 2;\n position: relative;\n overflow: visible;\n -webkit-tap-highlight-color: transparent;\n -webkit-font-variant-ligatures: contextual;\n font-variant-ligatures: contextual;\n}\n.CodeMirror-wrap pre.CodeMirror-line,\n.CodeMirror-wrap pre.CodeMirror-line-like {\n word-wrap: break-word;\n white-space: pre-wrap;\n word-break: normal;\n}\n\n.CodeMirror-linebackground {\n position: absolute;\n left: 0; right: 0; top: 0; bottom: 0;\n z-index: 0;\n}\n\n.CodeMirror-linewidget {\n position: relative;\n z-index: 2;\n padding: 0.1px; /* Force widget margins to stay inside of the container */\n}\n\n.CodeMirror-widget {}\n\n.CodeMirror-rtl pre { direction: rtl; }\n\n.CodeMirror-code {\n outline: none;\n}\n\n/* Force content-box sizing for the elements where we expect it */\n.CodeMirror-scroll,\n.CodeMirror-sizer,\n.CodeMirror-gutter,\n.CodeMirror-gutters,\n.CodeMirror-linenumber {\n -moz-box-sizing: content-box;\n box-sizing: content-box;\n}\n\n.CodeMirror-measure {\n position: absolute;\n width: 100%;\n height: 0;\n overflow: hidden;\n visibility: hidden;\n}\n\n.CodeMirror-cursor {\n position: absolute;\n pointer-events: none;\n}\n.CodeMirror-measure pre { position: static; }\n\ndiv.CodeMirror-cursors {\n visibility: hidden;\n position: relative;\n z-index: 3;\n}\ndiv.CodeMirror-dragcursors {\n visibility: visible;\n}\n\n.CodeMirror-focused div.CodeMirror-cursors {\n visibility: visible;\n}\n\n.CodeMirror-selected { background: #d9d9d9; }\n.CodeMirror-focused .CodeMirror-selected { background: #d7d4f0; }\n.CodeMirror-crosshair { cursor: crosshair; }\n.CodeMirror-line::selection, .CodeMirror-line > span::selection, .CodeMirror-line > span > span::selection { background: #d7d4f0; }\n.CodeMirror-line::-moz-selection, .CodeMirror-line > span::-moz-selection, .CodeMirror-line > span > span::-moz-selection { background: #d7d4f0; }\n\n.cm-searching {\n background-color: #ffa;\n background-color: rgba(255, 255, 0, .4);\n}\n\n/* Used to force a border model for a node */\n.cm-force-border { padding-right: .1px; }\n\n@media print {\n /* Hide the cursor when printing */\n .CodeMirror div.CodeMirror-cursors {\n visibility: hidden;\n }\n}\n\n/* See issue #2901 */\n.cm-tab-wrap-hack:after { content: ''; }\n\n/* Help users use markselection to safely style text background */\nspan.CodeMirror-selectedtext { background: none; }\n","/*\n\n Name: 3024 day\n Author: Jan T. Sott (http://github.com/idleberg)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-3024-day.CodeMirror { background: #f7f7f7; color: #3a3432; }\n.cm-s-3024-day div.CodeMirror-selected { background: #d6d5d4; }\n\n.cm-s-3024-day .CodeMirror-line::selection, .cm-s-3024-day .CodeMirror-line > span::selection, .cm-s-3024-day .CodeMirror-line > span > span::selection { background: #d6d5d4; }\n.cm-s-3024-day .CodeMirror-line::-moz-selection, .cm-s-3024-day .CodeMirror-line > span::-moz-selection, .cm-s-3024-day .CodeMirror-line > span > span::selection { background: #d9d9d9; }\n\n.cm-s-3024-day .CodeMirror-gutters { background: #f7f7f7; border-right: 0px; }\n.cm-s-3024-day .CodeMirror-guttermarker { color: #db2d20; }\n.cm-s-3024-day .CodeMirror-guttermarker-subtle { color: #807d7c; }\n.cm-s-3024-day .CodeMirror-linenumber { color: #807d7c; }\n\n.cm-s-3024-day .CodeMirror-cursor { border-left: 1px solid #5c5855; }\n\n.cm-s-3024-day span.cm-comment { color: #cdab53; }\n.cm-s-3024-day span.cm-atom { color: #a16a94; }\n.cm-s-3024-day span.cm-number { color: #a16a94; }\n\n.cm-s-3024-day span.cm-property, .cm-s-3024-day span.cm-attribute { color: #01a252; }\n.cm-s-3024-day span.cm-keyword { color: #db2d20; }\n.cm-s-3024-day span.cm-string { color: #fded02; }\n\n.cm-s-3024-day span.cm-variable { color: #01a252; }\n.cm-s-3024-day span.cm-variable-2 { color: #01a0e4; }\n.cm-s-3024-day span.cm-def { color: #e8bbd0; }\n.cm-s-3024-day span.cm-bracket { color: #3a3432; }\n.cm-s-3024-day span.cm-tag { color: #db2d20; }\n.cm-s-3024-day span.cm-link { color: #a16a94; }\n.cm-s-3024-day span.cm-error { background: #db2d20; color: #5c5855; }\n\n.cm-s-3024-day .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-3024-day .CodeMirror-matchingbracket { text-decoration: underline; color: #a16a94 !important; }\n","/*\n\n Name: 3024 night\n Author: Jan T. Sott (http://github.com/idleberg)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-3024-night.CodeMirror { background: #090300; color: #d6d5d4; }\n.cm-s-3024-night div.CodeMirror-selected { background: #3a3432; }\n.cm-s-3024-night .CodeMirror-line::selection, .cm-s-3024-night .CodeMirror-line > span::selection, .cm-s-3024-night .CodeMirror-line > span > span::selection { background: rgba(58, 52, 50, .99); }\n.cm-s-3024-night .CodeMirror-line::-moz-selection, .cm-s-3024-night .CodeMirror-line > span::-moz-selection, .cm-s-3024-night .CodeMirror-line > span > span::-moz-selection { background: rgba(58, 52, 50, .99); }\n.cm-s-3024-night .CodeMirror-gutters { background: #090300; border-right: 0px; }\n.cm-s-3024-night .CodeMirror-guttermarker { color: #db2d20; }\n.cm-s-3024-night .CodeMirror-guttermarker-subtle { color: #5c5855; }\n.cm-s-3024-night .CodeMirror-linenumber { color: #5c5855; }\n\n.cm-s-3024-night .CodeMirror-cursor { border-left: 1px solid #807d7c; }\n\n.cm-s-3024-night span.cm-comment { color: #cdab53; }\n.cm-s-3024-night span.cm-atom { color: #a16a94; }\n.cm-s-3024-night span.cm-number { color: #a16a94; }\n\n.cm-s-3024-night span.cm-property, .cm-s-3024-night span.cm-attribute { color: #01a252; }\n.cm-s-3024-night span.cm-keyword { color: #db2d20; }\n.cm-s-3024-night span.cm-string { color: #fded02; }\n\n.cm-s-3024-night span.cm-variable { color: #01a252; }\n.cm-s-3024-night span.cm-variable-2 { color: #01a0e4; }\n.cm-s-3024-night span.cm-def { color: #e8bbd0; }\n.cm-s-3024-night span.cm-bracket { color: #d6d5d4; }\n.cm-s-3024-night span.cm-tag { color: #db2d20; }\n.cm-s-3024-night span.cm-link { color: #a16a94; }\n.cm-s-3024-night span.cm-error { background: #db2d20; color: #807d7c; }\n\n.cm-s-3024-night .CodeMirror-activeline-background { background: #2F2F2F; }\n.cm-s-3024-night .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n",".cm-s-abcdef.CodeMirror { background: #0f0f0f; color: #defdef; }\n.cm-s-abcdef div.CodeMirror-selected { background: #515151; }\n.cm-s-abcdef .CodeMirror-line::selection, .cm-s-abcdef .CodeMirror-line > span::selection, .cm-s-abcdef .CodeMirror-line > span > span::selection { background: rgba(56, 56, 56, 0.99); }\n.cm-s-abcdef .CodeMirror-line::-moz-selection, .cm-s-abcdef .CodeMirror-line > span::-moz-selection, .cm-s-abcdef .CodeMirror-line > span > span::-moz-selection { background: rgba(56, 56, 56, 0.99); }\n.cm-s-abcdef .CodeMirror-gutters { background: #555; border-right: 2px solid #314151; }\n.cm-s-abcdef .CodeMirror-guttermarker { color: #222; }\n.cm-s-abcdef .CodeMirror-guttermarker-subtle { color: azure; }\n.cm-s-abcdef .CodeMirror-linenumber { color: #FFFFFF; }\n.cm-s-abcdef .CodeMirror-cursor { border-left: 1px solid #00FF00; }\n\n.cm-s-abcdef span.cm-keyword { color: darkgoldenrod; font-weight: bold; }\n.cm-s-abcdef span.cm-atom { color: #77F; }\n.cm-s-abcdef span.cm-number { color: violet; }\n.cm-s-abcdef span.cm-def { color: #fffabc; }\n.cm-s-abcdef span.cm-variable { color: #abcdef; }\n.cm-s-abcdef span.cm-variable-2 { color: #cacbcc; }\n.cm-s-abcdef span.cm-variable-3, .cm-s-abcdef span.cm-type { color: #def; }\n.cm-s-abcdef span.cm-property { color: #fedcba; }\n.cm-s-abcdef span.cm-operator { color: #ff0; }\n.cm-s-abcdef span.cm-comment { color: #7a7b7c; font-style: italic;}\n.cm-s-abcdef span.cm-string { color: #2b4; }\n.cm-s-abcdef span.cm-meta { color: #C9F; }\n.cm-s-abcdef span.cm-qualifier { color: #FFF700; }\n.cm-s-abcdef span.cm-builtin { color: #30aabc; }\n.cm-s-abcdef span.cm-bracket { color: #8a8a8a; }\n.cm-s-abcdef span.cm-tag { color: #FFDD44; }\n.cm-s-abcdef span.cm-attribute { color: #DDFF00; }\n.cm-s-abcdef span.cm-error { color: #FF0000; }\n.cm-s-abcdef span.cm-header { color: aquamarine; font-weight: bold; }\n.cm-s-abcdef span.cm-link { color: blueviolet; }\n\n.cm-s-abcdef .CodeMirror-activeline-background { background: #314151; }\n",".cm-s-ambiance.CodeMirror {\n -webkit-box-shadow: none;\n -moz-box-shadow: none;\n box-shadow: none;\n}\n","/* ambiance theme for codemirror */\n\n/* Color scheme */\n\n.cm-s-ambiance .cm-header { color: blue; }\n.cm-s-ambiance .cm-quote { color: #24C2C7; }\n\n.cm-s-ambiance .cm-keyword { color: #cda869; }\n.cm-s-ambiance .cm-atom { color: #CF7EA9; }\n.cm-s-ambiance .cm-number { color: #78CF8A; }\n.cm-s-ambiance .cm-def { color: #aac6e3; }\n.cm-s-ambiance .cm-variable { color: #ffb795; }\n.cm-s-ambiance .cm-variable-2 { color: #eed1b3; }\n.cm-s-ambiance .cm-variable-3, .cm-s-ambiance .cm-type { color: #faded3; }\n.cm-s-ambiance .cm-property { color: #eed1b3; }\n.cm-s-ambiance .cm-operator { color: #fa8d6a; }\n.cm-s-ambiance .cm-comment { color: #555; font-style:italic; }\n.cm-s-ambiance .cm-string { color: #8f9d6a; }\n.cm-s-ambiance .cm-string-2 { color: #9d937c; }\n.cm-s-ambiance .cm-meta { color: #D2A8A1; }\n.cm-s-ambiance .cm-qualifier { color: yellow; }\n.cm-s-ambiance .cm-builtin { color: #9999cc; }\n.cm-s-ambiance .cm-bracket { color: #24C2C7; }\n.cm-s-ambiance .cm-tag { color: #fee4ff; }\n.cm-s-ambiance .cm-attribute { color: #9B859D; }\n.cm-s-ambiance .cm-hr { color: pink; }\n.cm-s-ambiance .cm-link { color: #F4C20B; }\n.cm-s-ambiance .cm-special { color: #FF9D00; }\n.cm-s-ambiance .cm-error { color: #AF2018; }\n\n.cm-s-ambiance .CodeMirror-matchingbracket { color: #0f0; }\n.cm-s-ambiance .CodeMirror-nonmatchingbracket { color: #f22; }\n\n.cm-s-ambiance div.CodeMirror-selected { background: rgba(255, 255, 255, 0.15); }\n.cm-s-ambiance.CodeMirror-focused div.CodeMirror-selected { background: rgba(255, 255, 255, 0.10); }\n.cm-s-ambiance .CodeMirror-line::selection, .cm-s-ambiance .CodeMirror-line > span::selection, .cm-s-ambiance .CodeMirror-line > span > span::selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-ambiance .CodeMirror-line::-moz-selection, .cm-s-ambiance .CodeMirror-line > span::-moz-selection, .cm-s-ambiance .CodeMirror-line > span > span::-moz-selection { background: rgba(255, 255, 255, 0.10); }\n\n/* Editor styling */\n\n.cm-s-ambiance.CodeMirror {\n line-height: 1.40em;\n color: #E6E1DC;\n background-color: #202020;\n -webkit-box-shadow: inset 0 0 10px black;\n -moz-box-shadow: inset 0 0 10px black;\n box-shadow: inset 0 0 10px black;\n}\n\n.cm-s-ambiance .CodeMirror-gutters {\n background: #3D3D3D;\n border-right: 1px solid #4D4D4D;\n box-shadow: 0 10px 20px black;\n}\n\n.cm-s-ambiance .CodeMirror-linenumber {\n text-shadow: 0px 1px 1px #4d4d4d;\n color: #111;\n padding: 0 5px;\n}\n\n.cm-s-ambiance .CodeMirror-guttermarker { color: #aaa; }\n.cm-s-ambiance .CodeMirror-guttermarker-subtle { color: #111; }\n\n.cm-s-ambiance .CodeMirror-cursor { border-left: 1px solid #7991E8; }\n\n.cm-s-ambiance .CodeMirror-activeline-background {\n background: none repeat scroll 0% 0% rgba(255, 255, 255, 0.031);\n}\n\n.cm-s-ambiance.CodeMirror,\n.cm-s-ambiance .CodeMirror-gutters {\n background-image: url(\"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAMgAAADICAQAAAAHUWYVAABFFUlEQVQYGbzBCeDVU/74/6fj9HIcx/FRHx9JCFmzMyGRURhLZIkUsoeRfUjS2FNDtr6WkMhO9sm+S8maJfu+Jcsg+/o/c+Z4z/t97/vezy3z+z8ekGlnYICG/o7gdk+wmSHZ1z4pJItqapjoKXWahm8NmV6eOTbWUOp6/6a/XIg6GQqmenJ2lDHyvCFZ2cBDbmtHA043VFhHwXxClWmeYAdLhV00Bd85go8VmaFCkbVkzlQENzfBDZ5gtN7HwF0KDrTwJ0dypSOzpaKCMwQHKTIreYIxlmhXTzTWkVm+LTynZhiSBT3RZQ7aGfjGEd3qyXQ1FDymqbKxpspERQN2MiRjNZlFFQXfCNFm9nM1zpAsoYjmtRTc5ajwuaXc5xrWskT97RaKzAGe5ARHhVUsDbjKklziiX5WROcJwSNCNI+9w1Jwv4Zb2r7lCMZ4oq5C0EdTx+2GzNuKpJ+iFf38JEWkHJn9DNF7mmBDITrWEg0VWL3pHU20tSZnuqWu+R3BtYa8XxV1HO7GyD32UkOpL/yDloINFTmvtId+nmAjxRw40VMwVKiwrKLE4bK5UOVntYwhOcSSXKrJHKPJedocpGjVz/ZMIbnYUPB10/eKCrs5apqpgVmWzBYWpmtKHecJPjaUuEgRDDaU0oZghCJ6zNMQ5ZhDYx05r5v2muQdM0EILtXUsaKiQX9WMEUotagQzFbUNN6NUPC2nm5pxEWGCjMc3GdJHjSU2kORLK/JGSrkfGEIjncU/CYUnOipoYemwj8tST9NsJmB7TUVXtbUtXATJVZXBMvYeTXJfobgJUPmGMP/yFaWonaa6BcFO3nqcIqCozSZoZoSr1g4zJOzuyGnxTEX3lUEJ7WcZgme8ddaWvWJo2AJR9DZU3CUIbhCSG6ybSwN6qtJVnCU2svDTP2ZInOw2cBTrqtQahtNZn9NcJ4l2NaSmSkkP1noZWnVwkLmdUPOwLZEwy2Z3S3R+4rIG9hcbpPXHFVWcQdZkn2FOta3cKWQnNRC5g1LsJah4GCzSVsKnCOY5OAFRTBekyyryeyilhFKva75r4Mc0aWanGEaThcy31s439KKxTzJYY5WTHPU1FtIHjQU3Oip4xlNzj/lBw23dYZVliQa7WAXf4shetcQfatI+jWRDBPmyNeW6A1P5kdDgyYJlba0BIM8BZu1JfrFwItyjcAMR3K0BWOIrtMEXyhyrlVEx3ui5dUBjmB/Q3CXW85R4mBD0s7B+4q5tKUjOlb9qqmhi5AZ6GFIC5HXtOobdYGlVdMVbNJ8toNTFcHxnoL+muBagcctjWnbNMuR00uI7nQESwg5q2qqrKWIfrNUmeQocY6HuyxJV02wj36w00yhpmUFenv4p6fUkZYqLyuinx2RGOjhCXYyJF84oiU00YMOOhhquNdfbOB7gU88pY4xJO8LVdp6/q2voeB4R04vIdhSE40xZObx1HGGJ/ja0LBthFInKaLPPFzuCaYaoj8JjPME8yoyxo6zlBqkiUZYgq00OYMswbWO5NGmq+xhipxHLRW29ARjNKXO0wRnear8XSg4XFPLKEPUS1GqvyLwiuBUoa7zpZ0l5xxFwWmWZC1H5h5FwU8eQ7K+g8UcVY6TMQreVQT/8uQ8Z+ALIXnSEa2pYZQneE9RZbSBNYXfWYJzW/h/4j4Dp1tYVcFIC5019Vyi4ThPqSFCzjGWaHQTBU8q6vrVwgxP9Lkm840imWKpcLCjYTtrKuwvsKSnrvHCXGkSMk9p6lhckfRpIeis+N2PiszT+mFLspyGleUhDwcLrZqmyeylxwjBcKHEapqkmyangyLZRVOijwOtCY5SsG5zL0OwlCJ4y5KznF3EUNDDrinwiyLZRzOXtlBbK5ITHFGLp8Q0R6ab6mS7enI2cFrxOyHvOCFaT1HThS1krjCwqWeurCkk+willhCC+RSZnRXBiZaC5RXRIZYKp2lyfrHwiKPKR0JDzrdU2EFgpidawlFDR6FgXUMNa+g1FY3bUQh2cLCwosRdnuQTS/S+JVrGLeWIvtQUvONJxlqSQYYKpwoN2kaocLjdVsis4Mk80ESF2YpSkzwldjHkjFCUutI/r+EHDU8oCs6yzL3PhWiEooZdFMkymlas4AcI3KmoMMNSQ3tHzjGWCrcJJdYyZC7QFGwjRL9p+MrRkAGWzIaWCn9W0F3TsK01c2ZvQw0byvxuQU0r1lM0qJO7wW0kRIMdDTtXEdzi4VIh+EoIHm0mWtAtpCixlabgn83fKTI7anJe9ST7WIK1DMGpQmYeA58ImV6ezOGOzK2Kgq01pd60cKWiUi9Lievb/0vIDPHQ05Kzt4ddPckQBQtoaurjyHnek/nKzpQLrVgKPjIkh2v4uyezpv+Xoo7fPFXaGFp1vaLKxQ4uUpQQS5VuQs7BCq4xRJv7fwpVvvFEB3j+620haOuocqMhWd6TTPAEx+mdFNGHdranFe95WrWmIvlY4F1Dle2ECgc6cto7SryuqGGGha0tFQ5V53migUKmg6XKAo4qS3mik+0OZpAhOLeZKicacgaYcyx5hypYQE02ZA4xi/pNhOQxR4klNKyqacj+mpxnLTnnGSo85++3ZCZq6lrZkXlGEX3o+C9FieccJbZWVFjC0Yo1FZnJhoYMFoI1hEZ9r6hwg75HwzBNhbZCdJEfJwTPGzJvaKImw1yYX1HDAmpXR+ZJQ/SmgqMNVQb5vgamGwLtt7VwvP7Qk1xpiM5x5Cyv93E06MZmgs0Nya2azIKOYKCGBQQW97RmhKNKF02JZqHEJ4o58qp7X5EcZmc56trXEqzjCBZ1MFGR87Ql2tSTs6CGxS05PTzRQorkbw7aKoKXFDXsYW42VJih/q+FP2BdTzDTwVqOYB13liM50vG7wy28qagyuIXMeQI/Oqq8bcn5wJI50xH00CRntyfpL1T4hydYpoXgNiFzoIUTDZnLNRzh4TBHwbYGDvZkxmlyJloyr6tRihpeUG94GnKtIznREF0tzJG/OOr73JBcrSh1k6WuTprgLU+mnSGnv6Zge0NNz+kTDdH8nuAuTdJDCNb21LCiIuqlYbqGzT3RAoZofQfjFazkqeNWdYaGvYTM001EW2oKPvVk1ldUGSgUtHFwjKM1h9jnFcmy5lChoLNaQMGGDsYbKixlaMBmmsx1QjCfflwTfO/gckW0ruZ3jugKR3R5W9hGUWqCgxuFgsuaCHorotGKzGaeZB9DMsaTnKCpMtwTvOzhYk0rdrArKCqcaWmVk1+F372ur1YkKxgatI8Qfe1gIX9wE9FgS8ESmuABIXnRUbCapcKe+nO7slClSZFzpV/LkLncEb1qiO42fS3R855Su2mCLh62t1SYZZYVmKwIHjREF2uihTzB20JOkz7dkxzYQnK0UOU494wh+VWRc6Un2kpTaVgLDFEkJ/uhzRcI0YKGgpGWOlocBU/a4fKoJ/pEaNV6jip3+Es9VXY078rGnmAdf7t9ylPXS34RBSuYPs1UecZTU78WanhBCHpZ5sAoTz0LGZKjPf9TRypqWEiTvOFglL1fCEY3wY/++rbk7C8bWebA6p6om6PgOL2kp44TFJlVNBXae2rqqdZztOJpT87GQsE9jqCPIe9VReZuQ/CIgacsyZdCpIScSYqcZk8r+nsyCzhyfhOqHGOIvrLknC8wTpFcaYiGC/RU1NRbUeUpocQOnkRpGOrIOcNRx+1uA0UrzhSSt+VyS3SJpnFWkzNDqOFGIWcfR86DnmARTQ1HKIL33ExPiemeOhYSSjzlSUZZuE4TveoJLnBUOFof6KiysCbnAEcZgcUNTDOwkqWu3RWtmGpZwlHhJENdZ3miGz0lJlsKnjbwqSHQjpxnFDlTLLwqJPMZMjd7KrzkSG7VsxXBZE+F8YZkb01Oe00yyRK9psh5SYh29ySPKBo2ylNht7ZkZnsKenjKNJu9PNEyZpaCHv4Kt6RQsLvAVp7M9kIimmCUwGeWqLMmGuIotYMmWNpSahkhZw9FqZsVnKJhsjAHvtHMsTM9fCI06Dx/u3vfUXCqfsKRc4oFY2jMsoo/7DJDwZ1CsIKnJu+J9ldkpmiCxQx1rWjI+T9FwcWWzOuaYH0Hj7klNRVWEQpmaqosakiGNTFHdjS/qnUdmf0NJW5xsL0HhimCCZZSRzmSPTXJQ4aaztAwtZnoabebJ+htCaZ7Cm535ByoqXKbX1WRc4Eh2MkRXWzImVc96Cj4VdOKVxR84VdQsIUM8Psoou2byVHyZFuq7O8otbSQ2UAoeEWTudATLGSpZzVLlXVkPU2Jc+27lsw2jmg5T5VhbeE3BT083K9WsTTkFU/Osi0rC5lRlpwRHUiesNS0sOvmqGML1aRbPAxTJD9ZKtxuob+hhl8cwYGWpJ8nub7t5p6coYbMovZ1BTdaKn1jYD6h4GFDNFyT/Kqe1XCXphXHOKLZmuRSRdBPEfVUXQzJm5YGPGGJdvAEr7hHNdGZnuBvrpciGmopOLf5N0uVMy0FfYToJk90uUCbJupaVpO53UJXR2bVpoU00V2KOo4zMFrBd0Jtz2pa0clT5Q5L8IpQ177mWQejPMEJhuQjS10ref6HHjdEhy1P1EYR7GtO0uSsKJQYLiTnG1rVScj5lyazpqWGl5uBbRWl7m6ixGOOnEsMJR7z8J0n6KMnCdxhiNYQCoZ6CmYLnO8omC3MkW3bktlPmEt/VQQHejL3+dOE5FlPdK/Mq8hZxxJtLyRrepLThYKbLZxkSb5W52vYxNOaOxUF0yxMUPwBTYqCzy01XayYK0sJyWBLqX0MwU5CzoymRzV0EjjeUeLgDpTo6ij42ZAzvD01dHUUTPLU96MdLbBME8nFBn7zJCMtJcZokn8YoqU0FS5WFKyniHobguMcmW8N0XkWZjkyN3hqOMtS08r+/xTBwpZSZ3qiVRX8SzMHHjfUNFjgHEPmY9PL3ykEzxkSre/1ZD6z/NuznuB0RcE1TWTm9zRgfUWVJiG6yrzgmWPXC8EAR4Wxhlad0ZbgQyEz3pG5RVEwwDJH2mgKpjcTiCOzn1lfUWANFbZ2BA8balnEweJC9J0iuaeZoI+ippFCztEKVvckR2iice1JvhVytrQwUAZpgsubCPaU7xUe9vWnaOpaSBEspalykhC9bUlOMpT42ZHca6hyrqKmw/wMR8H5ZmdFoBVJb03O4UL0tSNnvIeRmkrLWqrs78gcrEn2tpcboh0UPOW3UUR9PMk4T4nnNKWmCjlrefhCwxRNztfmIQVdDElvS4m1/WuOujoZCs5XVOjtKPGokJzsYCtFYoWonSPT21DheU/wWhM19FcElwqNGOsp9Q8N/cwXaiND1MmeL1Q5XROtYYgGeFq1aTMsoMmcrKjQrOFQTQ1fmBYhmW6o8Jkjc7iDJRTBIo5kgJD5yMEYA3srCg7VFKwiVJkmRCc5ohGOKhsYMn/XBLdo5taZjlb9YAlGWRimqbCsoY7HFAXLa5I1HPRxMMsQDHFkWtRNniqT9UEeNjcE7RUlrCJ4R2CSJuqlKHWvJXjAUNcITYkenuBRB84TbeepcqTj3zZyFJzgYQdHnqfgI0ddUwS6GqWpsKWhjq9cV0vBAEMN2znq+EBfIWT+pClYw5xsTlJU6GeIBsjGmmANTzJZiIYpgrM0Oa8ZMjd7NP87jxhqGOhJlnQtjuQpB+8aEE00wZFznSJPyHxgH3HkPOsJFvYk8zqCHzTs1BYOa4J3PFU+UVRZxlHDM4YavlNUuMoRveiZA2d7grMNc2g+RbSCEKzmgYsUmWmazFJyoiOZ4KnyhKOGRzWJa0+moyV4TVHDzn51Awtqaphfk/lRQ08FX1iiqxTB/kLwd0VynKfEvI6cd4XMV5bMhZ7gZUWVzYQ6Nm2BYzxJbw3bGthEUUMfgbGeorae6DxHtJoZ6alhZ0+ytiVoK1R4z5PTrOECT/SugseEOlb1MMNR4VRNcJy+V1Hg9ONClSZFZjdHlc6W6FBLdJja2MC5hhpu0DBYEY1TFGwiFAxRRCsYkiM9JRb0JNMVkW6CZYT/2EiTGWmo8k+h4FhDNE7BvppoTSFnmCV5xZKzvcCdDo7VVPnIU+I+Rc68juApC90MwcFCsJ5hDqxgScYKreruyQwTqrzoqDCmhWi4IbhB0Yrt3RGa6GfDv52rKXWhh28dyZaWUvcZeMTBaZoSGyiCtRU5J8iviioHaErs7Jkj61syVzTTgOcUOQ8buFBTYWdL5g3T4qlpe0+wvD63heAXRfCCIed9RbCsp2CiI7raUOYOTU13N8PNHvpaGvayo4a3LLT1lDrVEPT2zLUlheB1R+ZTRfKWJ+dcocLJfi11vyJ51lLqJ0WD7tRwryezjiV5W28uJO9qykzX8JDe2lHl/9oyBwa2UMfOngpXCixvKdXTk3wrsKmiVYdZIqsoWEERjbcUNDuiaQomGoIbFdEHmsyWnuR+IeriKDVLnlawlyNHKwKlSU631PKep8J4Q+ayjkSLKYLhalNHlYvttb6fHm0p6OApsZ4l2VfdqZkjuysy6ysKLlckf1KUutCTs39bmCgEyyoasIWlVaMF7mgmWtBT8Kol5xpH9IGllo8cJdopcvZ2sImlDmMIbtDk3KIpeNiS08lQw11NFPTwVFlPP6pJ2gvRfI7gQUfmNAtf6Gs0wQxDsKGlVBdF8rCa3jzdwMaGHOsItrZk7hAyOzpK9VS06j5F49b0VNGOOfKs3lDToMsMBe9ZWtHFEgxTJLs7qrygKZjUnmCYoeAqeU6jqWuLJup4WghOdvCYJnrSkSzoyRkm5M2StQwVltPkfCAk58tET/CSg+8MUecmotMEnhBKfWBIZsg2ihruMJQaoIm+tkTLKEqspMh00w95gvFCQRtDwTT1gVDDSEVdlwqZfxoQRbK0g+tbiBZxzKlpnpypejdDwTaeOvorMk/IJE10h9CqRe28hhLbe0pMsdSwv4ZbhKivo2BjDWfL8UKJgeavwlwb5KlwhyE4u4XkGE2ytZCznKLCDZZq42VzT8HLCrpruFbIfOIINmh/qCdZ1ZBc65kLHR1Bkyf5zn6pN3SvGKIlFNGplhrO9QSXanLOMQTLCa0YJCRrCZm/CZmrLTm7WzCK4GJDiWUdFeYx1LCFg3NMd0XmCuF3Y5rITLDUsYS9zoHVzwnJoYpSTQoObyEzr4cFBNqYTopoaU/wkyLZ2lPhX/5Y95ulxGTV7KjhWrOZgl8MyUUafjYraNjNU1N3IWcjT5WzWqjwtoarHSUObGYO3GCJZpsBlnJGPd6ZYLyl1GdCA2625IwwJDP8GUKymbzuyPlZlvTUsaUh5zFDhRWFzPKKZLAlWdcQbObgF9tOqOsmB1dqcqYJmWstFbZRRI9poolmqiLnU0POvxScpah2iSL5UJNzgScY5+AuIbpO0YD3NCW+dLMszFSdFCWGqG6eVq2uYVNDdICGD6W7EPRWZEY5gpsE9rUkS3mijzzJnm6UpUFXG1hCUeVoS5WfNcFpblELL2qqrCvMvRfd45oalvKU2tiQ6ePJOVMRXase9iTtLJztPxJKLWpo2CRDcJwn2sWSLKIO1WQWNTCvpVUvOZhgSC40JD0dOctaSqzkCRbXsKlb11Oip6PCJ0IwSJM31j3akRxlP7Rwn6aGaUL0qiLnJkvB3xWZ2+Q1TfCwpQH3G0o92UzmX4o/oJNQMMSQc547wVHhdk+VCw01DFYEnTxzZKAm74QmeNNR1w6WzEhNK15VJzuCdxQ53dRUDws5KvwgBMOEgpcVNe0hZI6RXT1Jd0cyj5nsaEAHgVmGaJIlWdsc5Ui2ElrRR6jrRAttNMEAIWrTDFubkZaok7/AkzfIwfuWVq0jHzuCK4QabtLUMVPB3kJ0oyHTSVFlqMALilJf2Rf8k5aaHtMfayocLBS8L89oKoxpJvnAkDPa0qp5DAUTHKWmCcnthlou8iCKaFFLHWcINd1nyIwXqrSxMNmSs6KmoL2QrKuWtlQ5V0120xQ5vRyZS1rgFkWwhiOwiuQbR0OOVhQM9iS3tiXp4RawRPMp5tDletOOBL95MpM01dZTBM9pkn5qF010rIeHFcFZhmSGpYpTsI6nwhqe5C9ynhlpp5ophuRb6WcJFldkVnVEwwxVfrVkvnWUuNLCg5bgboFHPDlDPDmnK7hUrWiIbjadDclujlZcaokOFup4Ri1kacV6jmrrK1hN9bGwpKEBQ4Q6DvIUXOmo6U5LqQM6EPyiKNjVkPnJkDPNEaxhiFay5ExW1NXVUGqcpYYdPcGiCq7z/TSlbhL4pplWXKd7NZO5QQFrefhRQW/NHOsqcIglc4UhWklR8K0QzbAw08CBDnpbgqXdeD/QUsM4RZXDFBW6WJKe/mFPdH0LtBgiq57wFLzlyQzz82qYx5D5WJP5yVJDW01BfyHnS6HKO/reZqId1WGa4Hkh2kWodJ8i6KoIPlAj2hPt76CzXsVR6koPRzWTfKqIentatYpQw2me4AA3y1Kind3SwoOKZDcFXTwl9tWU6mfgRk9d71sKtlNwrjnYw5tC5n5LdKiGry3JKNlHEd3oaMCFHrazBPMp/uNJ+V7IudcSbeOIdjUEdwl0VHCOZo5t6YluEuaC9mQeMgSfOyKnYGFHcIeQ84yQWbuJYJpZw5CzglDH7gKnWqqM9ZTaXcN0TeYhR84eQtJT76JJ1lREe7WnnvsMmRc9FQ7SBBM9mV3lCUdmHk/S2RAMt0QjFNFqQpWjDPQ01DXWUdDBkXziKPjGEP3VP+zIWU2t7im41FOloyWzn/L6dkUy3VLDaZ6appgDLHPjJEsyvJngWEPUyVBiAaHCTEXwrLvSEbV1e1gKJniicWorC1MUrVjB3uDhJE/wgSOzk1DXpk0k73qCM8xw2UvD5kJmDUfOomqMpWCkJRlvKXGmoeBm18USjVIk04SClxTB6YrgLAPLWYK9HLUt5cmc0vYES8GnTeRc6skZbQkWdxRsIcyBRzx1DbTk9FbU0caTPOgJHhJKnOGIVhQqvKmo0llRw9sabrZkDtdg3PqaKi9oatjY8B+G371paMg6+mZFNNtQ04mWBq3rYLOmtWWQp8KJnpy9DdFensyjdqZ+yY40VJlH8wcdLzC8PZnvHMFUTZUrDTkLyQaGus5X5LzpYAf3i+e/ZlhqGqWhh6Ou6xTR9Z6oi5AZZtp7Mj2EEm8oSpxiYZCHU/1fbGdNNNRRoZMhmilEb2gqHOEJDtXkHK/JnG6IrvbPCwV3NhONVdS1thBMs1T4QOBcTWa2IzhMk2nW5Kyn9tXUtpv9RsG2msxk+ZsQzRQacJncpgke0+T8y5Fzj8BiGo7XlJjaTIlpQs7KFjpqGnKuoyEPeIKnFMkZHvopgh81ySxNFWvJWcKRs70j2FOT012IllEEO1n4pD1513Yg2ssQPOThOkvyrqHUdEXOSEsihmBbTbKX1kLBPWqWkLOqJbjB3GBIZmoa8qWl4CG/iZ7oiA72ZL7TJNeZUY7kFQftDcHHluBzRbCegzMtrRjVQpX2lgoPKKLJAkcbMl01XK2p7yhL8pCBbQ3BN2avJgKvttcrWDK3CiUOVxQ8ZP+pqXKyIxnmBymCg5vJjNfkPK4+c8cIfK8ocVt7kmfd/I5SR1hKvCzUtb+lhgc00ZaO6CyhIQP1Uv4yIZjload72PXX0OIJvnFU+0Zf6MhsJwTfW0r0UwQfW4LNLZl5HK261JCZ4qnBaAreVAS3WrjV0LBnNDUNNDToCEeFfwgcb4gOEqLRhirWkexrCEYKVV711DLYEE1XBEsp5tpTGjorkomKYF9FDXv7fR3BGwbettSxnyL53MBPjsxDZjMh+VUW9NRxq1DhVk+FSxQcaGjV9Pawv6eGByw5qzoy7xk4RsOShqjJwWKe/1pEEfzkobeD/dQJmpqedcyBTy2sr4nGNRH0c0SPWTLrqAc0OQcb/gemKgqucQT7ySWKCn2EUotoCvpZct7RO2sy/QW0IWcXd7pQRQyZVwT2USRO87uhjioTLKV2brpMUcMQRbKH/N2T+UlTpaMls6cmc6CCNy3JdYYSUzzJQ4oSD3oKLncULOiJvjBEC2oqnCJkJluCYy2ZQ5so9YYlZ1VLlQU1mXEW1jZERwj/MUSRc24TdexlqLKfQBtDTScJUV8FszXBEY5ktpD5Ur9hYB4Nb1iikw3JoYpkKX+RodRKFt53MMuRnKSpY31PwYaGaILh3wxJGz9TkTPEETxoCWZrgvOlmyMzxFEwVJE5xZKzvyJ4WxEc16Gd4Xe3Weq4XH2jKRikqOkGQ87hQnC7wBmGYLAnesX3M+S87eFATauuN+Qcrh7xIxXJbUIdMw3JGE3ylCWzrieaqCn4zhGM19TQ3z1oH1AX+pWEqIc7wNGAkULBo/ZxRaV9NNyh4Br3rCHZzbzmSfawBL0dNRwpW1kK9mxPXR9povcdrGSZK9c2k0xwFGzjuniCtRSZCZ6ccZ7gaktmgAOtKbG/JnOkJrjcQTdFMsxRQ2cLY3WTIrlCw1eWKn8R6pvt4GFDso3QoL4a3nLk3G6JrtME3dSenpx7PNFTmga0EaJTLQ061sEeQoWXhSo9LTXsaSjoJQRXeZLtDclbCrYzfzHHeaKjHCVOUkQHO3JeEepr56mhiyaYYKjjNU+Fed1wS5VlhWSqI/hYUdDOkaxiKehoyOnrCV5yBHtbWFqTHCCwtpDcYolesVR5yUzTZBb3RNMd0d6WP+SvhuBmRcGxnuQzT95IC285cr41cLGQ6aJJhmi4TMGempxeimBRQw1tFKV+8jd6KuzoSTqqDxzRtpZkurvKEHxlqXKRIjjfUNNXQsNOsRScoWFLT+YeRZVD3GRN0MdQcKqQjHDMrdGGVu3iYJpQx3WGUvfbmxwFfR20WBq0oYY7LMFhhgYtr8jpaEnaOzjawWWaTP8mMr0t/EPDPoqcnxTBI5o58L7uoWnMrpoqPwgVrlAUWE+V+TQl9rawoyP6QGAlQw2TPRX+YSkxyBC8Z6jhHkXBgQL7WII3DVFnRfCrBfxewv9D6xsyjys4VkhWb9pUU627JllV0YDNHMku/ldNMMXDEo4aFnAkk4U6frNEU4XgZUPmEKHUl44KrzmYamjAbh0JFvGnaTLPu1s9jPCwjFpYiN7z1DTOk/nc07CfDFzmCf7i+bfNHXhDtLeBXzTBT5rkMvWOIxpl4EMh2LGJBu2syDnAEx2naEhHDWMMzPZEhygyS1mS5RTJr5ZkoKbEUoYqr2kqdDUE8ztK7OaIntJkFrIECwv8LJTaVx5XJE86go8dFeZ3FN3rjabCAYpoYEeC9zzJVULBbmZhDyd7ko09ydpNZ3nm2Kee4FPPXHnYEF1nqOFEC08LUVcDvYXkJHW8gTaKCk9YGOeIJhqiE4ToPEepdp7IWFjdwnWaufGMwJJCMtUTTBBK9BGCOy2tGGrJTHIwyEOzp6aPzNMOtlZkDvcEWpP5SVNhfkvDxhmSazTJXYrM9U1E0xwFVwqZQwzJxw6+kGGGUj2FglGGmnb1/G51udRSMNlTw6GGnCcUwVcOpmsqTHa06o72sw1RL02p9z0VbnMLOaIX3QKaYKSCFQzBKEUNHTSc48k53RH9wxGMtpQa5KjjW0W0n6XCCCG4yxNNdhQ4R4l1Ff+2sSd6UFHiIEOyqqFgT01mEUMD+joy75jPhOA+oVVLm309FR4yVOlp4RhLiScNmSmaYF5Pw0STrOIoWMSR2UkRXOMp+M4SHW8o8Zoi6OZgjKOaFar8zZDzkWzvKOjkKBjmCXby8JahhjXULY4KlzgKLvAwxVGhvyd4zxB1d9T0piazmKLCVZY5sKiD0y2ZSYrkUEPUbIk+dlQ4SJHTR50k1DPaUWIdTZW9NJwnJMOECgd7ou/MnppMJ02O1VT4Wsh85MnZzcFTngpXGKo84qmwgKbCL/orR/SzJ2crA+t6Mp94KvxJUeIbT3CQu1uIdlQEOzlKfS3UMcrTiFmOuroocrZrT2AcmamOKg8YomeEKm/rlT2sociMaybaUlFhuqHCM2qIJ+rg4EcDFymiDSxzaHdPcpE62pD5kyM5SBMoA1PaUtfIthS85ig1VPiPPYXgYEMNk4Qq7TXBgo7oT57gPUdwgCHzhIVFPFU6OYJzHAX9m5oNrVjeE61miDrqQ4VSa1oiURTsKHC0IfjNwU2WzK6eqK8jWln4g15TVBnqmDteCJ501PGAocJhhqjZdtBEB6lnhLreFJKxmlKbeGrqLiSThVIbCdGzloasa6lpMQXHCME2boLpJgT7yWaemu6wBONbqGNVRS0PKIL7LckbjmQtR7K8I5qtqel+T/ChJTNIKLjdUMNIRyvOEko9YYl2cwQveBikCNawJKcLBbc7+JM92mysNvd/Fqp8a0k6CNEe7cnZrxlW0wQXaXjaktnRwNOGZKYiONwS7a1JVheq3WgJHlQUGKHKmp4KAxXR/ULURcNgoa4zhKSLpZR3kxRRb0NmD0OFn+UCS7CzI1nbP6+o4x47QZE5xRCt3ZagnYcvmpYQktXdk5YKXTzBC57kKEe0VVuiSYqapssMS3C9p2CKkHOg8B8Pa8p5atrIw3qezIWanMGa5HRDNF6RM9wcacl0N+Q8Z8hsIkSnaIIdHRUOEebAPy1zbCkhM062FCJtif7PU+UtoVXzWKqM1PxXO8cfdruhFQ/a6x3JKYagvVDhQEtNiyiiSQ7OsuRsZUku0CRNDs4Sog6KKjsZgk2bYJqijgsEenoKeniinRXBn/U3lgpPdyDZynQx8IiioMnCep5Ky8mjGs6Wty0l1hUQTcNWswS3WRp2kCNZwJG8omG8JphPUaFbC8lEfabwP7VtM9yoaNCAjpR41VNhrD9LkbN722v0CoZMByFzhaW+MyzRYEWFDQwN2M4/JiT76PuljT3VU/A36eaIThb+R9oZGOAJ9tewkgGvqOMNRWYjT/Cwu99Q8LqDE4TgbLWxJ1jaDDAERsFOFrobgjUsBScaguXU8kKm2RL19tRypSHnHNlHiIZqgufs4opgQdVdwxBNNFBR6kVFqb8ogimOzB6a6HTzrlDHEpYaxjiiA4TMQobkDg2vejjfwJGWmnbVFAw3H3hq2NyQfG7hz4aC+w3BbwbesG0swYayvpAs6++Ri1Vfzx93mFChvyN5xVHTS+0p9aqCAxyZ6ZacZyw5+7uuQkFPR9DDk9NOiE7X1PCYJVjVUqq7JlrHwWALF5nfHNGjApdpqgzx5OwilDhCiDYTgnc9waGW4BdLNNUQvOtpzDOWHDH8D7TR/A/85KljEQu3NREc4Pl/6B1Hhc8Umb5CsKMmGC9EPcxoT2amwHNCmeOEnOPbklnMkbOgIvO5UMOpQrS9UGVdt6iH/fURjhI/WOpaW9OKLYRod6HCUEdOX000wpDZQ6hwg6LgZfOqo1RfT/CrJzjekXOGhpc1VW71ZLbXyyp+93ILbC1kPtIEYx0FIx1VDrLoVzXRKRYWk809yYlC9ImcrinxtabKnzRJk3lAU1OLEN1j2zrYzr2myHRXJFf4h4QKT1qSTzTB5+ZNTzTRkAxX8FcLV2uS8eoQQ2aAkFzvCM72sJIcJET3WPjRk5wi32uSS9rfZajpWEvj9hW42F4o5NytSXYy8IKHay10VYdrcl4SkqscrXpMwyGOgtkajheSxdQqmpxP1L3t4R5PqasFnrQEjytq6qgp9Y09Qx9o4S1FzhUCn1kyHSzBWLemoSGvOqLNhZyBjmCaAUYpMgt4Ck7wBBMMwWKWgjsUwTaGVsxWC1mYoKiyqqeGKYqonSIRQ3KIkHO0pmAxTdBHkbOvfllfr+AA+7gnc50huVKYK393FOyg7rbPO/izI7hE4CnHHHnJ0ogNPRUGeUpsrZZTBJcrovUcJe51BPsr6GkJdhCCsZ6aTtMEb2pqWkqeVtDXE/QVggsU/Nl86d9RMF3DxvZTA58agu810RWawCiSzzXBeU3MMW9oyJUedvNEvQyNu1f10BSMddR1vaLCYpYa/mGocLSiYDcLbQz8aMn5iyF4xBNMs1P0QEOV7o5gaWGuzSeLue4tt3ro7y4Tgm4G/mopdZgl6q0o6KzJWE3mMksNr3r+a6CbT8g5wZNzT9O7fi/zpaOmnz3BRoqos+tv9zMbdpxsqDBOEewtJLt7cg5wtKKbvldpSzRRCD43VFheCI7yZLppggMVBS/KMAdHODJvOwq2NQSbKKKPLdFWQs7Fqo+mpl01JXYRgq8dnGLhTiFzqmWsUMdpllZdbKlyvSdYxhI9YghOtxR8LgSLWHK62mGGVoxzBE8LNWzqH9CUesQzFy5RQzTc56mhi6fgXEWwpKfE5Z7M05ZgZUPmo6auiv8YKzDYwWBLMErIbKHJvOwIrvEdhOBcQ9JdU1NHQ7CXn2XIDFBKU2WAgcX9UAUzDXWd5alwuyJ41Z9rjKLCL4aCp4WarhPm2rH+SaHUYE001JDZ2ZAzXPjdMpZWvC9wmqIB2lLhQ01D5jO06hghWMndbM7yRJMsoCj1vYbnFQVrW9jak3OlEJ3s/96+p33dEPRV5GxiqaGjIthUU6FFEZyqCa5qJrpBdzSw95IUnOPIrCUUjRZQFrbw5PR0R1qiYx3cb6nrWUMrBmmiBQxVHtTew5ICP/ip6g4hed/Akob/32wvBHsIOX83cI8hGeNeNPCIkPmXe8fPKx84OMSRM1MTdXSwjCZ4S30jVGhvqTRak/OVhgGazHuOCud5onEO1lJr6ecVyaOK6H7zqlBlIaHE0oroCgfvGJIdPcmfLNGLjpz7hZwZQpUbFME0A1cIJa7VNORkgfsMBatbKgwwJM9bSvQXeNOvbIjelg6WWvo5kvbKaJJNHexkKNHL9xRyFlH8Ti2riB5wVPhUk7nGkJnoCe428LR/wRGdYIlmWebCyxou1rCk4g/ShugBDX0V0ZQWkh0dOVsagkM0yV6OoLd5ye+pRlsCr0n+KiQrGuq5yJDzrTAXHtLUMduTDBVKrSm3eHL+6ijxhFDX9Z5gVU/wliHYTMiMFpKLNMEywu80wd3meoFmt6VbRMPenhrOc6DVe4pgXU8DnnHakLOIIrlF4FZPIw6R+zxBP0dyq6OOZ4Q5sLKCcz084ok+VsMMyQhNZmmBgX5xIXOEJTmi7VsGTvMTNdHHhpzdbE8Du2oKxgvBqQKdDDnTFOylCFaxR1syz2iqrOI/FEpNc3C6f11/7+ASS6l2inq2ciTrCCzgyemrCL5SVPjQkdPZUmGy2c9Sw9FtR1sS30RmsKPCS4rkIC/2U0MduwucYolGaPjKEyhzmiPYXagyWbYz8LWBDdzRimAXzxx4z8K9hpzlhLq+NiQ97HuKorMUfK/OVvC2JfiHUPCQI/q7J2gjK+tTDNxkCc4TMssqCs4TGtLVwQihyoAWgj9bosU80XGW6Ac9TJGziaUh5+hnFcHOnlaM1iRn29NaqGENTTTSUHCH2tWTeV0osUhH6psuVLjRUmGWhm6OZEshGeNowABHcJ2Bpy2ZszRcKkRXd2QuKVEeXnbfaEq825FguqfgfE2whlChSRMdron+LATTPQ2Z369t4B9C5gs/ylzv+CMmepIDPclFQl13W0rspPd1JOcbghGOEutqCv5qacURQl3dDKyvyJlqKXGPgcM9FfawJAMVmdcspcYKOZc4GjDYkFlK05olNMHyHn4zFNykyOxt99RkHlfwmiHo60l2EKI+mhreEKp080Tbug08BVPcgoqC5zWt+NLDTZ7oNSF51N1qie7Va3uCCwyZbkINf/NED6jzOsBdZjFN8oqG3wxVunqCSYYKf3EdhJyf9YWGf7tRU2oH3VHgPr1fe5J9hOgHd7xQ0y7qBwXr23aGErP0cm64JVjZwsOGqL+mhNgZmhJLW2oY4UhedsyBgzrCKrq7BmcpNVhR6jBPq64Vgi+kn6XE68pp8J5/+0wRHGOpsKenQn9DZntPzjRLZpDAdD2fnSgkG9tmIXnUwQ6WVighs7Yi2MxQ0N3CqYaCXkJ0oyOztMDJjmSSpcpvlrk0RMMOjmArQ04PRV1DO1FwhCVaUVPpKUM03JK5SxPsIWRu8/CGHi8UHChiqGFDTbSRJWeYUDDcH6vJWUxR4k1FXbMUwV6e4AJFXS8oMqsZKqzvYQ9DDQdZckY4aGsIhtlubbd2r3j4QBMoTamdPZk7O/Bf62lacZwneNjQoGcdVU7zJOd7ghsUHOkosagic6cnWc8+4gg285R6zZP5s1/LUbCKIznTwK36PkdwlOrl4U1LwfdCCa+IrvFkmgw1PCAUXKWo0sURXWcI2muKJlgyFzhynCY4RBOsqCjoI1R5zREco0n2Vt09BQtYSizgKNHfUmUrQ5UOCh51BFcLmY7umhYqXKQomOop8bUnWNNQcIiBcYaC6xzMNOS8JQQfeqKBmmglB+97ok/lfk3ygaHSyZaCRTzRxQo6GzLfa2jWBPepw+UmT7SQEJyiyRkhBLMVOfcoMjcK0eZChfUNzFAUzCsEN5vP/X1uP/n/aoMX+K+nw/Hjr/9xOo7j7Pju61tLcgvJpTWXNbfN5jLpi6VfCOviTktKlFusQixdEKWmEBUKNaIpjZRSSOXSgzaaKLdabrm1/9nZ+/f+vd/vz/v9+Xy+zZ7PRorYoZqyLrCwQdEAixxVOEXNNnjX2nUSRlkqGmWowk8lxR50JPy9Bo6qJXaXwNvREBvnThPEPrewryLhcAnj5WE15Fqi8W7R1sAuEu86S4ENikItFN4xkv9Af4nXSnUVcLiA9xzesFpivRRVeFKtsMRaKBhuSbjOELnAUtlSQUpXgdfB4Z1oSbnFEetbQ0IrAe+Y+pqnDcEJFj6S8LDZzZHwY4e3XONNlARraomNEt2bkvGsosA3ioyHm+6jCMbI59wqt4eeara28IzEmyPgoRaUOEDhTVdEJhmCoTWfC0p8aNkCp0oYqih2iqGi4yXeMkOsn4LdLLnmKfh/YogjNsPebeFGR4m9BJHLzB61XQ3BtpISfS2FugsK9FAtLWX1dCRcrCnUp44CNzuCowUZmxSRgYaE6Za0W2u/E7CVXCiI/UOR8aAm1+OSyE3mOUcwyc1zBBeoX1kiKy0Zfxck1Gsyulti11i83QTBF5Kg3pDQThFMVHiPSlK+0cSedng/VaS8bOZbtsBcTcZAR8JP5KeqQ1OYKAi20njdNNRpgnsU//K+JnaXJaGTomr7aYIphoRn9aeShJWKEq9LcozSF7QleEfDI5LYm5bgVkFkRwVDBCVu0DDIkGupo8TZBq+/pMQURYErJQmPKGKjNDkWOLx7Jd5QizdUweIaKrlP7SwJDhZvONjLkOsBBX9UpGxnydhXkfBLQ8IxgojQbLFnJf81JytSljclYYyEFyx0kVBvKWOFJmONpshGAcsduQY5giVNCV51eOdJYo/pLhbvM0uDHSevNKRcrKZIqnCtJeEsO95RoqcgGK4ocZcho1tTYtcZvH41pNQ7vA0WrhIfOSraIIntIAi+NXWCErdbkvrWwjRLrt0NKUdL6KSOscTOdMSOUtBHwL6OLA0vNSdynaWQEnCpIvKaIrJJEbvHkmuNhn6OjM8VkSGSqn1uYJCGHnq9I3aLhNME3t6GjIkO7xrNFumpyTNX/NrwX7CrIRiqqWijI9JO4d1iieykyfiposQIQ8YjjsjlBh6oHWbwRjgYJQn2NgSnNycmJAk3NiXhx44Sxykihxm8ybUwT1OVKySc7vi3OXVkdBJ4AyXBeksDXG0IhgtYY0lY5ahCD0ehborIk5aUWRJviMA7Xt5kyRjonrXENkm8yYqgs8VzgrJmClK20uMM3jRJ0FiQICQF9hdETlLQWRIb5ki6WDfWRPobvO6a4GP5mcOrNzDFELtTkONLh9dXE8xypEg7z8A9jkhrQ6Fhjlg/QVktJXxt4WXzT/03Q8IaQWSqIuEvloQ2mqC9Jfi7wRul4RX3pSPlzpoVlmCtI2jvKHCFhjcM3sN6lqF6HxnKelLjXWbwrpR4xzuCrTUZx2qq9oAh8p6ixCUGr78g8oyjRAtB5CZFwi80VerVpI0h+IeBxa6Zg6kWvpDHaioYYuEsRbDC3eOmC2JvGYLeioxGknL2UATNJN6hmtj1DlpLvDVmocYbrGCVJKOrg4X6DgddLA203BKMFngdJJFtFd7vJLm6KEpc5yjQrkk7M80SGe34X24nSex1Ra5Omgb71JKyg8SrU3i/kARKwWpH0kOGhKkObyfd0ZGjvyXlAkVZ4xRbYJ2irFMkFY1SwyWxr2oo4zlNiV+7zmaweFpT4kR3kaDAFW6xpSqzJay05FtYR4HmZhc9UxKbbfF2V8RG1MBmSaE+kmC6JnaRXK9gsiXhJHl/U0qM0WTcbyhwkYIvFGwjSbjfwhiJt8ZSQU+Bd5+marPMOkVkD0muxYLIfEuhh60x/J92itguihJSEMySVPQnTewnEm+620rTQEMsOfo4/kP/0ARvWjitlpSX7GxBgcMEsd3EEeYWvdytd+Saawi6aCIj1CkGb6Aj9rwhx16Cf3vAwFy5pyLhVonXzy51FDpdEblbkdJbUcEPDEFzQ8qNmhzzLTmmKWKbFCXeEuRabp6rxbvAtLF442QjQ+wEA9eL1xSR7Q0JXzlSHjJ4exq89yR0laScJ/FW6z4a73pFMEfDiRZvuvijIt86RaSFOl01riV2mD1UEvxGk/Geg5aWwGki1zgKPG9J2U8PEg8qYvMsZeytiTRXBMslCU8JSlxi8EabjwUldlDNLfzTUmCgxWsjqWCOHavYAqsknKFIO0yQ61VL5AVFxk6WhEaCAkdJgt9aSkzXlKNX2jEa79waYuc7gq0N3GDJGCBhoiTXUEPsdknCUE1CK0fwsiaylSF2uiDyO4XX3pFhNd7R4itFGc0k/ElBZwWvq+GC6szVeEoS/MZ+qylwpKNKv9Z469UOjqCjwlusicyTxG6VpNxcQ8IncoR4RhLbR+NdpGGmJWOcIzJGUuKPGpQg8rrG21dOMqQssJQ4RxH5jaUqnZuQ0F4Q+cjxLwPtpZbIAk3QTJHQWBE5S1BokoVtDd6lhqr9UpHSUxMcIYl9pojsb8h4SBOsMQcqvOWC2E8EVehqiJ1hrrAEbQxeK0NGZ0Gkq+guSRgniM23bIHVkqwx4hiHd7smaOyglyIyQuM978j4VS08J/A2G1KeMBRo4fBaSNhKUEZfQewVQ/C1I+MgfbEleEzCUw7mKXI0M3hd1EESVji8x5uQ41nxs1q4RMJCCXs7Iq9acpxn22oSDnQ/sJTxsCbHIYZiLyhY05TY0ZLIOQrGaSJDDN4t8pVaIrsqqFdEegtizc1iTew5Q4ayBDMUsQMkXocaYkc0hZua412siZ1rSXlR460zRJ5SlHGe5j801RLMlJTxtaOM3Q1pvxJ45zUlWFD7rsAbpfEm1JHxG0eh8w2R7QQVzBUw28FhFp5QZzq8t2rx2joqulYTWSuJdTYfWwqMFMcovFmSyJPNyLhE4E10pHzYjOC3huArRa571ZsGajQpQx38SBP5pyZB6lMU3khDnp0MBV51BE9o2E+TY5Ml2E8S7C0o6w1xvCZjf0HkVEHCzFoyNmqC+9wdcqN+Tp7jSDheE9ws8Y5V0NJCn2bk2tqSY4okdrEhx1iDN8cSudwepWmAGXKcJXK65H9to8jYQRH7SBF01ESUJdd0TayVInaWhLkOjlXE5irKGOnI6GSWGCJa482zBI9rCr0jyTVcEuzriC1vcr6mwFGSiqy5zMwxBH/TJHwjSPhL8+01kaaSUuMFKTcLEvaUePcrSmwn8DZrgikWb7CGPxkSjhQwrRk57tctmxLsb9sZvL9LSlyuSLlWkqOjwduo8b6Uv1DkmudIeFF2dHCgxVtk8dpIvHpBxhEOdhKk7OLIUSdJ+cSRY57B+0DgGUUlNfpthTfGkauzxrvTsUUaCVhlKeteTXCoJDCa2NOKhOmC4G1H8JBd4OBZReSRGkqcb/CO1PyLJTLB4j1q8JYaIutEjSLX8YKM+a6phdMsdLFUoV5RTm9JSkuDN8WcIon0NZMNZWh1q8C7SJEwV5HxrmnnTrf3KoJBlmCYI2ilSLlfEvlE4011NNgjgthzEua0oKK7JLE7HZHlEl60BLMVFewg4EWNt0ThrVNEVkkiTwpKXSWJzdRENgvKGq4IhjsiezgSFtsfCUq8qki5S1LRQeYQQ4nemmCkImWMw3tFUoUBZk4NOeZYEp4XRKTGa6wJjrWNHBVJR4m3FCnbuD6aak2WsMTh3SZImGCIPKNgsDpVwnsa70K31lCFJZYcwwSMFcQulGTsZuEaSdBXkPGZhu0FsdUO73RHjq8MPGGIfaGIbVTk6iuI3GFgucHrIQkmWSJdBd7BBu+uOryWAhY7+Lki9rK5wtEQzWwvtbqGhIMFwWRJsElsY4m9IIg9L6lCX0VklaPAYkfkZEGDnOWowlBJjtMUkcGK4Lg6EtoZInMUBVYLgn0UsdmCyCz7gIGHFfk+k1QwTh5We7A9x+IdJ6CvIkEagms0hR50eH9UnTQJ+2oiKyVlLFUE+8gBGu8MQ3CppUHesnjTHN4QB/UGPhCTHLFPHMFrCqa73gqObUJGa03wgbhHkrCfpEpzNLE7JDS25FMKhlhKKWKfCgqstLCPu1zBXy0J2ztwjtixBu8UTRn9LVtkmCN2iyFhtME70JHRQ1KVZXqKI/KNIKYMCYs1GUMEKbM1bKOI9LDXC7zbHS+bt+1MTWS9odA9DtrYtpbImQJ2VHh/lisEwaHqUk1kjKTAKknkBEXkbkdMGwq0dnhzLJF3NJH3JVwrqOB4Sca2hti75nmJN0WzxS6UxDYoEpxpa4htVlRjkYE7DZGzJVU72uC9IyhQL4i8YfGWSYLLNcHXloyz7QhNifmKSE9JgfGmuyLhc403Xm9vqcp6gXe3xuuv8F6VJNxkyTHEkHG2g0aKXL0MsXc1bGfgas2//dCONXiNLCX+5mB7eZIl1kHh7ajwpikyzlUUWOVOsjSQlsS+M0R+pPje/dzBXRZGO0rMtgQrLLG9VSu9n6CMXS3BhwYmSoIBhsjNBmZbgusE9BCPCP5triU4VhNbJfE+swSP27aayE8tuTpYYjtrYjMVGZdp2NpS1s6aBnKSHDsbKuplKbHM4a0wMFd/5/DmGyKrJSUaW4IBrqUhx0vyfzTBBLPIUcnZdrAkNsKR0sWRspumSns6Ch0v/qqIbBYUWKvPU/CFoyrDJGwSNFhbA/MlzKqjrO80hRbpKx0Jewsi/STftwGSlKc1JZyAzx05dhLEdnfQvhZOqiHWWEAHC7+30FuRcZUgaO5gpaIK+xsiHRUsqaPElTV40xQZQ107Q9BZE1nryDVGU9ZSQ47bmhBpLcYpUt7S+xuK/FiT8qKjwXYw5ypS2iuCv7q1gtgjhuBuB8LCFY5cUuCNtsQOFcT+4Ih9JX+k8Ea6v0iCIRZOtCT0Et00JW5UeC85Cg0ScK0k411HcG1zKtre3SeITBRk7WfwDhEvaYLTHP9le0m8By0JDwn4TlLW/aJOvGHxdjYUes+ScZigCkYQdNdEOhkiezgShqkx8ueKjI8lDfK2oNiOFvrZH1hS+tk7NV7nOmLHicGWEgubkXKdwdtZknCLJXaCpkrjZBtLZFsDP9CdxWsSr05Sxl6CMmoFbCOgryX40uDtamB7SVmXW4Ihlgpmq+00tBKUUa83WbjLUNkzDmY7cow1JDygyPGlhgGKYKz4vcV7QBNbJIgM11TUqZaMdwTeSguH6rOaw1JRKzaaGyxVm2EJ/uCIrVWUcZUkcp2grMsEjK+DMwS59jQk3Kd6SEq1d0S6uVmO4Bc1lDXTUcHjluCXEq+1OlBDj1pi9zgiXxnKuE0SqTXwhqbETW6RggMEnGl/q49UT2iCzgJvRwVXS2K/d6+ZkyUl7jawSVLit46EwxVljDZwoSQ20sDBihztHfk2yA8NVZghiXwrYHQdfKAOtzsayjhY9bY0yE2CWEeJ9xfzO423xhL5syS2TFJofO2pboHob0nY4GiAgRrvGQEDa/FWSsoaaYl0syRsEt3kWoH3B01shCXhTUWe9w3Bt44SC9QCh3eShQctwbaK2ApLroGCMlZrYqvlY3qYhM0aXpFkPOuoqJ3Dm6fxXrGwVF9gCWZagjPqznfkuMKQ8DPTQRO8ZqG1hPGKEm9IgpGW4DZDgTNriTxvFiq+Lz+0cKfp4wj6OCK9JSnzNSn9LFU7UhKZZMnYwcJ8s8yRsECScK4j5UOB95HFO0CzhY4xJxuCix0lDlEUeMdS6EZBkTsUkZ4K74dugyTXS7aNgL8aqjDfkCE0ZbwkCXpaWCKhl8P7VD5jxykivSyxyZrYERbe168LYu9ZYh86IkscgVLE7tWPKmJv11CgoyJltMEbrohtVAQfO4ImltiHEroYEs7RxAarVpY8AwXMcMReFOTYWe5iiLRQxJ5Q8DtJ8LQhWOhIeFESPGsILhbNDRljNbHzNRlTFbk2S3L0NOS6V1KFJYKUbSTcIIhM0wQ/s2TM0SRMNcQmSap3jCH4yhJZKSkwyRHpYYgsFeQ4U7xoCB7VVOExhXepo9ABBsYbvGWKXPME3lyH95YioZ0gssQRWWbI+FaSMkXijZXwgiTlYdPdkNLaETxlyDVIwqeaEus0aTcYcg0RVOkpR3CSJqIddK+90JCxzsDVloyrFd5ZAr4TBKfaWa6boEA7C7s6EpYaeFPjveooY72mjIccLHJ9HUwVlDhKkmutJDJBwnp1rvulJZggKDRfbXAkvC/4l3ozQOG9a8lxjx0i7nV4jSXc7vhe3OwIxjgSHjdEhhsif9YkPGlus3iLFDnWOFhtCZbJg0UbQcIaR67JjthoCyMEZRwhiXWyxO5QxI6w5NhT4U1WsJvDO60J34fW9hwzwlKij6ZAW9ne4L0s8C6XeBMEkd/LQy1VucBRot6QMlbivaBhoBgjqGiCJNhsqVp/S2SsG6DIONCR0dXhvWbJ+MRRZJkkuEjgDXJjFQW6SSL7GXK8Z2CZg7cVsbWGoKmEpzQ5elpiy8Ryg7dMkLLUEauzeO86CuwlSOlgYLojZWeJ9xM3S1PWfEfKl5ISLQ0MEKR8YOB2QfCxJBjrKPCN4f9MkaSsqoVXJBmP7EpFZ9UQfOoOFwSzBN4MQ8LsGrymlipcJQhmy0GaQjPqCHaXRwuCZwRbqK2Fg9wlClZqYicrIgMdZfxTQ0c7TBIbrChxmuzoKG8XRaSrIhhiyNFJkrC7oIAWMEOQa5aBekPCRknCo4IKPrYkvCDI8aYmY7WFtprgekcJZ3oLIqssCSMtFbQTJKwXYy3BY5oCh2iKPCpJOE+zRdpYgi6O2KmOAgvVCYaU4ySRek1sgyFhJ403QFHiVEmJHwtybO1gs8Hr5+BETQX3War0qZngYGgtVZtoqd6vFSk/UwdZElYqyjrF4HXUeFspIi9IGKf4j92pKGAdCYMVsbcV3kRF0N+R8LUd5PCsIGWoxDtBkCI0nKofdJQxT+LtZflvuc8Q3CjwWkq8KwUpHzkK/NmSsclCL0nseQdj5FRH5CNHSgtLiW80Of5HU9Hhlsga9bnBq3fEVltKfO5IaSTmGjjc4J0otcP7QsJUSQM8pEj5/wCuUuC2DWz8AAAAAElFTkSuQmCC\");\n}\n","/*\n\n Name: Base16 Default Dark\n Author: Chris Kempson (http://chriskempson.com)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-base16-dark.CodeMirror { background: #151515; color: #e0e0e0; }\n.cm-s-base16-dark div.CodeMirror-selected { background: #303030; }\n.cm-s-base16-dark .CodeMirror-line::selection, .cm-s-base16-dark .CodeMirror-line > span::selection, .cm-s-base16-dark .CodeMirror-line > span > span::selection { background: rgba(48, 48, 48, .99); }\n.cm-s-base16-dark .CodeMirror-line::-moz-selection, .cm-s-base16-dark .CodeMirror-line > span::-moz-selection, .cm-s-base16-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(48, 48, 48, .99); }\n.cm-s-base16-dark .CodeMirror-gutters { background: #151515; border-right: 0px; }\n.cm-s-base16-dark .CodeMirror-guttermarker { color: #ac4142; }\n.cm-s-base16-dark .CodeMirror-guttermarker-subtle { color: #505050; }\n.cm-s-base16-dark .CodeMirror-linenumber { color: #505050; }\n.cm-s-base16-dark .CodeMirror-cursor { border-left: 1px solid #b0b0b0; }\n.cm-s-base16-dark.cm-fat-cursor .CodeMirror-cursor { background-color: #8e8d8875 !important; }\n.cm-s-base16-dark .cm-animate-fat-cursor { background-color: #8e8d8875 !important; }\n\n.cm-s-base16-dark span.cm-comment { color: #8f5536; }\n.cm-s-base16-dark span.cm-atom { color: #aa759f; }\n.cm-s-base16-dark span.cm-number { color: #aa759f; }\n\n.cm-s-base16-dark span.cm-property, .cm-s-base16-dark span.cm-attribute { color: #90a959; }\n.cm-s-base16-dark span.cm-keyword { color: #ac4142; }\n.cm-s-base16-dark span.cm-string { color: #f4bf75; }\n\n.cm-s-base16-dark span.cm-variable { color: #90a959; }\n.cm-s-base16-dark span.cm-variable-2 { color: #6a9fb5; }\n.cm-s-base16-dark span.cm-def { color: #d28445; }\n.cm-s-base16-dark span.cm-bracket { color: #e0e0e0; }\n.cm-s-base16-dark span.cm-tag { color: #ac4142; }\n.cm-s-base16-dark span.cm-link { color: #aa759f; }\n.cm-s-base16-dark span.cm-error { background: #ac4142; color: #b0b0b0; }\n\n.cm-s-base16-dark .CodeMirror-activeline-background { background: #202020; }\n.cm-s-base16-dark .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: Base16 Default Light\n Author: Chris Kempson (http://chriskempson.com)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-base16-light.CodeMirror { background: #f5f5f5; color: #202020; }\n.cm-s-base16-light div.CodeMirror-selected { background: #e0e0e0; }\n.cm-s-base16-light .CodeMirror-line::selection, .cm-s-base16-light .CodeMirror-line > span::selection, .cm-s-base16-light .CodeMirror-line > span > span::selection { background: #e0e0e0; }\n.cm-s-base16-light .CodeMirror-line::-moz-selection, .cm-s-base16-light .CodeMirror-line > span::-moz-selection, .cm-s-base16-light .CodeMirror-line > span > span::-moz-selection { background: #e0e0e0; }\n.cm-s-base16-light .CodeMirror-gutters { background: #f5f5f5; border-right: 0px; }\n.cm-s-base16-light .CodeMirror-guttermarker { color: #ac4142; }\n.cm-s-base16-light .CodeMirror-guttermarker-subtle { color: #b0b0b0; }\n.cm-s-base16-light .CodeMirror-linenumber { color: #b0b0b0; }\n.cm-s-base16-light .CodeMirror-cursor { border-left: 1px solid #505050; }\n\n.cm-s-base16-light span.cm-comment { color: #8f5536; }\n.cm-s-base16-light span.cm-atom { color: #aa759f; }\n.cm-s-base16-light span.cm-number { color: #aa759f; }\n\n.cm-s-base16-light span.cm-property, .cm-s-base16-light span.cm-attribute { color: #90a959; }\n.cm-s-base16-light span.cm-keyword { color: #ac4142; }\n.cm-s-base16-light span.cm-string { color: #f4bf75; }\n\n.cm-s-base16-light span.cm-variable { color: #90a959; }\n.cm-s-base16-light span.cm-variable-2 { color: #6a9fb5; }\n.cm-s-base16-light span.cm-def { color: #d28445; }\n.cm-s-base16-light span.cm-bracket { color: #202020; }\n.cm-s-base16-light span.cm-tag { color: #ac4142; }\n.cm-s-base16-light span.cm-link { color: #aa759f; }\n.cm-s-base16-light span.cm-error { background: #ac4142; color: #505050; }\n\n.cm-s-base16-light .CodeMirror-activeline-background { background: #DDDCDC; }\n.cm-s-base16-light .CodeMirror-matchingbracket { color: #f5f5f5 !important; background-color: #6A9FB5 !important}\n","/*\n\n Name: Bespin\n Author: Mozilla / Jan T. Sott\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-bespin.CodeMirror {background: #28211c; color: #9d9b97;}\n.cm-s-bespin div.CodeMirror-selected {background: #59554f !important;}\n.cm-s-bespin .CodeMirror-gutters {background: #28211c; border-right: 0px;}\n.cm-s-bespin .CodeMirror-linenumber {color: #666666;}\n.cm-s-bespin .CodeMirror-cursor {border-left: 1px solid #797977 !important;}\n\n.cm-s-bespin span.cm-comment {color: #937121;}\n.cm-s-bespin span.cm-atom {color: #9b859d;}\n.cm-s-bespin span.cm-number {color: #9b859d;}\n\n.cm-s-bespin span.cm-property, .cm-s-bespin span.cm-attribute {color: #54be0d;}\n.cm-s-bespin span.cm-keyword {color: #cf6a4c;}\n.cm-s-bespin span.cm-string {color: #f9ee98;}\n\n.cm-s-bespin span.cm-variable {color: #54be0d;}\n.cm-s-bespin span.cm-variable-2 {color: #5ea6ea;}\n.cm-s-bespin span.cm-def {color: #cf7d34;}\n.cm-s-bespin span.cm-error {background: #cf6a4c; color: #797977;}\n.cm-s-bespin span.cm-bracket {color: #9d9b97;}\n.cm-s-bespin span.cm-tag {color: #cf6a4c;}\n.cm-s-bespin span.cm-link {color: #9b859d;}\n\n.cm-s-bespin .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-bespin .CodeMirror-activeline-background { background: #404040; }\n","/* Port of TextMate's Blackboard theme */\n\n.cm-s-blackboard.CodeMirror { background: #0C1021; color: #F8F8F8; }\n.cm-s-blackboard div.CodeMirror-selected { background: #253B76; }\n.cm-s-blackboard .CodeMirror-line::selection, .cm-s-blackboard .CodeMirror-line > span::selection, .cm-s-blackboard .CodeMirror-line > span > span::selection { background: rgba(37, 59, 118, .99); }\n.cm-s-blackboard .CodeMirror-line::-moz-selection, .cm-s-blackboard .CodeMirror-line > span::-moz-selection, .cm-s-blackboard .CodeMirror-line > span > span::-moz-selection { background: rgba(37, 59, 118, .99); }\n.cm-s-blackboard .CodeMirror-gutters { background: #0C1021; border-right: 0; }\n.cm-s-blackboard .CodeMirror-guttermarker { color: #FBDE2D; }\n.cm-s-blackboard .CodeMirror-guttermarker-subtle { color: #888; }\n.cm-s-blackboard .CodeMirror-linenumber { color: #888; }\n.cm-s-blackboard .CodeMirror-cursor { border-left: 1px solid #A7A7A7; }\n\n.cm-s-blackboard .cm-keyword { color: #FBDE2D; }\n.cm-s-blackboard .cm-atom { color: #D8FA3C; }\n.cm-s-blackboard .cm-number { color: #D8FA3C; }\n.cm-s-blackboard .cm-def { color: #8DA6CE; }\n.cm-s-blackboard .cm-variable { color: #FF6400; }\n.cm-s-blackboard .cm-operator { color: #FBDE2D; }\n.cm-s-blackboard .cm-comment { color: #AEAEAE; }\n.cm-s-blackboard .cm-string { color: #61CE3C; }\n.cm-s-blackboard .cm-string-2 { color: #61CE3C; }\n.cm-s-blackboard .cm-meta { color: #D8FA3C; }\n.cm-s-blackboard .cm-builtin { color: #8DA6CE; }\n.cm-s-blackboard .cm-tag { color: #8DA6CE; }\n.cm-s-blackboard .cm-attribute { color: #8DA6CE; }\n.cm-s-blackboard .cm-header { color: #FF6400; }\n.cm-s-blackboard .cm-hr { color: #AEAEAE; }\n.cm-s-blackboard .cm-link { color: #8DA6CE; }\n.cm-s-blackboard .cm-error { background: #9D1E15; color: #F8F8F8; }\n\n.cm-s-blackboard .CodeMirror-activeline-background { background: #3C3636; }\n.cm-s-blackboard .CodeMirror-matchingbracket { outline:1px solid grey;color:white !important; }\n",".cm-s-cobalt.CodeMirror { background: #002240; color: white; }\n.cm-s-cobalt div.CodeMirror-selected { background: #b36539; }\n.cm-s-cobalt .CodeMirror-line::selection, .cm-s-cobalt .CodeMirror-line > span::selection, .cm-s-cobalt .CodeMirror-line > span > span::selection { background: rgba(179, 101, 57, .99); }\n.cm-s-cobalt .CodeMirror-line::-moz-selection, .cm-s-cobalt .CodeMirror-line > span::-moz-selection, .cm-s-cobalt .CodeMirror-line > span > span::-moz-selection { background: rgba(179, 101, 57, .99); }\n.cm-s-cobalt .CodeMirror-gutters { background: #002240; border-right: 1px solid #aaa; }\n.cm-s-cobalt .CodeMirror-guttermarker { color: #ffee80; }\n.cm-s-cobalt .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-cobalt .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-cobalt .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-cobalt span.cm-comment { color: #08f; }\n.cm-s-cobalt span.cm-atom { color: #845dc4; }\n.cm-s-cobalt span.cm-number, .cm-s-cobalt span.cm-attribute { color: #ff80e1; }\n.cm-s-cobalt span.cm-keyword { color: #ffee80; }\n.cm-s-cobalt span.cm-string { color: #3ad900; }\n.cm-s-cobalt span.cm-meta { color: #ff9d00; }\n.cm-s-cobalt span.cm-variable-2, .cm-s-cobalt span.cm-tag { color: #9effff; }\n.cm-s-cobalt span.cm-variable-3, .cm-s-cobalt span.cm-def, .cm-s-cobalt .cm-type { color: white; }\n.cm-s-cobalt span.cm-bracket { color: #d8d8d8; }\n.cm-s-cobalt span.cm-builtin, .cm-s-cobalt span.cm-special { color: #ff9e59; }\n.cm-s-cobalt span.cm-link { color: #845dc4; }\n.cm-s-cobalt span.cm-error { color: #9d1e15; }\n\n.cm-s-cobalt .CodeMirror-activeline-background { background: #002D57; }\n.cm-s-cobalt .CodeMirror-matchingbracket { outline:1px solid grey;color:white !important; }\n",".cm-s-colorforth.CodeMirror { background: #000000; color: #f8f8f8; }\n.cm-s-colorforth .CodeMirror-gutters { background: #0a001f; border-right: 1px solid #aaa; }\n.cm-s-colorforth .CodeMirror-guttermarker { color: #FFBD40; }\n.cm-s-colorforth .CodeMirror-guttermarker-subtle { color: #78846f; }\n.cm-s-colorforth .CodeMirror-linenumber { color: #bababa; }\n.cm-s-colorforth .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-colorforth span.cm-comment { color: #ededed; }\n.cm-s-colorforth span.cm-def { color: #ff1c1c; font-weight:bold; }\n.cm-s-colorforth span.cm-keyword { color: #ffd900; }\n.cm-s-colorforth span.cm-builtin { color: #00d95a; }\n.cm-s-colorforth span.cm-variable { color: #73ff00; }\n.cm-s-colorforth span.cm-string { color: #007bff; }\n.cm-s-colorforth span.cm-number { color: #00c4ff; }\n.cm-s-colorforth span.cm-atom { color: #606060; }\n\n.cm-s-colorforth span.cm-variable-2 { color: #EEE; }\n.cm-s-colorforth span.cm-variable-3, .cm-s-colorforth span.cm-type { color: #DDD; }\n.cm-s-colorforth span.cm-property {}\n.cm-s-colorforth span.cm-operator {}\n\n.cm-s-colorforth span.cm-meta { color: yellow; }\n.cm-s-colorforth span.cm-qualifier { color: #FFF700; }\n.cm-s-colorforth span.cm-bracket { color: #cc7; }\n.cm-s-colorforth span.cm-tag { color: #FFBD40; }\n.cm-s-colorforth span.cm-attribute { color: #FFF700; }\n.cm-s-colorforth span.cm-error { color: #f00; }\n\n.cm-s-colorforth div.CodeMirror-selected { background: #333d53; }\n\n.cm-s-colorforth span.cm-compilation { background: rgba(255, 255, 255, 0.12); }\n\n.cm-s-colorforth .CodeMirror-activeline-background { background: #253540; }\n","/**\n Name: IntelliJ IDEA darcula theme\n From IntelliJ IDEA by JetBrains\n */\n\n.cm-s-darcula { font-family: Consolas, Menlo, Monaco, 'Lucida Console', 'Liberation Mono', 'DejaVu Sans Mono', 'Bitstream Vera Sans Mono', 'Courier New', monospace, serif;}\n.cm-s-darcula.CodeMirror { background: #2B2B2B; color: #A9B7C6; }\n\n.cm-s-darcula span.cm-meta { color: #BBB529; }\n.cm-s-darcula span.cm-number { color: #6897BB; }\n.cm-s-darcula span.cm-keyword { color: #CC7832; line-height: 1em; font-weight: bold; }\n.cm-s-darcula span.cm-def { color: #A9B7C6; font-style: italic; }\n.cm-s-darcula span.cm-variable { color: #A9B7C6; }\n.cm-s-darcula span.cm-variable-2 { color: #A9B7C6; }\n.cm-s-darcula span.cm-variable-3 { color: #9876AA; }\n.cm-s-darcula span.cm-type { color: #AABBCC; font-weight: bold; }\n.cm-s-darcula span.cm-property { color: #FFC66D; }\n.cm-s-darcula span.cm-operator { color: #A9B7C6; }\n.cm-s-darcula span.cm-string { color: #6A8759; }\n.cm-s-darcula span.cm-string-2 { color: #6A8759; }\n.cm-s-darcula span.cm-comment { color: #61A151; font-style: italic; }\n.cm-s-darcula span.cm-link { color: #CC7832; }\n.cm-s-darcula span.cm-atom { color: #CC7832; }\n.cm-s-darcula span.cm-error { color: #BC3F3C; }\n.cm-s-darcula span.cm-tag { color: #629755; font-weight: bold; font-style: italic; text-decoration: underline; }\n.cm-s-darcula span.cm-attribute { color: #6897bb; }\n.cm-s-darcula span.cm-qualifier { color: #6A8759; }\n.cm-s-darcula span.cm-bracket { color: #A9B7C6; }\n.cm-s-darcula span.cm-builtin { color: #FF9E59; }\n.cm-s-darcula span.cm-special { color: #FF9E59; }\n.cm-s-darcula span.cm-matchhighlight { color: #FFFFFF; background-color: rgba(50, 89, 48, .7); font-weight: normal;}\n.cm-s-darcula span.cm-searching { color: #FFFFFF; background-color: rgba(61, 115, 59, .7); font-weight: normal;}\n\n.cm-s-darcula .CodeMirror-cursor { border-left: 1px solid #A9B7C6; }\n.cm-s-darcula .CodeMirror-activeline-background { background: #323232; }\n.cm-s-darcula .CodeMirror-gutters { background: #313335; border-right: 1px solid #313335; }\n.cm-s-darcula .CodeMirror-guttermarker { color: #FFEE80; }\n.cm-s-darcula .CodeMirror-guttermarker-subtle { color: #D0D0D0; }\n.cm-s-darcula .CodeMirrir-linenumber { color: #606366; }\n.cm-s-darcula .CodeMirror-matchingbracket { background-color: #3B514D; color: #FFEF28 !important; font-weight: bold; }\n\n.cm-s-darcula div.CodeMirror-selected { background: #214283; }\n\n.CodeMirror-hints.darcula {\n font-family: Menlo, Monaco, Consolas, 'Courier New', monospace;\n color: #9C9E9E;\n background-color: #3B3E3F !important;\n}\n\n.CodeMirror-hints.darcula .CodeMirror-hint-active {\n background-color: #494D4E !important;\n color: #9C9E9E !important;\n}\n","/*\n\n Name: dracula\n Author: Michael Kaminsky (http://github.com/mkaminsky11)\n\n Original dracula color scheme by Zeno Rocha (https://github.com/zenorocha/dracula-theme)\n\n*/\n\n\n.cm-s-dracula.CodeMirror, .cm-s-dracula .CodeMirror-gutters {\n background-color: #282a36 !important;\n color: #f8f8f2 !important;\n border: none;\n}\n.cm-s-dracula .CodeMirror-gutters { color: #282a36; }\n.cm-s-dracula .CodeMirror-cursor { border-left: solid thin #f8f8f0; }\n.cm-s-dracula .CodeMirror-linenumber { color: #6D8A88; }\n.cm-s-dracula .CodeMirror-selected { background: rgba(255, 255, 255, 0.10); }\n.cm-s-dracula .CodeMirror-line::selection, .cm-s-dracula .CodeMirror-line > span::selection, .cm-s-dracula .CodeMirror-line > span > span::selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-dracula .CodeMirror-line::-moz-selection, .cm-s-dracula .CodeMirror-line > span::-moz-selection, .cm-s-dracula .CodeMirror-line > span > span::-moz-selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-dracula span.cm-comment { color: #6272a4; }\n.cm-s-dracula span.cm-string, .cm-s-dracula span.cm-string-2 { color: #f1fa8c; }\n.cm-s-dracula span.cm-number { color: #bd93f9; }\n.cm-s-dracula span.cm-variable { color: #50fa7b; }\n.cm-s-dracula span.cm-variable-2 { color: white; }\n.cm-s-dracula span.cm-def { color: #50fa7b; }\n.cm-s-dracula span.cm-operator { color: #ff79c6; }\n.cm-s-dracula span.cm-keyword { color: #ff79c6; }\n.cm-s-dracula span.cm-atom { color: #bd93f9; }\n.cm-s-dracula span.cm-meta { color: #f8f8f2; }\n.cm-s-dracula span.cm-tag { color: #ff79c6; }\n.cm-s-dracula span.cm-attribute { color: #50fa7b; }\n.cm-s-dracula span.cm-qualifier { color: #50fa7b; }\n.cm-s-dracula span.cm-property { color: #66d9ef; }\n.cm-s-dracula span.cm-builtin { color: #50fa7b; }\n.cm-s-dracula span.cm-variable-3, .cm-s-dracula span.cm-type { color: #ffb86c; }\n\n.cm-s-dracula .CodeMirror-activeline-background { background: rgba(255,255,255,0.1); }\n.cm-s-dracula .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\nName: DuoTone-Dark\nAuthor: by Bram de Haan, adapted from DuoTone themes by Simurai (http://simurai.com/projects/2016/01/01/duotone-themes)\n\nCodeMirror template by Jan T. Sott (https://github.com/idleberg), adapted by Bram de Haan (https://github.com/atelierbram/)\n*/\n\n.cm-s-duotone-dark.CodeMirror { background: #2a2734; color: #6c6783; }\n.cm-s-duotone-dark div.CodeMirror-selected { background: #545167!important; }\n.cm-s-duotone-dark .CodeMirror-gutters { background: #2a2734; border-right: 0px; }\n.cm-s-duotone-dark .CodeMirror-linenumber { color: #545167; }\n\n/* begin cursor */\n.cm-s-duotone-dark .CodeMirror-cursor { border-left: 1px solid #ffad5c; /* border-left: 1px solid #ffad5c80; */ border-right: .5em solid #ffad5c; /* border-right: .5em solid #ffad5c80; */ opacity: .5; }\n.cm-s-duotone-dark .CodeMirror-activeline-background { background: #363342; /* background: #36334280; */ opacity: .5;}\n.cm-s-duotone-dark .cm-fat-cursor .CodeMirror-cursor { background: #ffad5c; /* background: #ffad5c80; */ opacity: .5;}\n/* end cursor */\n\n.cm-s-duotone-dark span.cm-atom, .cm-s-duotone-dark span.cm-number, .cm-s-duotone-dark span.cm-keyword, .cm-s-duotone-dark span.cm-variable, .cm-s-duotone-dark span.cm-attribute, .cm-s-duotone-dark span.cm-quote, .cm-s-duotone-dark span.cm-hr, .cm-s-duotone-dark span.cm-link { color: #ffcc99; }\n\n.cm-s-duotone-dark span.cm-property { color: #9a86fd; }\n.cm-s-duotone-dark span.cm-punctuation, .cm-s-duotone-dark span.cm-unit, .cm-s-duotone-dark span.cm-negative { color: #e09142; }\n.cm-s-duotone-dark span.cm-string { color: #ffb870; }\n.cm-s-duotone-dark span.cm-operator { color: #ffad5c; }\n.cm-s-duotone-dark span.cm-positive { color: #6a51e6; }\n\n.cm-s-duotone-dark span.cm-variable-2, .cm-s-duotone-dark span.cm-variable-3, .cm-s-duotone-dark span.cm-type, .cm-s-duotone-dark span.cm-string-2, .cm-s-duotone-dark span.cm-url { color: #7a63ee; }\n.cm-s-duotone-dark span.cm-def, .cm-s-duotone-dark span.cm-tag, .cm-s-duotone-dark span.cm-builtin, .cm-s-duotone-dark span.cm-qualifier, .cm-s-duotone-dark span.cm-header, .cm-s-duotone-dark span.cm-em { color: #eeebff; }\n.cm-s-duotone-dark span.cm-bracket, .cm-s-duotone-dark span.cm-comment { color: #6c6783; }\n\n/* using #f00 red for errors, don't think any of the colorscheme variables will stand out enough, ... maybe by giving it a background-color ... */\n.cm-s-duotone-dark span.cm-error, .cm-s-duotone-dark span.cm-invalidchar { color: #f00; }\n\n.cm-s-duotone-dark span.cm-header { font-weight: normal; }\n.cm-s-duotone-dark .CodeMirror-matchingbracket { text-decoration: underline; color: #eeebff !important; } \n","/*\nName: DuoTone-Light\nAuthor: by Bram de Haan, adapted from DuoTone themes by Simurai (http://simurai.com/projects/2016/01/01/duotone-themes)\n\nCodeMirror template by Jan T. Sott (https://github.com/idleberg), adapted by Bram de Haan (https://github.com/atelierbram/)\n*/\n\n.cm-s-duotone-light.CodeMirror { background: #faf8f5; color: #b29762; }\n.cm-s-duotone-light div.CodeMirror-selected { background: #e3dcce !important; }\n.cm-s-duotone-light .CodeMirror-gutters { background: #faf8f5; border-right: 0px; }\n.cm-s-duotone-light .CodeMirror-linenumber { color: #cdc4b1; }\n\n/* begin cursor */\n.cm-s-duotone-light .CodeMirror-cursor { border-left: 1px solid #93abdc; /* border-left: 1px solid #93abdc80; */ border-right: .5em solid #93abdc; /* border-right: .5em solid #93abdc80; */ opacity: .5; }\n.cm-s-duotone-light .CodeMirror-activeline-background { background: #e3dcce; /* background: #e3dcce80; */ opacity: .5; }\n.cm-s-duotone-light .cm-fat-cursor .CodeMirror-cursor { background: #93abdc; /* #93abdc80; */ opacity: .5; }\n/* end cursor */\n\n.cm-s-duotone-light span.cm-atom, .cm-s-duotone-light span.cm-number, .cm-s-duotone-light span.cm-keyword, .cm-s-duotone-light span.cm-variable, .cm-s-duotone-light span.cm-attribute, .cm-s-duotone-light span.cm-quote, .cm-s-duotone-light-light span.cm-hr, .cm-s-duotone-light-light span.cm-link { color: #063289; }\n\n.cm-s-duotone-light span.cm-property { color: #b29762; }\n.cm-s-duotone-light span.cm-punctuation, .cm-s-duotone-light span.cm-unit, .cm-s-duotone-light span.cm-negative { color: #063289; }\n.cm-s-duotone-light span.cm-string, .cm-s-duotone-light span.cm-operator { color: #1659df; }\n.cm-s-duotone-light span.cm-positive { color: #896724; }\n\n.cm-s-duotone-light span.cm-variable-2, .cm-s-duotone-light span.cm-variable-3, .cm-s-duotone-light span.cm-type, .cm-s-duotone-light span.cm-string-2, .cm-s-duotone-light span.cm-url { color: #896724; }\n.cm-s-duotone-light span.cm-def, .cm-s-duotone-light span.cm-tag, .cm-s-duotone-light span.cm-builtin, .cm-s-duotone-light span.cm-qualifier, .cm-s-duotone-light span.cm-header, .cm-s-duotone-light span.cm-em { color: #2d2006; }\n.cm-s-duotone-light span.cm-bracket, .cm-s-duotone-light span.cm-comment { color: #b6ad9a; }\n\n/* using #f00 red for errors, don't think any of the colorscheme variables will stand out enough, ... maybe by giving it a background-color ... */\n/* .cm-s-duotone-light span.cm-error { background: #896724; color: #728fcb; } */\n.cm-s-duotone-light span.cm-error, .cm-s-duotone-light span.cm-invalidchar { color: #f00; }\n\n.cm-s-duotone-light span.cm-header { font-weight: normal; }\n.cm-s-duotone-light .CodeMirror-matchingbracket { text-decoration: underline; color: #faf8f5 !important; }\n\n",".cm-s-eclipse span.cm-meta { color: #FF1717; }\n.cm-s-eclipse span.cm-keyword { line-height: 1em; font-weight: bold; color: #7F0055; }\n.cm-s-eclipse span.cm-atom { color: #219; }\n.cm-s-eclipse span.cm-number { color: #164; }\n.cm-s-eclipse span.cm-def { color: #00f; }\n.cm-s-eclipse span.cm-variable { color: black; }\n.cm-s-eclipse span.cm-variable-2 { color: #0000C0; }\n.cm-s-eclipse span.cm-variable-3, .cm-s-eclipse span.cm-type { color: #0000C0; }\n.cm-s-eclipse span.cm-property { color: black; }\n.cm-s-eclipse span.cm-operator { color: black; }\n.cm-s-eclipse span.cm-comment { color: #3F7F5F; }\n.cm-s-eclipse span.cm-string { color: #2A00FF; }\n.cm-s-eclipse span.cm-string-2 { color: #f50; }\n.cm-s-eclipse span.cm-qualifier { color: #555; }\n.cm-s-eclipse span.cm-builtin { color: #30a; }\n.cm-s-eclipse span.cm-bracket { color: #cc7; }\n.cm-s-eclipse span.cm-tag { color: #170; }\n.cm-s-eclipse span.cm-attribute { color: #00c; }\n.cm-s-eclipse span.cm-link { color: #219; }\n.cm-s-eclipse span.cm-error { color: #f00; }\n\n.cm-s-eclipse .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-eclipse .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n",".cm-s-elegant span.cm-number, .cm-s-elegant span.cm-string, .cm-s-elegant span.cm-atom { color: #762; }\n.cm-s-elegant span.cm-comment { color: #262; font-style: italic; line-height: 1em; }\n.cm-s-elegant span.cm-meta { color: #555; font-style: italic; line-height: 1em; }\n.cm-s-elegant span.cm-variable { color: black; }\n.cm-s-elegant span.cm-variable-2 { color: #b11; }\n.cm-s-elegant span.cm-qualifier { color: #555; }\n.cm-s-elegant span.cm-keyword { color: #730; }\n.cm-s-elegant span.cm-builtin { color: #30a; }\n.cm-s-elegant span.cm-link { color: #762; }\n.cm-s-elegant span.cm-error { background-color: #fdd; }\n\n.cm-s-elegant .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-elegant .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n",".cm-s-erlang-dark.CodeMirror { background: #002240; color: white; }\n.cm-s-erlang-dark div.CodeMirror-selected { background: #b36539; }\n.cm-s-erlang-dark .CodeMirror-line::selection, .cm-s-erlang-dark .CodeMirror-line > span::selection, .cm-s-erlang-dark .CodeMirror-line > span > span::selection { background: rgba(179, 101, 57, .99); }\n.cm-s-erlang-dark .CodeMirror-line::-moz-selection, .cm-s-erlang-dark .CodeMirror-line > span::-moz-selection, .cm-s-erlang-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(179, 101, 57, .99); }\n.cm-s-erlang-dark .CodeMirror-gutters { background: #002240; border-right: 1px solid #aaa; }\n.cm-s-erlang-dark .CodeMirror-guttermarker { color: white; }\n.cm-s-erlang-dark .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-erlang-dark .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-erlang-dark .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-erlang-dark span.cm-quote { color: #ccc; }\n.cm-s-erlang-dark span.cm-atom { color: #f133f1; }\n.cm-s-erlang-dark span.cm-attribute { color: #ff80e1; }\n.cm-s-erlang-dark span.cm-bracket { color: #ff9d00; }\n.cm-s-erlang-dark span.cm-builtin { color: #eaa; }\n.cm-s-erlang-dark span.cm-comment { color: #77f; }\n.cm-s-erlang-dark span.cm-def { color: #e7a; }\n.cm-s-erlang-dark span.cm-keyword { color: #ffee80; }\n.cm-s-erlang-dark span.cm-meta { color: #50fefe; }\n.cm-s-erlang-dark span.cm-number { color: #ffd0d0; }\n.cm-s-erlang-dark span.cm-operator { color: #d55; }\n.cm-s-erlang-dark span.cm-property { color: #ccc; }\n.cm-s-erlang-dark span.cm-qualifier { color: #ccc; }\n.cm-s-erlang-dark span.cm-special { color: #ffbbbb; }\n.cm-s-erlang-dark span.cm-string { color: #3ad900; }\n.cm-s-erlang-dark span.cm-string-2 { color: #ccc; }\n.cm-s-erlang-dark span.cm-tag { color: #9effff; }\n.cm-s-erlang-dark span.cm-variable { color: #50fe50; }\n.cm-s-erlang-dark span.cm-variable-2 { color: #e0e; }\n.cm-s-erlang-dark span.cm-variable-3, .cm-s-erlang-dark span.cm-type { color: #ccc; }\n.cm-s-erlang-dark span.cm-error { color: #9d1e15; }\n\n.cm-s-erlang-dark .CodeMirror-activeline-background { background: #013461; }\n.cm-s-erlang-dark .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\n\n Name: gruvbox-dark\n Author: kRkk (https://github.com/krkk)\n\n Original gruvbox color scheme by Pavel Pertsev (https://github.com/morhetz/gruvbox)\n\n*/\n\n.cm-s-gruvbox-dark.CodeMirror, .cm-s-gruvbox-dark .CodeMirror-gutters { background-color: #282828; color: #bdae93; }\n.cm-s-gruvbox-dark .CodeMirror-gutters {background: #282828; border-right: 0px;}\n.cm-s-gruvbox-dark .CodeMirror-linenumber {color: #7c6f64;}\n.cm-s-gruvbox-dark .CodeMirror-cursor { border-left: 1px solid #ebdbb2; }\n.cm-s-gruvbox-dark.cm-fat-cursor .CodeMirror-cursor { background-color: #8e8d8875 !important; }\n.cm-s-gruvbox-dark .cm-animate-fat-cursor { background-color: #8e8d8875 !important; }\n.cm-s-gruvbox-dark div.CodeMirror-selected { background: #928374; }\n.cm-s-gruvbox-dark span.cm-meta { color: #83a598; }\n\n.cm-s-gruvbox-dark span.cm-comment { color: #928374; }\n.cm-s-gruvbox-dark span.cm-number, span.cm-atom { color: #d3869b; }\n.cm-s-gruvbox-dark span.cm-keyword { color: #f84934; }\n\n.cm-s-gruvbox-dark span.cm-variable { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-variable-2 { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-variable-3, .cm-s-gruvbox-dark span.cm-type { color: #fabd2f; }\n.cm-s-gruvbox-dark span.cm-operator { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-callee { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-def { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-property { color: #ebdbb2; }\n.cm-s-gruvbox-dark span.cm-string { color: #b8bb26; }\n.cm-s-gruvbox-dark span.cm-string-2 { color: #8ec07c; }\n.cm-s-gruvbox-dark span.cm-qualifier { color: #8ec07c; }\n.cm-s-gruvbox-dark span.cm-attribute { color: #8ec07c; }\n\n.cm-s-gruvbox-dark .CodeMirror-activeline-background { background: #3c3836; }\n.cm-s-gruvbox-dark .CodeMirror-matchingbracket { background: #928374; color:#282828 !important; }\n\n.cm-s-gruvbox-dark span.cm-builtin { color: #fe8019; }\n.cm-s-gruvbox-dark span.cm-tag { color: #fe8019; }\n","/*\n\n Name: Hopscotch\n Author: Jan T. Sott\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-hopscotch.CodeMirror {background: #322931; color: #d5d3d5;}\n.cm-s-hopscotch div.CodeMirror-selected {background: #433b42 !important;}\n.cm-s-hopscotch .CodeMirror-gutters {background: #322931; border-right: 0px;}\n.cm-s-hopscotch .CodeMirror-linenumber {color: #797379;}\n.cm-s-hopscotch .CodeMirror-cursor {border-left: 1px solid #989498 !important;}\n\n.cm-s-hopscotch span.cm-comment {color: #b33508;}\n.cm-s-hopscotch span.cm-atom {color: #c85e7c;}\n.cm-s-hopscotch span.cm-number {color: #c85e7c;}\n\n.cm-s-hopscotch span.cm-property, .cm-s-hopscotch span.cm-attribute {color: #8fc13e;}\n.cm-s-hopscotch span.cm-keyword {color: #dd464c;}\n.cm-s-hopscotch span.cm-string {color: #fdcc59;}\n\n.cm-s-hopscotch span.cm-variable {color: #8fc13e;}\n.cm-s-hopscotch span.cm-variable-2 {color: #1290bf;}\n.cm-s-hopscotch span.cm-def {color: #fd8b19;}\n.cm-s-hopscotch span.cm-error {background: #dd464c; color: #989498;}\n.cm-s-hopscotch span.cm-bracket {color: #d5d3d5;}\n.cm-s-hopscotch span.cm-tag {color: #dd464c;}\n.cm-s-hopscotch span.cm-link {color: #c85e7c;}\n\n.cm-s-hopscotch .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-hopscotch .CodeMirror-activeline-background { background: #302020; }\n","/*\nICEcoder default theme by Matt Pass, used in code editor available at https://icecoder.net\n*/\n\n.cm-s-icecoder { color: #666; background: #1d1d1b; }\n\n.cm-s-icecoder span.cm-keyword { color: #eee; font-weight:bold; } /* off-white 1 */\n.cm-s-icecoder span.cm-atom { color: #e1c76e; } /* yellow */\n.cm-s-icecoder span.cm-number { color: #6cb5d9; } /* blue */\n.cm-s-icecoder span.cm-def { color: #b9ca4a; } /* green */\n\n.cm-s-icecoder span.cm-variable { color: #6cb5d9; } /* blue */\n.cm-s-icecoder span.cm-variable-2 { color: #cc1e5c; } /* pink */\n.cm-s-icecoder span.cm-variable-3, .cm-s-icecoder span.cm-type { color: #f9602c; } /* orange */\n\n.cm-s-icecoder span.cm-property { color: #eee; } /* off-white 1 */\n.cm-s-icecoder span.cm-operator { color: #9179bb; } /* purple */\n.cm-s-icecoder span.cm-comment { color: #97a3aa; } /* grey-blue */\n\n.cm-s-icecoder span.cm-string { color: #b9ca4a; } /* green */\n.cm-s-icecoder span.cm-string-2 { color: #6cb5d9; } /* blue */\n\n.cm-s-icecoder span.cm-meta { color: #555; } /* grey */\n\n.cm-s-icecoder span.cm-qualifier { color: #555; } /* grey */\n.cm-s-icecoder span.cm-builtin { color: #214e7b; } /* bright blue */\n.cm-s-icecoder span.cm-bracket { color: #cc7; } /* grey-yellow */\n\n.cm-s-icecoder span.cm-tag { color: #e8e8e8; } /* off-white 2 */\n.cm-s-icecoder span.cm-attribute { color: #099; } /* teal */\n\n.cm-s-icecoder span.cm-header { color: #6a0d6a; } /* purple-pink */\n.cm-s-icecoder span.cm-quote { color: #186718; } /* dark green */\n.cm-s-icecoder span.cm-hr { color: #888; } /* mid-grey */\n.cm-s-icecoder span.cm-link { color: #e1c76e; } /* yellow */\n.cm-s-icecoder span.cm-error { color: #d00; } /* red */\n\n.cm-s-icecoder .CodeMirror-cursor { border-left: 1px solid white; }\n.cm-s-icecoder div.CodeMirror-selected { color: #fff; background: #037; }\n.cm-s-icecoder .CodeMirror-gutters { background: #1d1d1b; min-width: 41px; border-right: 0; }\n.cm-s-icecoder .CodeMirror-linenumber { color: #555; cursor: default; }\n.cm-s-icecoder .CodeMirror-matchingbracket { color: #fff !important; background: #555 !important; }\n.cm-s-icecoder .CodeMirror-activeline-background { background: #000; }\n","/**\n Name: IDEA default theme\n From IntelliJ IDEA by JetBrains\n */\n\n.cm-s-idea span.cm-meta { color: #808000; }\n.cm-s-idea span.cm-number { color: #0000FF; }\n.cm-s-idea span.cm-keyword { line-height: 1em; font-weight: bold; color: #000080; }\n.cm-s-idea span.cm-atom { font-weight: bold; color: #000080; }\n.cm-s-idea span.cm-def { color: #000000; }\n.cm-s-idea span.cm-variable { color: black; }\n.cm-s-idea span.cm-variable-2 { color: black; }\n.cm-s-idea span.cm-variable-3, .cm-s-idea span.cm-type { color: black; }\n.cm-s-idea span.cm-property { color: black; }\n.cm-s-idea span.cm-operator { color: black; }\n.cm-s-idea span.cm-comment { color: #808080; }\n.cm-s-idea span.cm-string { color: #008000; }\n.cm-s-idea span.cm-string-2 { color: #008000; }\n.cm-s-idea span.cm-qualifier { color: #555; }\n.cm-s-idea span.cm-error { color: #FF0000; }\n.cm-s-idea span.cm-attribute { color: #0000FF; }\n.cm-s-idea span.cm-tag { color: #000080; }\n.cm-s-idea span.cm-link { color: #0000FF; }\n.cm-s-idea .CodeMirror-activeline-background { background: #FFFAE3; }\n\n.cm-s-idea span.cm-builtin { color: #30a; }\n.cm-s-idea span.cm-bracket { color: #cc7; }\n.cm-s-idea { font-family: Consolas, Menlo, Monaco, Lucida Console, Liberation Mono, DejaVu Sans Mono, Bitstream Vera Sans Mono, Courier New, monospace, serif;}\n\n\n.cm-s-idea .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n\n.CodeMirror-hints.idea {\n font-family: Menlo, Monaco, Consolas, 'Courier New', monospace;\n color: #616569;\n background-color: #ebf3fd !important;\n}\n\n.CodeMirror-hints.idea .CodeMirror-hint-active {\n background-color: #a2b8c9 !important;\n color: #5c6065 !important;\n}","/*\n\n Name: Isotope\n Author: David Desandro / Jan T. Sott\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-isotope.CodeMirror {background: #000000; color: #e0e0e0;}\n.cm-s-isotope div.CodeMirror-selected {background: #404040 !important;}\n.cm-s-isotope .CodeMirror-gutters {background: #000000; border-right: 0px;}\n.cm-s-isotope .CodeMirror-linenumber {color: #808080;}\n.cm-s-isotope .CodeMirror-cursor {border-left: 1px solid #c0c0c0 !important;}\n\n.cm-s-isotope span.cm-comment {color: #3300ff;}\n.cm-s-isotope span.cm-atom {color: #cc00ff;}\n.cm-s-isotope span.cm-number {color: #cc00ff;}\n\n.cm-s-isotope span.cm-property, .cm-s-isotope span.cm-attribute {color: #33ff00;}\n.cm-s-isotope span.cm-keyword {color: #ff0000;}\n.cm-s-isotope span.cm-string {color: #ff0099;}\n\n.cm-s-isotope span.cm-variable {color: #33ff00;}\n.cm-s-isotope span.cm-variable-2 {color: #0066ff;}\n.cm-s-isotope span.cm-def {color: #ff9900;}\n.cm-s-isotope span.cm-error {background: #ff0000; color: #c0c0c0;}\n.cm-s-isotope span.cm-bracket {color: #e0e0e0;}\n.cm-s-isotope span.cm-tag {color: #ff0000;}\n.cm-s-isotope span.cm-link {color: #cc00ff;}\n\n.cm-s-isotope .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-isotope .CodeMirror-activeline-background { background: #202020; }\n","/*\nhttp://lesscss.org/ dark theme\nPorted to CodeMirror by Peter Kroon\n*/\n.cm-s-lesser-dark {\n line-height: 1.3em;\n}\n.cm-s-lesser-dark.CodeMirror { background: #262626; color: #EBEFE7; text-shadow: 0 -1px 1px #262626; }\n.cm-s-lesser-dark div.CodeMirror-selected { background: #45443B; } /* 33322B*/\n.cm-s-lesser-dark .CodeMirror-line::selection, .cm-s-lesser-dark .CodeMirror-line > span::selection, .cm-s-lesser-dark .CodeMirror-line > span > span::selection { background: rgba(69, 68, 59, .99); }\n.cm-s-lesser-dark .CodeMirror-line::-moz-selection, .cm-s-lesser-dark .CodeMirror-line > span::-moz-selection, .cm-s-lesser-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(69, 68, 59, .99); }\n.cm-s-lesser-dark .CodeMirror-cursor { border-left: 1px solid white; }\n.cm-s-lesser-dark pre { padding: 0 8px; }/*editable code holder*/\n\n.cm-s-lesser-dark.CodeMirror span.CodeMirror-matchingbracket { color: #7EFC7E; }/*65FC65*/\n\n.cm-s-lesser-dark .CodeMirror-gutters { background: #262626; border-right:1px solid #aaa; }\n.cm-s-lesser-dark .CodeMirror-guttermarker { color: #599eff; }\n.cm-s-lesser-dark .CodeMirror-guttermarker-subtle { color: #777; }\n.cm-s-lesser-dark .CodeMirror-linenumber { color: #777; }\n\n.cm-s-lesser-dark span.cm-header { color: #a0a; }\n.cm-s-lesser-dark span.cm-quote { color: #090; }\n.cm-s-lesser-dark span.cm-keyword { color: #599eff; }\n.cm-s-lesser-dark span.cm-atom { color: #C2B470; }\n.cm-s-lesser-dark span.cm-number { color: #B35E4D; }\n.cm-s-lesser-dark span.cm-def { color: white; }\n.cm-s-lesser-dark span.cm-variable { color:#D9BF8C; }\n.cm-s-lesser-dark span.cm-variable-2 { color: #669199; }\n.cm-s-lesser-dark span.cm-variable-3, .cm-s-lesser-dark span.cm-type { color: white; }\n.cm-s-lesser-dark span.cm-property { color: #92A75C; }\n.cm-s-lesser-dark span.cm-operator { color: #92A75C; }\n.cm-s-lesser-dark span.cm-comment { color: #666; }\n.cm-s-lesser-dark span.cm-string { color: #BCD279; }\n.cm-s-lesser-dark span.cm-string-2 { color: #f50; }\n.cm-s-lesser-dark span.cm-meta { color: #738C73; }\n.cm-s-lesser-dark span.cm-qualifier { color: #555; }\n.cm-s-lesser-dark span.cm-builtin { color: #ff9e59; }\n.cm-s-lesser-dark span.cm-bracket { color: #EBEFE7; }\n.cm-s-lesser-dark span.cm-tag { color: #669199; }\n.cm-s-lesser-dark span.cm-attribute { color: #81a4d5; }\n.cm-s-lesser-dark span.cm-hr { color: #999; }\n.cm-s-lesser-dark span.cm-link { color: #7070E6; }\n.cm-s-lesser-dark span.cm-error { color: #9d1e15; }\n\n.cm-s-lesser-dark .CodeMirror-activeline-background { background: #3C3A3A; }\n.cm-s-lesser-dark .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n",".cm-s-liquibyte.CodeMirror {\n\tbackground-color: #000;\n\tcolor: #fff;\n\tline-height: 1.2em;\n\tfont-size: 1em;\n}\n.cm-s-liquibyte .CodeMirror-focused .cm-matchhighlight {\n\ttext-decoration: underline;\n\ttext-decoration-color: #0f0;\n\ttext-decoration-style: wavy;\n}\n.cm-s-liquibyte .cm-trailingspace {\n\ttext-decoration: line-through;\n\ttext-decoration-color: #f00;\n\ttext-decoration-style: dotted;\n}\n.cm-s-liquibyte .cm-tab {\n\ttext-decoration: line-through;\n\ttext-decoration-color: #404040;\n\ttext-decoration-style: dotted;\n}\n.cm-s-liquibyte .CodeMirror-gutters { background-color: #262626; border-right: 1px solid #505050; padding-right: 0.8em; }\n.cm-s-liquibyte .CodeMirror-gutter-elt div { font-size: 1.2em; }\n.cm-s-liquibyte .CodeMirror-guttermarker { }\n.cm-s-liquibyte .CodeMirror-guttermarker-subtle { }\n.cm-s-liquibyte .CodeMirror-linenumber { color: #606060; padding-left: 0; }\n.cm-s-liquibyte .CodeMirror-cursor { border-left: 1px solid #eee; }\n\n.cm-s-liquibyte span.cm-comment { color: #008000; }\n.cm-s-liquibyte span.cm-def { color: #ffaf40; font-weight: bold; }\n.cm-s-liquibyte span.cm-keyword { color: #c080ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-builtin { color: #ffaf40; font-weight: bold; }\n.cm-s-liquibyte span.cm-variable { color: #5967ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-string { color: #ff8000; }\n.cm-s-liquibyte span.cm-number { color: #0f0; font-weight: bold; }\n.cm-s-liquibyte span.cm-atom { color: #bf3030; font-weight: bold; }\n\n.cm-s-liquibyte span.cm-variable-2 { color: #007f7f; font-weight: bold; }\n.cm-s-liquibyte span.cm-variable-3, .cm-s-liquibyte span.cm-type { color: #c080ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-property { color: #999; font-weight: bold; }\n.cm-s-liquibyte span.cm-operator { color: #fff; }\n\n.cm-s-liquibyte span.cm-meta { color: #0f0; }\n.cm-s-liquibyte span.cm-qualifier { color: #fff700; font-weight: bold; }\n.cm-s-liquibyte span.cm-bracket { color: #cc7; }\n.cm-s-liquibyte span.cm-tag { color: #ff0; font-weight: bold; }\n.cm-s-liquibyte span.cm-attribute { color: #c080ff; font-weight: bold; }\n.cm-s-liquibyte span.cm-error { color: #f00; }\n\n.cm-s-liquibyte div.CodeMirror-selected { background-color: rgba(255, 0, 0, 0.25); }\n\n.cm-s-liquibyte span.cm-compilation { background-color: rgba(255, 255, 255, 0.12); }\n\n.cm-s-liquibyte .CodeMirror-activeline-background { background-color: rgba(0, 255, 0, 0.15); }\n\n/* Default styles for common addons */\n.cm-s-liquibyte .CodeMirror span.CodeMirror-matchingbracket { color: #0f0; font-weight: bold; }\n.cm-s-liquibyte .CodeMirror span.CodeMirror-nonmatchingbracket { color: #f00; font-weight: bold; }\n.CodeMirror-matchingtag { background-color: rgba(150, 255, 0, .3); }\n/* Scrollbars */\n/* Simple */\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div:hover, .cm-s-liquibyte div.CodeMirror-simplescroll-vertical div:hover {\n\tbackground-color: rgba(80, 80, 80, .7);\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div, .cm-s-liquibyte div.CodeMirror-simplescroll-vertical div {\n\tbackground-color: rgba(80, 80, 80, .3);\n\tborder: 1px solid #404040;\n\tborder-radius: 5px;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-vertical div {\n\tborder-top: 1px solid #404040;\n\tborder-bottom: 1px solid #404040;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal div {\n\tborder-left: 1px solid #404040;\n\tborder-right: 1px solid #404040;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-vertical {\n\tbackground-color: #262626;\n}\n.cm-s-liquibyte div.CodeMirror-simplescroll-horizontal {\n\tbackground-color: #262626;\n\tborder-top: 1px solid #404040;\n}\n/* Overlay */\n.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div, div.CodeMirror-overlayscroll-vertical div {\n\tbackground-color: #404040;\n\tborder-radius: 5px;\n}\n.cm-s-liquibyte div.CodeMirror-overlayscroll-vertical div {\n\tborder: 1px solid #404040;\n}\n.cm-s-liquibyte div.CodeMirror-overlayscroll-horizontal div {\n\tborder: 1px solid #404040;\n}\n","/*\n Name: lucario\n Author: Raphael Amorim\n\n Original Lucario color scheme (https://github.com/raphamorim/lucario)\n*/\n\n.cm-s-lucario.CodeMirror, .cm-s-lucario .CodeMirror-gutters {\n background-color: #2b3e50 !important;\n color: #f8f8f2 !important;\n border: none;\n}\n.cm-s-lucario .CodeMirror-gutters { color: #2b3e50; }\n.cm-s-lucario .CodeMirror-cursor { border-left: solid thin #E6C845; }\n.cm-s-lucario .CodeMirror-linenumber { color: #f8f8f2; }\n.cm-s-lucario .CodeMirror-selected { background: #243443; }\n.cm-s-lucario .CodeMirror-line::selection, .cm-s-lucario .CodeMirror-line > span::selection, .cm-s-lucario .CodeMirror-line > span > span::selection { background: #243443; }\n.cm-s-lucario .CodeMirror-line::-moz-selection, .cm-s-lucario .CodeMirror-line > span::-moz-selection, .cm-s-lucario .CodeMirror-line > span > span::-moz-selection { background: #243443; }\n.cm-s-lucario span.cm-comment { color: #5c98cd; }\n.cm-s-lucario span.cm-string, .cm-s-lucario span.cm-string-2 { color: #E6DB74; }\n.cm-s-lucario span.cm-number { color: #ca94ff; }\n.cm-s-lucario span.cm-variable { color: #f8f8f2; }\n.cm-s-lucario span.cm-variable-2 { color: #f8f8f2; }\n.cm-s-lucario span.cm-def { color: #72C05D; }\n.cm-s-lucario span.cm-operator { color: #66D9EF; }\n.cm-s-lucario span.cm-keyword { color: #ff6541; }\n.cm-s-lucario span.cm-atom { color: #bd93f9; }\n.cm-s-lucario span.cm-meta { color: #f8f8f2; }\n.cm-s-lucario span.cm-tag { color: #ff6541; }\n.cm-s-lucario span.cm-attribute { color: #66D9EF; }\n.cm-s-lucario span.cm-qualifier { color: #72C05D; }\n.cm-s-lucario span.cm-property { color: #f8f8f2; }\n.cm-s-lucario span.cm-builtin { color: #72C05D; }\n.cm-s-lucario span.cm-variable-3, .cm-s-lucario span.cm-type { color: #ffb86c; }\n\n.cm-s-lucario .CodeMirror-activeline-background { background: #243443; }\n.cm-s-lucario .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n Name: material\n Author: Mattia Astorino (http://github.com/equinusocio)\n Website: https://material-theme.site/\n*/\n\n.cm-s-material.CodeMirror {\n background-color: #263238;\n color: #EEFFFF;\n}\n\n.cm-s-material .CodeMirror-gutters {\n background: #263238;\n color: #546E7A;\n border: none;\n}\n\n.cm-s-material .CodeMirror-guttermarker,\n.cm-s-material .CodeMirror-guttermarker-subtle,\n.cm-s-material .CodeMirror-linenumber {\n color: #546E7A;\n}\n\n.cm-s-material .CodeMirror-cursor {\n border-left: 1px solid #FFCC00;\n}\n.cm-s-material.cm-fat-cursor .CodeMirror-cursor {\n background-color: #5d6d5c80 !important;\n}\n.cm-s-material .cm-animate-fat-cursor {\n background-color: #5d6d5c80 !important;\n}\n\n.cm-s-material div.CodeMirror-selected {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material.CodeMirror-focused div.CodeMirror-selected {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material .CodeMirror-line::selection,\n.cm-s-material .CodeMirror-line>span::selection,\n.cm-s-material .CodeMirror-line>span>span::selection {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material .CodeMirror-line::-moz-selection,\n.cm-s-material .CodeMirror-line>span::-moz-selection,\n.cm-s-material .CodeMirror-line>span>span::-moz-selection {\n background: rgba(128, 203, 196, 0.2);\n}\n\n.cm-s-material .CodeMirror-activeline-background {\n background: rgba(0, 0, 0, 0.5);\n}\n\n.cm-s-material .cm-keyword {\n color: #C792EA;\n}\n\n.cm-s-material .cm-operator {\n color: #89DDFF;\n}\n\n.cm-s-material .cm-variable-2 {\n color: #EEFFFF;\n}\n\n.cm-s-material .cm-variable-3,\n.cm-s-material .cm-type {\n color: #f07178;\n}\n\n.cm-s-material .cm-builtin {\n color: #FFCB6B;\n}\n\n.cm-s-material .cm-atom {\n color: #F78C6C;\n}\n\n.cm-s-material .cm-number {\n color: #FF5370;\n}\n\n.cm-s-material .cm-def {\n color: #82AAFF;\n}\n\n.cm-s-material .cm-string {\n color: #C3E88D;\n}\n\n.cm-s-material .cm-string-2 {\n color: #f07178;\n}\n\n.cm-s-material .cm-comment {\n color: #546E7A;\n}\n\n.cm-s-material .cm-variable {\n color: #f07178;\n}\n\n.cm-s-material .cm-tag {\n color: #FF5370;\n}\n\n.cm-s-material .cm-meta {\n color: #FFCB6B;\n}\n\n.cm-s-material .cm-attribute {\n color: #C792EA;\n}\n\n.cm-s-material .cm-property {\n color: #C792EA;\n}\n\n.cm-s-material .cm-qualifier {\n color: #DECB6B;\n}\n\n.cm-s-material .cm-variable-3,\n.cm-s-material .cm-type {\n color: #DECB6B;\n}\n\n\n.cm-s-material .cm-error {\n color: rgba(255, 255, 255, 1.0);\n background-color: #FF5370;\n}\n\n.cm-s-material .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n","/****************************************************************/\n/* Based on mbonaci's Brackets mbo theme */\n/* https://github.com/mbonaci/global/blob/master/Mbo.tmTheme */\n/* Create your own: http://tmtheme-editor.herokuapp.com */\n/****************************************************************/\n\n.cm-s-mbo.CodeMirror { background: #2c2c2c; color: #ffffec; }\n.cm-s-mbo div.CodeMirror-selected { background: #716C62; }\n.cm-s-mbo .CodeMirror-line::selection, .cm-s-mbo .CodeMirror-line > span::selection, .cm-s-mbo .CodeMirror-line > span > span::selection { background: rgba(113, 108, 98, .99); }\n.cm-s-mbo .CodeMirror-line::-moz-selection, .cm-s-mbo .CodeMirror-line > span::-moz-selection, .cm-s-mbo .CodeMirror-line > span > span::-moz-selection { background: rgba(113, 108, 98, .99); }\n.cm-s-mbo .CodeMirror-gutters { background: #4e4e4e; border-right: 0px; }\n.cm-s-mbo .CodeMirror-guttermarker { color: white; }\n.cm-s-mbo .CodeMirror-guttermarker-subtle { color: grey; }\n.cm-s-mbo .CodeMirror-linenumber { color: #dadada; }\n.cm-s-mbo .CodeMirror-cursor { border-left: 1px solid #ffffec; }\n\n.cm-s-mbo span.cm-comment { color: #95958a; }\n.cm-s-mbo span.cm-atom { color: #00a8c6; }\n.cm-s-mbo span.cm-number { color: #00a8c6; }\n\n.cm-s-mbo span.cm-property, .cm-s-mbo span.cm-attribute { color: #9ddfe9; }\n.cm-s-mbo span.cm-keyword { color: #ffb928; }\n.cm-s-mbo span.cm-string { color: #ffcf6c; }\n.cm-s-mbo span.cm-string.cm-property { color: #ffffec; }\n\n.cm-s-mbo span.cm-variable { color: #ffffec; }\n.cm-s-mbo span.cm-variable-2 { color: #00a8c6; }\n.cm-s-mbo span.cm-def { color: #ffffec; }\n.cm-s-mbo span.cm-bracket { color: #fffffc; font-weight: bold; }\n.cm-s-mbo span.cm-tag { color: #9ddfe9; }\n.cm-s-mbo span.cm-link { color: #f54b07; }\n.cm-s-mbo span.cm-error { border-bottom: #636363; color: #ffffec; }\n.cm-s-mbo span.cm-qualifier { color: #ffffec; }\n\n.cm-s-mbo .CodeMirror-activeline-background { background: #494b41; }\n.cm-s-mbo .CodeMirror-matchingbracket { color: #ffb928 !important; }\n.cm-s-mbo .CodeMirror-matchingtag { background: rgba(255, 255, 255, .37); }\n","/*\n MDN-LIKE Theme - Mozilla\n Ported to CodeMirror by Peter Kroon \n Report bugs/issues here: https://github.com/codemirror/CodeMirror/issues\n GitHub: @peterkroon\n\n The mdn-like theme is inspired on the displayed code examples at: https://developer.mozilla.org/en-US/docs/Web/CSS/animation\n\n*/\n.cm-s-mdn-like.CodeMirror { color: #999; background-color: #fff; }\n.cm-s-mdn-like div.CodeMirror-selected { background: #cfc; }\n.cm-s-mdn-like .CodeMirror-line::selection, .cm-s-mdn-like .CodeMirror-line > span::selection, .cm-s-mdn-like .CodeMirror-line > span > span::selection { background: #cfc; }\n.cm-s-mdn-like .CodeMirror-line::-moz-selection, .cm-s-mdn-like .CodeMirror-line > span::-moz-selection, .cm-s-mdn-like .CodeMirror-line > span > span::-moz-selection { background: #cfc; }\n\n.cm-s-mdn-like .CodeMirror-gutters { background: #f8f8f8; border-left: 6px solid rgba(0,83,159,0.65); color: #333; }\n.cm-s-mdn-like .CodeMirror-linenumber { color: #aaa; padding-left: 8px; }\n.cm-s-mdn-like .CodeMirror-cursor { border-left: 2px solid #222; }\n\n.cm-s-mdn-like .cm-keyword { color: #6262FF; }\n.cm-s-mdn-like .cm-atom { color: #F90; }\n.cm-s-mdn-like .cm-number { color: #ca7841; }\n.cm-s-mdn-like .cm-def { color: #8DA6CE; }\n.cm-s-mdn-like span.cm-variable-2, .cm-s-mdn-like span.cm-tag { color: #690; }\n.cm-s-mdn-like span.cm-variable-3, .cm-s-mdn-like span.cm-def, .cm-s-mdn-like span.cm-type { color: #07a; }\n\n.cm-s-mdn-like .cm-variable { color: #07a; }\n.cm-s-mdn-like .cm-property { color: #905; }\n.cm-s-mdn-like .cm-qualifier { color: #690; }\n\n.cm-s-mdn-like .cm-operator { color: #cda869; }\n.cm-s-mdn-like .cm-comment { color:#777; font-weight:normal; }\n.cm-s-mdn-like .cm-string { color:#07a; font-style:italic; }\n.cm-s-mdn-like .cm-string-2 { color:#bd6b18; } /*?*/\n.cm-s-mdn-like .cm-meta { color: #000; } /*?*/\n.cm-s-mdn-like .cm-builtin { color: #9B7536; } /*?*/\n.cm-s-mdn-like .cm-tag { color: #997643; }\n.cm-s-mdn-like .cm-attribute { color: #d6bb6d; } /*?*/\n.cm-s-mdn-like .cm-header { color: #FF6400; }\n.cm-s-mdn-like .cm-hr { color: #AEAEAE; }\n.cm-s-mdn-like .cm-link { color:#ad9361; font-style:italic; text-decoration:none; }\n.cm-s-mdn-like .cm-error { border-bottom: 1px solid red; }\n\ndiv.cm-s-mdn-like .CodeMirror-activeline-background { background: #efefff; }\ndiv.cm-s-mdn-like span.CodeMirror-matchingbracket { outline:1px solid grey; color: inherit; }\n\n.cm-s-mdn-like.CodeMirror { background-image: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFcAAAAyCAYAAAAp8UeFAAAHvklEQVR42s2b63bcNgyEQZCSHCdt2vd/0tWF7I+Q6XgMXiTtuvU5Pl57ZQKkKHzEAOtF5KeIJBGJ8uvL599FRFREZhFx8DeXv8trn68RuGaC8TRfo3SNp9dlDDHedyLyTUTeRWStXKPZrjtpZxaRw5hPqozRs1N8/enzIiQRWcCgy4MUA0f+XWliDhyL8Lfyvx7ei/Ae3iQFHyw7U/59pQVIMEEPEz0G7XiwdRjzSfC3UTtz9vchIntxvry5iMgfIhJoEflOz2CQr3F5h/HfeFe+GTdLaKcu9L8LTeQb/R/7GgbsfKedyNdoHsN31uRPWrfZ5wsj/NzzRQHuToIdU3ahwnsKPxXCjJITuOsi7XLc7SG/v5GdALs7wf8JjTFiB5+QvTEfRyGOfX3Lrx8wxyQi3sNq46O7QahQiCsRFgqddjBouVEHOKDgXAQHD9gJCr5sMKkEdjwsarG/ww3BMHBU7OBjXnzdyY7SfCxf5/z6ATccrwlKuwC/jhznnPF4CgVzhhVf4xp2EixcBActO75iZ8/fM9zAs2OMzKdslgXWJ9XG8PQoOAMA5fGcsvORgv0doBXyHrCwfLJAOwo71QLNkb8n2Pl6EWiR7OCibtkPaz4Kc/0NNAze2gju3zOwekALDaCFPI5vjPFmgGY5AZqyGEvH1x7QfIb8YtxMnA/b+QQ0aQDAwc6JMFg8CbQZ4qoYEEHbRwNojuK3EHwd7VALSgq+MNDKzfT58T8qdpADrgW0GmgcAS1lhzztJmkAzcPNOQbsWEALBDSlMKUG0Eq4CLAQWvEVQ9WU57gZJwZtgPO3r9oBTQ9WO8TjqXINx8R0EYpiZEUWOF3FxkbJkgU9B2f41YBrIj5ZfsQa0M5kTgiAAqM3ShXLgu8XMqcrQBvJ0CL5pnTsfMB13oB8athpAq2XOQmcGmoACCLydx7nToa23ATaSIY2ichfOdPTGxlasXMLaL0MLZAOwAKIM+y8CmicobGdCcbbK9DzN+yYGVoNNI5iUKTMyYOjPse4A8SM1MmcXgU0toOq1yO/v8FOxlASyc7TgeYaAMBJHcY1CcCwGI/TK4AmDbDyKYBBtFUkRwto8gygiQEaByFgJ00BH2M8JWwQS1nafDXQCidWyOI8AcjDCSjCLk8ngObuAm3JAHAdubAmOaK06V8MNEsKPJOhobSprwQa6gD7DclRQdqcwL4zxqgBrQcabUiBLclRDKAlWp+etPkBaNMA0AKlrHwTdEByZAA4GM+SNluSY6wAzcMNewxmgig5Ks0nkrSpBvSaQHMdKTBAnLojOdYyGpQ254602ZILPdTD1hdlggdIm74jbTp8vDwF5ZYUeLWGJpWsh6XNyXgcYwVoJQTEhhTYkxzZjiU5npU2TaB979TQehlaAVq4kaGpiPwwwLkYUuBbQwocyQTv1tA0+1UFWoJF3iv1oq+qoSk8EQdJmwHkziIF7oOZk14EGitibAdjLYYK78H5vZOhtWpoI0ATGHs0Q8OMb4Ey+2bU2UYztCtA0wFAs7TplGLRVQCcqaFdGSPCeTI1QNIC52iWNzof6Uib7xjEp07mNNoUYmVosVItHrHzRlLgBn9LFyRHaQCtVUMbtTNhoXWiTOO9k/V8BdAc1Oq0ArSQs6/5SU0hckNy9NnXqQY0PGYo5dWJ7nINaN6o958FWin27aBaWRka1r5myvLOAm0j30eBJqCxHLReVclxhxOEN2JfDWjxBtAC7MIH1fVaGdoOp4qJYDgKtKPSFNID2gSnGldrCqkFZ+5UeQXQBIRrSwocbdZYQT/2LwRahBPBXoHrB8nxaGROST62DKUbQOMMzZIC9abkuELfQzQALWTnDNAm8KHWFOJgJ5+SHIvTPcmx1xQyZRhNL5Qci689aXMEaN/uNIWkEwDAvFpOZmgsBaaGnbs1NPa1Jm32gBZAIh1pCtG7TSH4aE0y1uVY4uqoFPisGlpP2rSA5qTecWn5agK6BzSpgAyD+wFaqhnYoSZ1Vwr8CmlTQbrcO3ZaX0NAEyMbYaAlyquFoLKK3SPby9CeVUPThrSJmkCAE0CrKUQadi4DrdSlWhmah0YL9z9vClH59YGbHx1J8VZTyAjQepJjmXwAKTDQI3omc3p1U4gDUf6RfcdYfrUp5ClAi2J3Ba6UOXGo+K+bQrjjssitG2SJzshaLwMtXgRagUNpYYoVkMSBLM+9GGiJZMvduG6DRZ4qc04DMPtQQxOjEtACmhO7K1AbNbQDEggZyJwscFpAGwENhoBeUwh3bWolhe8BTYVKxQEWrSUn/uhcM5KhvUu/+eQu0Lzhi+VrK0PrZZNDQKs9cpYUuFYgMVpD4/NxenJTiMCNqdUEUf1qZWjppLT5qSkkUZbCwkbZMSuVnu80hfSkzRbQeqCZSAh6huR4VtoM2gHAlLf72smuWgE+VV7XpE25Ab2WFDgyhnSuKbs4GuGzCjR+tIoUuMFg3kgcWKLTwRqanJQ2W00hAsenfaApRC42hbCvK1SlE0HtE9BGgneJO+ELamitD1YjjOYnNYVcraGhtKkW0EqVVeDx733I2NH581k1NNxNLG0i0IJ8/NjVaOZ0tYZ2Vtr0Xv7tPV3hkWp9EFkgS/J0vosngTaSoaG06WHi+xObQkaAdlbanP8B2+2l0f90LmUAAAAASUVORK5CYII=); }\n","/* Based on the theme at http://bonsaiden.github.com/JavaScript-Garden */\n\n/**/\n.cm-s-midnight .CodeMirror-activeline-background { background: #253540; }\n\n.cm-s-midnight.CodeMirror {\n background: #0F192A;\n color: #D1EDFF;\n}\n\n.cm-s-midnight div.CodeMirror-selected { background: #314D67; }\n.cm-s-midnight .CodeMirror-line::selection, .cm-s-midnight .CodeMirror-line > span::selection, .cm-s-midnight .CodeMirror-line > span > span::selection { background: rgba(49, 77, 103, .99); }\n.cm-s-midnight .CodeMirror-line::-moz-selection, .cm-s-midnight .CodeMirror-line > span::-moz-selection, .cm-s-midnight .CodeMirror-line > span > span::-moz-selection { background: rgba(49, 77, 103, .99); }\n.cm-s-midnight .CodeMirror-gutters { background: #0F192A; border-right: 1px solid; }\n.cm-s-midnight .CodeMirror-guttermarker { color: white; }\n.cm-s-midnight .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-midnight .CodeMirror-linenumber { color: #D0D0D0; }\n.cm-s-midnight .CodeMirror-cursor { border-left: 1px solid #F8F8F0; }\n\n.cm-s-midnight span.cm-comment { color: #428BDD; }\n.cm-s-midnight span.cm-atom { color: #AE81FF; }\n.cm-s-midnight span.cm-number { color: #D1EDFF; }\n\n.cm-s-midnight span.cm-property, .cm-s-midnight span.cm-attribute { color: #A6E22E; }\n.cm-s-midnight span.cm-keyword { color: #E83737; }\n.cm-s-midnight span.cm-string { color: #1DC116; }\n\n.cm-s-midnight span.cm-variable { color: #FFAA3E; }\n.cm-s-midnight span.cm-variable-2 { color: #FFAA3E; }\n.cm-s-midnight span.cm-def { color: #4DD; }\n.cm-s-midnight span.cm-bracket { color: #D1EDFF; }\n.cm-s-midnight span.cm-tag { color: #449; }\n.cm-s-midnight span.cm-link { color: #AE81FF; }\n.cm-s-midnight span.cm-error { background: #F92672; color: #F8F8F0; }\n\n.cm-s-midnight .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n","/* Based on Sublime Text's Monokai theme */\n\n.cm-s-monokai.CodeMirror { background: #272822; color: #f8f8f2; }\n.cm-s-monokai div.CodeMirror-selected { background: #49483E; }\n.cm-s-monokai .CodeMirror-line::selection, .cm-s-monokai .CodeMirror-line > span::selection, .cm-s-monokai .CodeMirror-line > span > span::selection { background: rgba(73, 72, 62, .99); }\n.cm-s-monokai .CodeMirror-line::-moz-selection, .cm-s-monokai .CodeMirror-line > span::-moz-selection, .cm-s-monokai .CodeMirror-line > span > span::-moz-selection { background: rgba(73, 72, 62, .99); }\n.cm-s-monokai .CodeMirror-gutters { background: #272822; border-right: 0px; }\n.cm-s-monokai .CodeMirror-guttermarker { color: white; }\n.cm-s-monokai .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-monokai .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-monokai .CodeMirror-cursor { border-left: 1px solid #f8f8f0; }\n\n.cm-s-monokai span.cm-comment { color: #75715e; }\n.cm-s-monokai span.cm-atom { color: #ae81ff; }\n.cm-s-monokai span.cm-number { color: #ae81ff; }\n\n.cm-s-monokai span.cm-comment.cm-attribute { color: #97b757; }\n.cm-s-monokai span.cm-comment.cm-def { color: #bc9262; }\n.cm-s-monokai span.cm-comment.cm-tag { color: #bc6283; }\n.cm-s-monokai span.cm-comment.cm-type { color: #5998a6; }\n\n.cm-s-monokai span.cm-property, .cm-s-monokai span.cm-attribute { color: #a6e22e; }\n.cm-s-monokai span.cm-keyword { color: #f92672; }\n.cm-s-monokai span.cm-builtin { color: #66d9ef; }\n.cm-s-monokai span.cm-string { color: #e6db74; }\n\n.cm-s-monokai span.cm-variable { color: #f8f8f2; }\n.cm-s-monokai span.cm-variable-2 { color: #9effff; }\n.cm-s-monokai span.cm-variable-3, .cm-s-monokai span.cm-type { color: #66d9ef; }\n.cm-s-monokai span.cm-def { color: #fd971f; }\n.cm-s-monokai span.cm-bracket { color: #f8f8f2; }\n.cm-s-monokai span.cm-tag { color: #f92672; }\n.cm-s-monokai span.cm-header { color: #ae81ff; }\n.cm-s-monokai span.cm-link { color: #ae81ff; }\n.cm-s-monokai span.cm-error { background: #f92672; color: #f8f8f0; }\n\n.cm-s-monokai .CodeMirror-activeline-background { background: #373831; }\n.cm-s-monokai .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n",".cm-s-neat span.cm-comment { color: #a86; }\n.cm-s-neat span.cm-keyword { line-height: 1em; font-weight: bold; color: blue; }\n.cm-s-neat span.cm-string { color: #a22; }\n.cm-s-neat span.cm-builtin { line-height: 1em; font-weight: bold; color: #077; }\n.cm-s-neat span.cm-special { line-height: 1em; font-weight: bold; color: #0aa; }\n.cm-s-neat span.cm-variable { color: black; }\n.cm-s-neat span.cm-number, .cm-s-neat span.cm-atom { color: #3a3; }\n.cm-s-neat span.cm-meta { color: #555; }\n.cm-s-neat span.cm-link { color: #3a3; }\n\n.cm-s-neat .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-neat .CodeMirror-matchingbracket { outline:1px solid grey; color:black !important; }\n","/* neo theme for codemirror */\n\n/* Color scheme */\n\n.cm-s-neo.CodeMirror {\n background-color:#ffffff;\n color:#2e383c;\n line-height:1.4375;\n}\n.cm-s-neo .cm-comment { color:#75787b; }\n.cm-s-neo .cm-keyword, .cm-s-neo .cm-property { color:#1d75b3; }\n.cm-s-neo .cm-atom,.cm-s-neo .cm-number { color:#75438a; }\n.cm-s-neo .cm-node,.cm-s-neo .cm-tag { color:#9c3328; }\n.cm-s-neo .cm-string { color:#b35e14; }\n.cm-s-neo .cm-variable,.cm-s-neo .cm-qualifier { color:#047d65; }\n\n\n/* Editor styling */\n\n.cm-s-neo pre {\n padding:0;\n}\n\n.cm-s-neo .CodeMirror-gutters {\n border:none;\n border-right:10px solid transparent;\n background-color:transparent;\n}\n\n.cm-s-neo .CodeMirror-linenumber {\n padding:0;\n color:#e0e2e5;\n}\n\n.cm-s-neo .CodeMirror-guttermarker { color: #1d75b3; }\n.cm-s-neo .CodeMirror-guttermarker-subtle { color: #e0e2e5; }\n\n.cm-s-neo .CodeMirror-cursor {\n width: auto;\n border: 0;\n background: rgba(155,157,162,0.37);\n z-index: 1;\n}\n","/* Loosely based on the Midnight Textmate theme */\n\n.cm-s-night.CodeMirror { background: #0a001f; color: #f8f8f8; }\n.cm-s-night div.CodeMirror-selected { background: #447; }\n.cm-s-night .CodeMirror-line::selection, .cm-s-night .CodeMirror-line > span::selection, .cm-s-night .CodeMirror-line > span > span::selection { background: rgba(68, 68, 119, .99); }\n.cm-s-night .CodeMirror-line::-moz-selection, .cm-s-night .CodeMirror-line > span::-moz-selection, .cm-s-night .CodeMirror-line > span > span::-moz-selection { background: rgba(68, 68, 119, .99); }\n.cm-s-night .CodeMirror-gutters { background: #0a001f; border-right: 1px solid #aaa; }\n.cm-s-night .CodeMirror-guttermarker { color: white; }\n.cm-s-night .CodeMirror-guttermarker-subtle { color: #bbb; }\n.cm-s-night .CodeMirror-linenumber { color: #f8f8f8; }\n.cm-s-night .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-night span.cm-comment { color: #8900d1; }\n.cm-s-night span.cm-atom { color: #845dc4; }\n.cm-s-night span.cm-number, .cm-s-night span.cm-attribute { color: #ffd500; }\n.cm-s-night span.cm-keyword { color: #599eff; }\n.cm-s-night span.cm-string { color: #37f14a; }\n.cm-s-night span.cm-meta { color: #7678e2; }\n.cm-s-night span.cm-variable-2, .cm-s-night span.cm-tag { color: #99b2ff; }\n.cm-s-night span.cm-variable-3, .cm-s-night span.cm-def, .cm-s-night span.cm-type { color: white; }\n.cm-s-night span.cm-bracket { color: #8da6ce; }\n.cm-s-night span.cm-builtin, .cm-s-night span.cm-special { color: #ff9e59; }\n.cm-s-night span.cm-link { color: #845dc4; }\n.cm-s-night span.cm-error { color: #9d1e15; }\n\n.cm-s-night .CodeMirror-activeline-background { background: #1C005A; }\n.cm-s-night .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\n\n Name: oceanic-next\n Author: Filype Pereira (https://github.com/fpereira1)\n\n Original oceanic-next color scheme by Dmitri Voronianski (https://github.com/voronianski/oceanic-next-color-scheme)\n\n*/\n\n.cm-s-oceanic-next.CodeMirror { background: #304148; color: #f8f8f2; }\n.cm-s-oceanic-next div.CodeMirror-selected { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-line::selection, .cm-s-oceanic-next .CodeMirror-line > span::selection, .cm-s-oceanic-next .CodeMirror-line > span > span::selection { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-line::-moz-selection, .cm-s-oceanic-next .CodeMirror-line > span::-moz-selection, .cm-s-oceanic-next .CodeMirror-line > span > span::-moz-selection { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-gutters { background: #304148; border-right: 10px; }\n.cm-s-oceanic-next .CodeMirror-guttermarker { color: white; }\n.cm-s-oceanic-next .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-oceanic-next .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-oceanic-next .CodeMirror-cursor { border-left: 1px solid #f8f8f0; }\n.cm-s-oceanic-next.cm-fat-cursor .CodeMirror-cursor { background-color: #a2a8a175 !important; }\n.cm-s-oceanic-next .cm-animate-fat-cursor { background-color: #a2a8a175 !important; }\n\n.cm-s-oceanic-next span.cm-comment { color: #65737E; }\n.cm-s-oceanic-next span.cm-atom { color: #C594C5; }\n.cm-s-oceanic-next span.cm-number { color: #F99157; }\n\n.cm-s-oceanic-next span.cm-property { color: #99C794; }\n.cm-s-oceanic-next span.cm-attribute,\n.cm-s-oceanic-next span.cm-keyword { color: #C594C5; }\n.cm-s-oceanic-next span.cm-builtin { color: #66d9ef; }\n.cm-s-oceanic-next span.cm-string { color: #99C794; }\n\n.cm-s-oceanic-next span.cm-variable,\n.cm-s-oceanic-next span.cm-variable-2,\n.cm-s-oceanic-next span.cm-variable-3 { color: #f8f8f2; }\n.cm-s-oceanic-next span.cm-def { color: #6699CC; }\n.cm-s-oceanic-next span.cm-bracket { color: #5FB3B3; }\n.cm-s-oceanic-next span.cm-tag { color: #C594C5; }\n.cm-s-oceanic-next span.cm-header { color: #C594C5; }\n.cm-s-oceanic-next span.cm-link { color: #C594C5; }\n.cm-s-oceanic-next span.cm-error { background: #C594C5; color: #f8f8f0; }\n\n.cm-s-oceanic-next .CodeMirror-activeline-background { background: rgba(101, 115, 126, 0.33); }\n.cm-s-oceanic-next .CodeMirror-matchingbracket {\n text-decoration: underline;\n color: white !important;\n}\n","/*\n\tName: Panda Syntax\n\tAuthor: Siamak Mokhtari (http://github.com/siamak/)\n\tCodeMirror template by Siamak Mokhtari (https://github.com/siamak/atom-panda-syntax)\n*/\n.cm-s-panda-syntax {\n\tbackground: #292A2B;\n\tcolor: #E6E6E6;\n\tline-height: 1.5;\n\tfont-family: 'Operator Mono', 'Source Code Pro', Menlo, Monaco, Consolas, Courier New, monospace;\n}\n.cm-s-panda-syntax .CodeMirror-cursor { border-color: #ff2c6d; }\n.cm-s-panda-syntax .CodeMirror-activeline-background {\n\tbackground: rgba(99, 123, 156, 0.1);\n}\n.cm-s-panda-syntax .CodeMirror-selected {\n\tbackground: #FFF;\n}\n.cm-s-panda-syntax .cm-comment {\n\tfont-style: italic;\n\tcolor: #676B79;\n}\n.cm-s-panda-syntax .cm-operator {\n\tcolor: #f3f3f3;\n}\n.cm-s-panda-syntax .cm-string {\n\tcolor: #19F9D8;\n}\n.cm-s-panda-syntax .cm-string-2 {\n color: #FFB86C;\n}\n\n.cm-s-panda-syntax .cm-tag {\n\tcolor: #ff2c6d;\n}\n.cm-s-panda-syntax .cm-meta {\n\tcolor: #b084eb;\n}\n\n.cm-s-panda-syntax .cm-number {\n\tcolor: #FFB86C;\n}\n.cm-s-panda-syntax .cm-atom {\n\tcolor: #ff2c6d;\n}\n.cm-s-panda-syntax .cm-keyword {\n\tcolor: #FF75B5;\n}\n.cm-s-panda-syntax .cm-variable {\n\tcolor: #ffb86c;\n}\n.cm-s-panda-syntax .cm-variable-2 {\n\tcolor: #ff9ac1;\n}\n.cm-s-panda-syntax .cm-variable-3, .cm-s-panda-syntax .cm-type {\n\tcolor: #ff9ac1;\n}\n\n.cm-s-panda-syntax .cm-def {\n\tcolor: #e6e6e6;\n}\n.cm-s-panda-syntax .cm-property {\n\tcolor: #f3f3f3;\n}\n.cm-s-panda-syntax .cm-unit {\n color: #ffb86c;\n}\n\n.cm-s-panda-syntax .cm-attribute {\n color: #ffb86c;\n}\n\n.cm-s-panda-syntax .CodeMirror-matchingbracket {\n border-bottom: 1px dotted #19F9D8;\n padding-bottom: 2px;\n color: #e6e6e6;\n}\n.cm-s-panda-syntax .CodeMirror-gutters {\n background: #292a2b;\n border-right-color: rgba(255, 255, 255, 0.1);\n}\n.cm-s-panda-syntax .CodeMirror-linenumber {\n color: #e6e6e6;\n opacity: 0.6;\n}\n","/*\n\n Name: Paraíso (Dark)\n Author: Jan T. Sott\n\n Color scheme by Jan T. Sott (https://github.com/idleberg/Paraiso-CodeMirror)\n Inspired by the art of Rubens LP (http://www.rubenslp.com.br)\n\n*/\n\n.cm-s-paraiso-dark.CodeMirror { background: #2f1e2e; color: #b9b6b0; }\n.cm-s-paraiso-dark div.CodeMirror-selected { background: #41323f; }\n.cm-s-paraiso-dark .CodeMirror-line::selection, .cm-s-paraiso-dark .CodeMirror-line > span::selection, .cm-s-paraiso-dark .CodeMirror-line > span > span::selection { background: rgba(65, 50, 63, .99); }\n.cm-s-paraiso-dark .CodeMirror-line::-moz-selection, .cm-s-paraiso-dark .CodeMirror-line > span::-moz-selection, .cm-s-paraiso-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(65, 50, 63, .99); }\n.cm-s-paraiso-dark .CodeMirror-gutters { background: #2f1e2e; border-right: 0px; }\n.cm-s-paraiso-dark .CodeMirror-guttermarker { color: #ef6155; }\n.cm-s-paraiso-dark .CodeMirror-guttermarker-subtle { color: #776e71; }\n.cm-s-paraiso-dark .CodeMirror-linenumber { color: #776e71; }\n.cm-s-paraiso-dark .CodeMirror-cursor { border-left: 1px solid #8d8687; }\n\n.cm-s-paraiso-dark span.cm-comment { color: #e96ba8; }\n.cm-s-paraiso-dark span.cm-atom { color: #815ba4; }\n.cm-s-paraiso-dark span.cm-number { color: #815ba4; }\n\n.cm-s-paraiso-dark span.cm-property, .cm-s-paraiso-dark span.cm-attribute { color: #48b685; }\n.cm-s-paraiso-dark span.cm-keyword { color: #ef6155; }\n.cm-s-paraiso-dark span.cm-string { color: #fec418; }\n\n.cm-s-paraiso-dark span.cm-variable { color: #48b685; }\n.cm-s-paraiso-dark span.cm-variable-2 { color: #06b6ef; }\n.cm-s-paraiso-dark span.cm-def { color: #f99b15; }\n.cm-s-paraiso-dark span.cm-bracket { color: #b9b6b0; }\n.cm-s-paraiso-dark span.cm-tag { color: #ef6155; }\n.cm-s-paraiso-dark span.cm-link { color: #815ba4; }\n.cm-s-paraiso-dark span.cm-error { background: #ef6155; color: #8d8687; }\n\n.cm-s-paraiso-dark .CodeMirror-activeline-background { background: #4D344A; }\n.cm-s-paraiso-dark .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: Paraíso (Light)\n Author: Jan T. Sott\n\n Color scheme by Jan T. Sott (https://github.com/idleberg/Paraiso-CodeMirror)\n Inspired by the art of Rubens LP (http://www.rubenslp.com.br)\n\n*/\n\n.cm-s-paraiso-light.CodeMirror { background: #e7e9db; color: #41323f; }\n.cm-s-paraiso-light div.CodeMirror-selected { background: #b9b6b0; }\n.cm-s-paraiso-light .CodeMirror-line::selection, .cm-s-paraiso-light .CodeMirror-line > span::selection, .cm-s-paraiso-light .CodeMirror-line > span > span::selection { background: #b9b6b0; }\n.cm-s-paraiso-light .CodeMirror-line::-moz-selection, .cm-s-paraiso-light .CodeMirror-line > span::-moz-selection, .cm-s-paraiso-light .CodeMirror-line > span > span::-moz-selection { background: #b9b6b0; }\n.cm-s-paraiso-light .CodeMirror-gutters { background: #e7e9db; border-right: 0px; }\n.cm-s-paraiso-light .CodeMirror-guttermarker { color: black; }\n.cm-s-paraiso-light .CodeMirror-guttermarker-subtle { color: #8d8687; }\n.cm-s-paraiso-light .CodeMirror-linenumber { color: #8d8687; }\n.cm-s-paraiso-light .CodeMirror-cursor { border-left: 1px solid #776e71; }\n\n.cm-s-paraiso-light span.cm-comment { color: #e96ba8; }\n.cm-s-paraiso-light span.cm-atom { color: #815ba4; }\n.cm-s-paraiso-light span.cm-number { color: #815ba4; }\n\n.cm-s-paraiso-light span.cm-property, .cm-s-paraiso-light span.cm-attribute { color: #48b685; }\n.cm-s-paraiso-light span.cm-keyword { color: #ef6155; }\n.cm-s-paraiso-light span.cm-string { color: #fec418; }\n\n.cm-s-paraiso-light span.cm-variable { color: #48b685; }\n.cm-s-paraiso-light span.cm-variable-2 { color: #06b6ef; }\n.cm-s-paraiso-light span.cm-def { color: #f99b15; }\n.cm-s-paraiso-light span.cm-bracket { color: #41323f; }\n.cm-s-paraiso-light span.cm-tag { color: #ef6155; }\n.cm-s-paraiso-light span.cm-link { color: #815ba4; }\n.cm-s-paraiso-light span.cm-error { background: #ef6155; color: #776e71; }\n\n.cm-s-paraiso-light .CodeMirror-activeline-background { background: #CFD1C4; }\n.cm-s-paraiso-light .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/**\n * Pastel On Dark theme ported from ACE editor\n * @license MIT\n * @copyright AtomicPages LLC 2014\n * @author Dennis Thompson, AtomicPages LLC\n * @version 1.1\n * @source https://github.com/atomicpages/codemirror-pastel-on-dark-theme\n */\n\n.cm-s-pastel-on-dark.CodeMirror {\n\tbackground: #2c2827;\n\tcolor: #8F938F;\n\tline-height: 1.5;\n}\n.cm-s-pastel-on-dark div.CodeMirror-selected { background: rgba(221,240,255,0.2); }\n.cm-s-pastel-on-dark .CodeMirror-line::selection, .cm-s-pastel-on-dark .CodeMirror-line > span::selection, .cm-s-pastel-on-dark .CodeMirror-line > span > span::selection { background: rgba(221,240,255,0.2); }\n.cm-s-pastel-on-dark .CodeMirror-line::-moz-selection, .cm-s-pastel-on-dark .CodeMirror-line > span::-moz-selection, .cm-s-pastel-on-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(221,240,255,0.2); }\n\n.cm-s-pastel-on-dark .CodeMirror-gutters {\n\tbackground: #34302f;\n\tborder-right: 0px;\n\tpadding: 0 3px;\n}\n.cm-s-pastel-on-dark .CodeMirror-guttermarker { color: white; }\n.cm-s-pastel-on-dark .CodeMirror-guttermarker-subtle { color: #8F938F; }\n.cm-s-pastel-on-dark .CodeMirror-linenumber { color: #8F938F; }\n.cm-s-pastel-on-dark .CodeMirror-cursor { border-left: 1px solid #A7A7A7; }\n.cm-s-pastel-on-dark span.cm-comment { color: #A6C6FF; }\n.cm-s-pastel-on-dark span.cm-atom { color: #DE8E30; }\n.cm-s-pastel-on-dark span.cm-number { color: #CCCCCC; }\n.cm-s-pastel-on-dark span.cm-property { color: #8F938F; }\n.cm-s-pastel-on-dark span.cm-attribute { color: #a6e22e; }\n.cm-s-pastel-on-dark span.cm-keyword { color: #AEB2F8; }\n.cm-s-pastel-on-dark span.cm-string { color: #66A968; }\n.cm-s-pastel-on-dark span.cm-variable { color: #AEB2F8; }\n.cm-s-pastel-on-dark span.cm-variable-2 { color: #BEBF55; }\n.cm-s-pastel-on-dark span.cm-variable-3, .cm-s-pastel-on-dark span.cm-type { color: #DE8E30; }\n.cm-s-pastel-on-dark span.cm-def { color: #757aD8; }\n.cm-s-pastel-on-dark span.cm-bracket { color: #f8f8f2; }\n.cm-s-pastel-on-dark span.cm-tag { color: #C1C144; }\n.cm-s-pastel-on-dark span.cm-link { color: #ae81ff; }\n.cm-s-pastel-on-dark span.cm-qualifier,.cm-s-pastel-on-dark span.cm-builtin { color: #C1C144; }\n.cm-s-pastel-on-dark span.cm-error {\n\tbackground: #757aD8;\n\tcolor: #f8f8f0;\n}\n.cm-s-pastel-on-dark .CodeMirror-activeline-background { background: rgba(255, 255, 255, 0.031); }\n.cm-s-pastel-on-dark .CodeMirror-matchingbracket {\n\tborder: 1px solid rgba(255,255,255,0.25);\n\tcolor: #8F938F !important;\n\tmargin: -1px -1px 0 -1px;\n}\n","/*\n\n Name: Railscasts\n Author: Ryan Bates (http://railscasts.com)\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-railscasts.CodeMirror {background: #2b2b2b; color: #f4f1ed;}\n.cm-s-railscasts div.CodeMirror-selected {background: #272935 !important;}\n.cm-s-railscasts .CodeMirror-gutters {background: #2b2b2b; border-right: 0px;}\n.cm-s-railscasts .CodeMirror-linenumber {color: #5a647e;}\n.cm-s-railscasts .CodeMirror-cursor {border-left: 1px solid #d4cfc9 !important;}\n\n.cm-s-railscasts span.cm-comment {color: #bc9458;}\n.cm-s-railscasts span.cm-atom {color: #b6b3eb;}\n.cm-s-railscasts span.cm-number {color: #b6b3eb;}\n\n.cm-s-railscasts span.cm-property, .cm-s-railscasts span.cm-attribute {color: #a5c261;}\n.cm-s-railscasts span.cm-keyword {color: #da4939;}\n.cm-s-railscasts span.cm-string {color: #ffc66d;}\n\n.cm-s-railscasts span.cm-variable {color: #a5c261;}\n.cm-s-railscasts span.cm-variable-2 {color: #6d9cbe;}\n.cm-s-railscasts span.cm-def {color: #cc7833;}\n.cm-s-railscasts span.cm-error {background: #da4939; color: #d4cfc9;}\n.cm-s-railscasts span.cm-bracket {color: #f4f1ed;}\n.cm-s-railscasts span.cm-tag {color: #da4939;}\n.cm-s-railscasts span.cm-link {color: #b6b3eb;}\n\n.cm-s-railscasts .CodeMirror-matchingbracket { text-decoration: underline; color: white !important;}\n.cm-s-railscasts .CodeMirror-activeline-background { background: #303040; }\n",".cm-s-rubyblue.CodeMirror { background: #112435; color: white; }\n.cm-s-rubyblue div.CodeMirror-selected { background: #38566F; }\n.cm-s-rubyblue .CodeMirror-line::selection, .cm-s-rubyblue .CodeMirror-line > span::selection, .cm-s-rubyblue .CodeMirror-line > span > span::selection { background: rgba(56, 86, 111, 0.99); }\n.cm-s-rubyblue .CodeMirror-line::-moz-selection, .cm-s-rubyblue .CodeMirror-line > span::-moz-selection, .cm-s-rubyblue .CodeMirror-line > span > span::-moz-selection { background: rgba(56, 86, 111, 0.99); }\n.cm-s-rubyblue .CodeMirror-gutters { background: #1F4661; border-right: 7px solid #3E7087; }\n.cm-s-rubyblue .CodeMirror-guttermarker { color: white; }\n.cm-s-rubyblue .CodeMirror-guttermarker-subtle { color: #3E7087; }\n.cm-s-rubyblue .CodeMirror-linenumber { color: white; }\n.cm-s-rubyblue .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-rubyblue span.cm-comment { color: #999; font-style:italic; line-height: 1em; }\n.cm-s-rubyblue span.cm-atom { color: #F4C20B; }\n.cm-s-rubyblue span.cm-number, .cm-s-rubyblue span.cm-attribute { color: #82C6E0; }\n.cm-s-rubyblue span.cm-keyword { color: #F0F; }\n.cm-s-rubyblue span.cm-string { color: #F08047; }\n.cm-s-rubyblue span.cm-meta { color: #F0F; }\n.cm-s-rubyblue span.cm-variable-2, .cm-s-rubyblue span.cm-tag { color: #7BD827; }\n.cm-s-rubyblue span.cm-variable-3, .cm-s-rubyblue span.cm-def, .cm-s-rubyblue span.cm-type { color: white; }\n.cm-s-rubyblue span.cm-bracket { color: #F0F; }\n.cm-s-rubyblue span.cm-link { color: #F4C20B; }\n.cm-s-rubyblue span.CodeMirror-matchingbracket { color:#F0F !important; }\n.cm-s-rubyblue span.cm-builtin, .cm-s-rubyblue span.cm-special { color: #FF9D00; }\n.cm-s-rubyblue span.cm-error { color: #AF2018; }\n\n.cm-s-rubyblue .CodeMirror-activeline-background { background: #173047; }\n","/*\n\n Name: seti\n Author: Michael Kaminsky (http://github.com/mkaminsky11)\n\n Original seti color scheme by Jesse Weed (https://github.com/jesseweed/seti-syntax)\n\n*/\n\n\n.cm-s-seti.CodeMirror {\n background-color: #151718 !important;\n color: #CFD2D1 !important;\n border: none;\n}\n.cm-s-seti .CodeMirror-gutters {\n color: #404b53;\n background-color: #0E1112;\n border: none;\n}\n.cm-s-seti .CodeMirror-cursor { border-left: solid thin #f8f8f0; }\n.cm-s-seti .CodeMirror-linenumber { color: #6D8A88; }\n.cm-s-seti.CodeMirror-focused div.CodeMirror-selected { background: rgba(255, 255, 255, 0.10); }\n.cm-s-seti .CodeMirror-line::selection, .cm-s-seti .CodeMirror-line > span::selection, .cm-s-seti .CodeMirror-line > span > span::selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-seti .CodeMirror-line::-moz-selection, .cm-s-seti .CodeMirror-line > span::-moz-selection, .cm-s-seti .CodeMirror-line > span > span::-moz-selection { background: rgba(255, 255, 255, 0.10); }\n.cm-s-seti span.cm-comment { color: #41535b; }\n.cm-s-seti span.cm-string, .cm-s-seti span.cm-string-2 { color: #55b5db; }\n.cm-s-seti span.cm-number { color: #cd3f45; }\n.cm-s-seti span.cm-variable { color: #55b5db; }\n.cm-s-seti span.cm-variable-2 { color: #a074c4; }\n.cm-s-seti span.cm-def { color: #55b5db; }\n.cm-s-seti span.cm-keyword { color: #ff79c6; }\n.cm-s-seti span.cm-operator { color: #9fca56; }\n.cm-s-seti span.cm-keyword { color: #e6cd69; }\n.cm-s-seti span.cm-atom { color: #cd3f45; }\n.cm-s-seti span.cm-meta { color: #55b5db; }\n.cm-s-seti span.cm-tag { color: #55b5db; }\n.cm-s-seti span.cm-attribute { color: #9fca56; }\n.cm-s-seti span.cm-qualifier { color: #9fca56; }\n.cm-s-seti span.cm-property { color: #a074c4; }\n.cm-s-seti span.cm-variable-3, .cm-s-seti span.cm-type { color: #9fca56; }\n.cm-s-seti span.cm-builtin { color: #9fca56; }\n.cm-s-seti .CodeMirror-activeline-background { background: #101213; }\n.cm-s-seti .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: shadowfox\n Author: overdodactyl (http://github.com/overdodactyl)\n\n Original shadowfox color scheme by Firefox\n\n*/\n\n.cm-s-shadowfox.CodeMirror { background: #2a2a2e; color: #b1b1b3; }\n.cm-s-shadowfox div.CodeMirror-selected { background: #353B48; }\n.cm-s-shadowfox .CodeMirror-line::selection, .cm-s-shadowfox .CodeMirror-line > span::selection, .cm-s-shadowfox .CodeMirror-line > span > span::selection { background: #353B48; }\n.cm-s-shadowfox .CodeMirror-line::-moz-selection, .cm-s-shadowfox .CodeMirror-line > span::-moz-selection, .cm-s-shadowfox .CodeMirror-line > span > span::-moz-selection { background: #353B48; }\n.cm-s-shadowfox .CodeMirror-gutters { background: #0c0c0d ; border-right: 1px solid #0c0c0d; }\n.cm-s-shadowfox .CodeMirror-guttermarker { color: #555; }\n.cm-s-shadowfox .CodeMirror-linenumber { color: #939393; }\n.cm-s-shadowfox .CodeMirror-cursor { border-left: 1px solid #fff; }\n\n.cm-s-shadowfox span.cm-comment { color: #939393; }\n.cm-s-shadowfox span.cm-atom { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-quote { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-builtin { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-attribute { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-keyword { color: #FF7DE9; }\n.cm-s-shadowfox span.cm-error { color: #FF7DE9; }\n\n.cm-s-shadowfox span.cm-number { color: #6B89FF; }\n.cm-s-shadowfox span.cm-string { color: #6B89FF; }\n.cm-s-shadowfox span.cm-string-2 { color: #6B89FF; }\n\n.cm-s-shadowfox span.cm-meta { color: #939393; }\n.cm-s-shadowfox span.cm-hr { color: #939393; }\n\n.cm-s-shadowfox span.cm-header { color: #75BFFF; }\n.cm-s-shadowfox span.cm-qualifier { color: #75BFFF; }\n.cm-s-shadowfox span.cm-variable-2 { color: #75BFFF; }\n\n.cm-s-shadowfox span.cm-property { color: #86DE74; }\n\n.cm-s-shadowfox span.cm-def { color: #75BFFF; }\n.cm-s-shadowfox span.cm-bracket { color: #75BFFF; }\n.cm-s-shadowfox span.cm-tag { color: #75BFFF; }\n.cm-s-shadowfox span.cm-link:visited { color: #75BFFF; }\n\n.cm-s-shadowfox span.cm-variable { color: #B98EFF; }\n.cm-s-shadowfox span.cm-variable-3 { color: #d7d7db; }\n.cm-s-shadowfox span.cm-link { color: #737373; }\n.cm-s-shadowfox span.cm-operator { color: #b1b1b3; }\n.cm-s-shadowfox span.cm-special { color: #d7d7db; }\n\n.cm-s-shadowfox .CodeMirror-activeline-background { background: rgba(185, 215, 253, .15) }\n.cm-s-shadowfox .CodeMirror-matchingbracket { outline: solid 1px rgba(255, 255, 255, .25); color: white !important; }\n","/*\nSolarized theme for code-mirror\nhttp://ethanschoonover.com/solarized\n*/\n\n/*\nSolarized color palette\nhttp://ethanschoonover.com/solarized/img/solarized-palette.png\n*/\n\n.solarized.base03 { color: #002b36; }\n.solarized.base02 { color: #073642; }\n.solarized.base01 { color: #586e75; }\n.solarized.base00 { color: #657b83; }\n.solarized.base0 { color: #839496; }\n.solarized.base1 { color: #93a1a1; }\n.solarized.base2 { color: #eee8d5; }\n.solarized.base3 { color: #fdf6e3; }\n.solarized.solar-yellow { color: #b58900; }\n.solarized.solar-orange { color: #cb4b16; }\n.solarized.solar-red { color: #dc322f; }\n.solarized.solar-magenta { color: #d33682; }\n.solarized.solar-violet { color: #6c71c4; }\n.solarized.solar-blue { color: #268bd2; }\n.solarized.solar-cyan { color: #2aa198; }\n.solarized.solar-green { color: #859900; }\n\n/* Color scheme for code-mirror */\n\n.cm-s-solarized {\n line-height: 1.45em;\n color-profile: sRGB;\n rendering-intent: auto;\n}\n.cm-s-solarized.cm-s-dark {\n color: #839496;\n background-color: #002b36;\n}\n.cm-s-solarized.cm-s-light {\n background-color: #fdf6e3;\n color: #657b83;\n}\n\n.cm-s-solarized .CodeMirror-widget {\n text-shadow: none;\n}\n\n.cm-s-solarized .cm-header { color: #586e75; }\n.cm-s-solarized .cm-quote { color: #93a1a1; }\n\n.cm-s-solarized .cm-keyword { color: #cb4b16; }\n.cm-s-solarized .cm-atom { color: #d33682; }\n.cm-s-solarized .cm-number { color: #d33682; }\n.cm-s-solarized .cm-def { color: #2aa198; }\n\n.cm-s-solarized .cm-variable { color: #839496; }\n.cm-s-solarized .cm-variable-2 { color: #b58900; }\n.cm-s-solarized .cm-variable-3, .cm-s-solarized .cm-type { color: #6c71c4; }\n\n.cm-s-solarized .cm-property { color: #2aa198; }\n.cm-s-solarized .cm-operator { color: #6c71c4; }\n\n.cm-s-solarized .cm-comment { color: #586e75; font-style:italic; }\n\n.cm-s-solarized .cm-string { color: #859900; }\n.cm-s-solarized .cm-string-2 { color: #b58900; }\n\n.cm-s-solarized .cm-meta { color: #859900; }\n.cm-s-solarized .cm-qualifier { color: #b58900; }\n.cm-s-solarized .cm-builtin { color: #d33682; }\n.cm-s-solarized .cm-bracket { color: #cb4b16; }\n.cm-s-solarized .CodeMirror-matchingbracket { color: #859900; }\n.cm-s-solarized .CodeMirror-nonmatchingbracket { color: #dc322f; }\n.cm-s-solarized .cm-tag { color: #93a1a1; }\n.cm-s-solarized .cm-attribute { color: #2aa198; }\n.cm-s-solarized .cm-hr {\n color: transparent;\n border-top: 1px solid #586e75;\n display: block;\n}\n.cm-s-solarized .cm-link { color: #93a1a1; cursor: pointer; }\n.cm-s-solarized .cm-special { color: #6c71c4; }\n.cm-s-solarized .cm-em {\n color: #999;\n text-decoration: underline;\n text-decoration-style: dotted;\n}\n.cm-s-solarized .cm-error,\n.cm-s-solarized .cm-invalidchar {\n color: #586e75;\n border-bottom: 1px dotted #dc322f;\n}\n\n.cm-s-solarized.cm-s-dark div.CodeMirror-selected { background: #073642; }\n.cm-s-solarized.cm-s-dark.CodeMirror ::selection { background: rgba(7, 54, 66, 0.99); }\n.cm-s-solarized.cm-s-dark .CodeMirror-line::-moz-selection, .cm-s-dark .CodeMirror-line > span::-moz-selection, .cm-s-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(7, 54, 66, 0.99); }\n\n.cm-s-solarized.cm-s-light div.CodeMirror-selected { background: #eee8d5; }\n.cm-s-solarized.cm-s-light .CodeMirror-line::selection, .cm-s-light .CodeMirror-line > span::selection, .cm-s-light .CodeMirror-line > span > span::selection { background: #eee8d5; }\n.cm-s-solarized.cm-s-light .CodeMirror-line::-moz-selection, .cm-s-light .CodeMirror-line > span::-moz-selection, .cm-s-light .CodeMirror-line > span > span::-moz-selection { background: #eee8d5; }\n\n/* Editor styling */\n\n\n\n/* Little shadow on the view-port of the buffer view */\n.cm-s-solarized.CodeMirror {\n -moz-box-shadow: inset 7px 0 12px -6px #000;\n -webkit-box-shadow: inset 7px 0 12px -6px #000;\n box-shadow: inset 7px 0 12px -6px #000;\n}\n\n/* Remove gutter border */\n.cm-s-solarized .CodeMirror-gutters {\n border-right: 0;\n}\n\n/* Gutter colors and line number styling based of color scheme (dark / light) */\n\n/* Dark */\n.cm-s-solarized.cm-s-dark .CodeMirror-gutters {\n background-color: #073642;\n}\n\n.cm-s-solarized.cm-s-dark .CodeMirror-linenumber {\n color: #586e75;\n}\n\n/* Light */\n.cm-s-solarized.cm-s-light .CodeMirror-gutters {\n background-color: #eee8d5;\n}\n\n.cm-s-solarized.cm-s-light .CodeMirror-linenumber {\n color: #839496;\n}\n\n/* Common */\n.cm-s-solarized .CodeMirror-linenumber {\n padding: 0 5px;\n}\n.cm-s-solarized .CodeMirror-guttermarker-subtle { color: #586e75; }\n.cm-s-solarized.cm-s-dark .CodeMirror-guttermarker { color: #ddd; }\n.cm-s-solarized.cm-s-light .CodeMirror-guttermarker { color: #cb4b16; }\n\n.cm-s-solarized .CodeMirror-gutter .CodeMirror-gutter-text {\n color: #586e75;\n}\n\n/* Cursor */\n.cm-s-solarized .CodeMirror-cursor { border-left: 1px solid #819090; }\n\n/* Fat cursor */\n.cm-s-solarized.cm-s-light.cm-fat-cursor .CodeMirror-cursor { background: #77ee77; }\n.cm-s-solarized.cm-s-light .cm-animate-fat-cursor { background-color: #77ee77; }\n.cm-s-solarized.cm-s-dark.cm-fat-cursor .CodeMirror-cursor { background: #586e75; }\n.cm-s-solarized.cm-s-dark .cm-animate-fat-cursor { background-color: #586e75; }\n\n/* Active line */\n.cm-s-solarized.cm-s-dark .CodeMirror-activeline-background {\n background: rgba(255, 255, 255, 0.06);\n}\n.cm-s-solarized.cm-s-light .CodeMirror-activeline-background {\n background: rgba(0, 0, 0, 0.06);\n}\n",".cm-s-ssms span.cm-keyword { color: blue; }\n.cm-s-ssms span.cm-comment { color: darkgreen; }\n.cm-s-ssms span.cm-string { color: red; }\n.cm-s-ssms span.cm-def { color: black; }\n.cm-s-ssms span.cm-variable { color: black; }\n.cm-s-ssms span.cm-variable-2 { color: black; }\n.cm-s-ssms span.cm-atom { color: darkgray; }\n.cm-s-ssms .CodeMirror-linenumber { color: teal; }\n.cm-s-ssms .CodeMirror-activeline-background { background: #ffffff; }\n.cm-s-ssms span.cm-string-2 { color: #FF00FF; }\n.cm-s-ssms span.cm-operator, \n.cm-s-ssms span.cm-bracket, \n.cm-s-ssms span.cm-punctuation { color: darkgray; }\n.cm-s-ssms .CodeMirror-gutters { border-right: 3px solid #ffee62; background-color: #ffffff; }\n.cm-s-ssms div.CodeMirror-selected { background: #ADD6FF; }\n\n",".cm-s-the-matrix.CodeMirror { background: #000000; color: #00FF00; }\n.cm-s-the-matrix div.CodeMirror-selected { background: #2D2D2D; }\n.cm-s-the-matrix .CodeMirror-line::selection, .cm-s-the-matrix .CodeMirror-line > span::selection, .cm-s-the-matrix .CodeMirror-line > span > span::selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-the-matrix .CodeMirror-line::-moz-selection, .cm-s-the-matrix .CodeMirror-line > span::-moz-selection, .cm-s-the-matrix .CodeMirror-line > span > span::-moz-selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-the-matrix .CodeMirror-gutters { background: #060; border-right: 2px solid #00FF00; }\n.cm-s-the-matrix .CodeMirror-guttermarker { color: #0f0; }\n.cm-s-the-matrix .CodeMirror-guttermarker-subtle { color: white; }\n.cm-s-the-matrix .CodeMirror-linenumber { color: #FFFFFF; }\n.cm-s-the-matrix .CodeMirror-cursor { border-left: 1px solid #00FF00; }\n\n.cm-s-the-matrix span.cm-keyword { color: #008803; font-weight: bold; }\n.cm-s-the-matrix span.cm-atom { color: #3FF; }\n.cm-s-the-matrix span.cm-number { color: #FFB94F; }\n.cm-s-the-matrix span.cm-def { color: #99C; }\n.cm-s-the-matrix span.cm-variable { color: #F6C; }\n.cm-s-the-matrix span.cm-variable-2 { color: #C6F; }\n.cm-s-the-matrix span.cm-variable-3, .cm-s-the-matrix span.cm-type { color: #96F; }\n.cm-s-the-matrix span.cm-property { color: #62FFA0; }\n.cm-s-the-matrix span.cm-operator { color: #999; }\n.cm-s-the-matrix span.cm-comment { color: #CCCCCC; }\n.cm-s-the-matrix span.cm-string { color: #39C; }\n.cm-s-the-matrix span.cm-meta { color: #C9F; }\n.cm-s-the-matrix span.cm-qualifier { color: #FFF700; }\n.cm-s-the-matrix span.cm-builtin { color: #30a; }\n.cm-s-the-matrix span.cm-bracket { color: #cc7; }\n.cm-s-the-matrix span.cm-tag { color: #FFBD40; }\n.cm-s-the-matrix span.cm-attribute { color: #FFF700; }\n.cm-s-the-matrix span.cm-error { color: #FF0000; }\n\n.cm-s-the-matrix .CodeMirror-activeline-background { background: #040; }\n","/*\n\n Name: Tomorrow Night - Bright\n Author: Chris Kempson\n\n Port done by Gerard Braad \n\n*/\n\n.cm-s-tomorrow-night-bright.CodeMirror { background: #000000; color: #eaeaea; }\n.cm-s-tomorrow-night-bright div.CodeMirror-selected { background: #424242; }\n.cm-s-tomorrow-night-bright .CodeMirror-gutters { background: #000000; border-right: 0px; }\n.cm-s-tomorrow-night-bright .CodeMirror-guttermarker { color: #e78c45; }\n.cm-s-tomorrow-night-bright .CodeMirror-guttermarker-subtle { color: #777; }\n.cm-s-tomorrow-night-bright .CodeMirror-linenumber { color: #424242; }\n.cm-s-tomorrow-night-bright .CodeMirror-cursor { border-left: 1px solid #6A6A6A; }\n\n.cm-s-tomorrow-night-bright span.cm-comment { color: #d27b53; }\n.cm-s-tomorrow-night-bright span.cm-atom { color: #a16a94; }\n.cm-s-tomorrow-night-bright span.cm-number { color: #a16a94; }\n\n.cm-s-tomorrow-night-bright span.cm-property, .cm-s-tomorrow-night-bright span.cm-attribute { color: #99cc99; }\n.cm-s-tomorrow-night-bright span.cm-keyword { color: #d54e53; }\n.cm-s-tomorrow-night-bright span.cm-string { color: #e7c547; }\n\n.cm-s-tomorrow-night-bright span.cm-variable { color: #b9ca4a; }\n.cm-s-tomorrow-night-bright span.cm-variable-2 { color: #7aa6da; }\n.cm-s-tomorrow-night-bright span.cm-def { color: #e78c45; }\n.cm-s-tomorrow-night-bright span.cm-bracket { color: #eaeaea; }\n.cm-s-tomorrow-night-bright span.cm-tag { color: #d54e53; }\n.cm-s-tomorrow-night-bright span.cm-link { color: #a16a94; }\n.cm-s-tomorrow-night-bright span.cm-error { background: #d54e53; color: #6A6A6A; }\n\n.cm-s-tomorrow-night-bright .CodeMirror-activeline-background { background: #2a2a2a; }\n.cm-s-tomorrow-night-bright .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n","/*\n\n Name: Tomorrow Night - Eighties\n Author: Chris Kempson\n\n CodeMirror template by Jan T. Sott (https://github.com/idleberg/base16-codemirror)\n Original Base16 color scheme by Chris Kempson (https://github.com/chriskempson/base16)\n\n*/\n\n.cm-s-tomorrow-night-eighties.CodeMirror { background: #000000; color: #CCCCCC; }\n.cm-s-tomorrow-night-eighties div.CodeMirror-selected { background: #2D2D2D; }\n.cm-s-tomorrow-night-eighties .CodeMirror-line::selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span::selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span > span::selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-tomorrow-night-eighties .CodeMirror-line::-moz-selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span::-moz-selection, .cm-s-tomorrow-night-eighties .CodeMirror-line > span > span::-moz-selection { background: rgba(45, 45, 45, 0.99); }\n.cm-s-tomorrow-night-eighties .CodeMirror-gutters { background: #000000; border-right: 0px; }\n.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker { color: #f2777a; }\n.cm-s-tomorrow-night-eighties .CodeMirror-guttermarker-subtle { color: #777; }\n.cm-s-tomorrow-night-eighties .CodeMirror-linenumber { color: #515151; }\n.cm-s-tomorrow-night-eighties .CodeMirror-cursor { border-left: 1px solid #6A6A6A; }\n\n.cm-s-tomorrow-night-eighties span.cm-comment { color: #d27b53; }\n.cm-s-tomorrow-night-eighties span.cm-atom { color: #a16a94; }\n.cm-s-tomorrow-night-eighties span.cm-number { color: #a16a94; }\n\n.cm-s-tomorrow-night-eighties span.cm-property, .cm-s-tomorrow-night-eighties span.cm-attribute { color: #99cc99; }\n.cm-s-tomorrow-night-eighties span.cm-keyword { color: #f2777a; }\n.cm-s-tomorrow-night-eighties span.cm-string { color: #ffcc66; }\n\n.cm-s-tomorrow-night-eighties span.cm-variable { color: #99cc99; }\n.cm-s-tomorrow-night-eighties span.cm-variable-2 { color: #6699cc; }\n.cm-s-tomorrow-night-eighties span.cm-def { color: #f99157; }\n.cm-s-tomorrow-night-eighties span.cm-bracket { color: #CCCCCC; }\n.cm-s-tomorrow-night-eighties span.cm-tag { color: #f2777a; }\n.cm-s-tomorrow-night-eighties span.cm-link { color: #a16a94; }\n.cm-s-tomorrow-night-eighties span.cm-error { background: #f2777a; color: #6A6A6A; }\n\n.cm-s-tomorrow-night-eighties .CodeMirror-activeline-background { background: #343600; }\n.cm-s-tomorrow-night-eighties .CodeMirror-matchingbracket { text-decoration: underline; color: white !important; }\n",".cm-s-ttcn .cm-quote { color: #090; }\n.cm-s-ttcn .cm-negative { color: #d44; }\n.cm-s-ttcn .cm-positive { color: #292; }\n.cm-s-ttcn .cm-header, .cm-strong { font-weight: bold; }\n.cm-s-ttcn .cm-em { font-style: italic; }\n.cm-s-ttcn .cm-link { text-decoration: underline; }\n.cm-s-ttcn .cm-strikethrough { text-decoration: line-through; }\n.cm-s-ttcn .cm-header { color: #00f; font-weight: bold; }\n\n.cm-s-ttcn .cm-atom { color: #219; }\n.cm-s-ttcn .cm-attribute { color: #00c; }\n.cm-s-ttcn .cm-bracket { color: #997; }\n.cm-s-ttcn .cm-comment { color: #333333; }\n.cm-s-ttcn .cm-def { color: #00f; }\n.cm-s-ttcn .cm-em { font-style: italic; }\n.cm-s-ttcn .cm-error { color: #f00; }\n.cm-s-ttcn .cm-hr { color: #999; }\n.cm-s-ttcn .cm-invalidchar { color: #f00; }\n.cm-s-ttcn .cm-keyword { font-weight:bold; }\n.cm-s-ttcn .cm-link { color: #00c; text-decoration: underline; }\n.cm-s-ttcn .cm-meta { color: #555; }\n.cm-s-ttcn .cm-negative { color: #d44; }\n.cm-s-ttcn .cm-positive { color: #292; }\n.cm-s-ttcn .cm-qualifier { color: #555; }\n.cm-s-ttcn .cm-strikethrough { text-decoration: line-through; }\n.cm-s-ttcn .cm-string { color: #006400; }\n.cm-s-ttcn .cm-string-2 { color: #f50; }\n.cm-s-ttcn .cm-strong { font-weight: bold; }\n.cm-s-ttcn .cm-tag { color: #170; }\n.cm-s-ttcn .cm-variable { color: #8B2252; }\n.cm-s-ttcn .cm-variable-2 { color: #05a; }\n.cm-s-ttcn .cm-variable-3, .cm-s-ttcn .cm-type { color: #085; }\n\n.cm-s-ttcn .cm-invalidchar { color: #f00; }\n\n/* ASN */\n.cm-s-ttcn .cm-accessTypes,\n.cm-s-ttcn .cm-compareTypes { color: #27408B; }\n.cm-s-ttcn .cm-cmipVerbs { color: #8B2252; }\n.cm-s-ttcn .cm-modifier { color:#D2691E; }\n.cm-s-ttcn .cm-status { color:#8B4545; }\n.cm-s-ttcn .cm-storage { color:#A020F0; }\n.cm-s-ttcn .cm-tags { color:#006400; }\n\n/* CFG */\n.cm-s-ttcn .cm-externalCommands { color: #8B4545; font-weight:bold; }\n.cm-s-ttcn .cm-fileNCtrlMaskOptions,\n.cm-s-ttcn .cm-sectionTitle { color: #2E8B57; font-weight:bold; }\n\n/* TTCN */\n.cm-s-ttcn .cm-booleanConsts,\n.cm-s-ttcn .cm-otherConsts,\n.cm-s-ttcn .cm-verdictConsts { color: #006400; }\n.cm-s-ttcn .cm-configOps,\n.cm-s-ttcn .cm-functionOps,\n.cm-s-ttcn .cm-portOps,\n.cm-s-ttcn .cm-sutOps,\n.cm-s-ttcn .cm-timerOps,\n.cm-s-ttcn .cm-verdictOps { color: #0000FF; }\n.cm-s-ttcn .cm-preprocessor,\n.cm-s-ttcn .cm-templateMatch,\n.cm-s-ttcn .cm-ttcn3Macros { color: #27408B; }\n.cm-s-ttcn .cm-types { color: #A52A2A; font-weight:bold; }\n.cm-s-ttcn .cm-visibilityModifiers { font-weight:bold; }\n",".cm-s-twilight.CodeMirror { background: #141414; color: #f7f7f7; } /**/\n.cm-s-twilight div.CodeMirror-selected { background: #323232; } /**/\n.cm-s-twilight .CodeMirror-line::selection, .cm-s-twilight .CodeMirror-line > span::selection, .cm-s-twilight .CodeMirror-line > span > span::selection { background: rgba(50, 50, 50, 0.99); }\n.cm-s-twilight .CodeMirror-line::-moz-selection, .cm-s-twilight .CodeMirror-line > span::-moz-selection, .cm-s-twilight .CodeMirror-line > span > span::-moz-selection { background: rgba(50, 50, 50, 0.99); }\n\n.cm-s-twilight .CodeMirror-gutters { background: #222; border-right: 1px solid #aaa; }\n.cm-s-twilight .CodeMirror-guttermarker { color: white; }\n.cm-s-twilight .CodeMirror-guttermarker-subtle { color: #aaa; }\n.cm-s-twilight .CodeMirror-linenumber { color: #aaa; }\n.cm-s-twilight .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-twilight .cm-keyword { color: #f9ee98; } /**/\n.cm-s-twilight .cm-atom { color: #FC0; }\n.cm-s-twilight .cm-number { color: #ca7841; } /**/\n.cm-s-twilight .cm-def { color: #8DA6CE; }\n.cm-s-twilight span.cm-variable-2, .cm-s-twilight span.cm-tag { color: #607392; } /**/\n.cm-s-twilight span.cm-variable-3, .cm-s-twilight span.cm-def, .cm-s-twilight span.cm-type { color: #607392; } /**/\n.cm-s-twilight .cm-operator { color: #cda869; } /**/\n.cm-s-twilight .cm-comment { color:#777; font-style:italic; font-weight:normal; } /**/\n.cm-s-twilight .cm-string { color:#8f9d6a; font-style:italic; } /**/\n.cm-s-twilight .cm-string-2 { color:#bd6b18; } /*?*/\n.cm-s-twilight .cm-meta { background-color:#141414; color:#f7f7f7; } /*?*/\n.cm-s-twilight .cm-builtin { color: #cda869; } /*?*/\n.cm-s-twilight .cm-tag { color: #997643; } /**/\n.cm-s-twilight .cm-attribute { color: #d6bb6d; } /*?*/\n.cm-s-twilight .cm-header { color: #FF6400; }\n.cm-s-twilight .cm-hr { color: #AEAEAE; }\n.cm-s-twilight .cm-link { color:#ad9361; font-style:italic; text-decoration:none; } /**/\n.cm-s-twilight .cm-error { border-bottom: 1px solid red; }\n\n.cm-s-twilight .CodeMirror-activeline-background { background: #27282E; }\n.cm-s-twilight .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/* Taken from the popular Visual Studio Vibrant Ink Schema */\n\n.cm-s-vibrant-ink.CodeMirror { background: black; color: white; }\n.cm-s-vibrant-ink div.CodeMirror-selected { background: #35493c; }\n.cm-s-vibrant-ink .CodeMirror-line::selection, .cm-s-vibrant-ink .CodeMirror-line > span::selection, .cm-s-vibrant-ink .CodeMirror-line > span > span::selection { background: rgba(53, 73, 60, 0.99); }\n.cm-s-vibrant-ink .CodeMirror-line::-moz-selection, .cm-s-vibrant-ink .CodeMirror-line > span::-moz-selection, .cm-s-vibrant-ink .CodeMirror-line > span > span::-moz-selection { background: rgba(53, 73, 60, 0.99); }\n\n.cm-s-vibrant-ink .CodeMirror-gutters { background: #002240; border-right: 1px solid #aaa; }\n.cm-s-vibrant-ink .CodeMirror-guttermarker { color: white; }\n.cm-s-vibrant-ink .CodeMirror-guttermarker-subtle { color: #d0d0d0; }\n.cm-s-vibrant-ink .CodeMirror-linenumber { color: #d0d0d0; }\n.cm-s-vibrant-ink .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-vibrant-ink .cm-keyword { color: #CC7832; }\n.cm-s-vibrant-ink .cm-atom { color: #FC0; }\n.cm-s-vibrant-ink .cm-number { color: #FFEE98; }\n.cm-s-vibrant-ink .cm-def { color: #8DA6CE; }\n.cm-s-vibrant-ink span.cm-variable-2, .cm-s-vibrant span.cm-tag { color: #FFC66D; }\n.cm-s-vibrant-ink span.cm-variable-3, .cm-s-vibrant span.cm-def, .cm-s-vibrant span.cm-type { color: #FFC66D; }\n.cm-s-vibrant-ink .cm-operator { color: #888; }\n.cm-s-vibrant-ink .cm-comment { color: gray; font-weight: bold; }\n.cm-s-vibrant-ink .cm-string { color: #A5C25C; }\n.cm-s-vibrant-ink .cm-string-2 { color: red; }\n.cm-s-vibrant-ink .cm-meta { color: #D8FA3C; }\n.cm-s-vibrant-ink .cm-builtin { color: #8DA6CE; }\n.cm-s-vibrant-ink .cm-tag { color: #8DA6CE; }\n.cm-s-vibrant-ink .cm-attribute { color: #8DA6CE; }\n.cm-s-vibrant-ink .cm-header { color: #FF6400; }\n.cm-s-vibrant-ink .cm-hr { color: #AEAEAE; }\n.cm-s-vibrant-ink .cm-link { color: #5656F3; }\n.cm-s-vibrant-ink .cm-error { border-bottom: 1px solid red; }\n\n.cm-s-vibrant-ink .CodeMirror-activeline-background { background: #27282E; }\n.cm-s-vibrant-ink .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\nCopyright (C) 2011 by MarkLogic Corporation\nAuthor: Mike Brevoort \n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights\nto use, copy, modify, merge, publish, distribute, sublicense, and/or sell\ncopies of the Software, and to permit persons to whom the Software is\nfurnished to do so, subject to the following conditions:\n\nThe above copyright notice and this permission notice shall be included in\nall copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\nIMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\nFITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\nAUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\nLIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\nOUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\nTHE SOFTWARE.\n*/\n.cm-s-xq-dark.CodeMirror { background: #0a001f; color: #f8f8f8; }\n.cm-s-xq-dark div.CodeMirror-selected { background: #27007A; }\n.cm-s-xq-dark .CodeMirror-line::selection, .cm-s-xq-dark .CodeMirror-line > span::selection, .cm-s-xq-dark .CodeMirror-line > span > span::selection { background: rgba(39, 0, 122, 0.99); }\n.cm-s-xq-dark .CodeMirror-line::-moz-selection, .cm-s-xq-dark .CodeMirror-line > span::-moz-selection, .cm-s-xq-dark .CodeMirror-line > span > span::-moz-selection { background: rgba(39, 0, 122, 0.99); }\n.cm-s-xq-dark .CodeMirror-gutters { background: #0a001f; border-right: 1px solid #aaa; }\n.cm-s-xq-dark .CodeMirror-guttermarker { color: #FFBD40; }\n.cm-s-xq-dark .CodeMirror-guttermarker-subtle { color: #f8f8f8; }\n.cm-s-xq-dark .CodeMirror-linenumber { color: #f8f8f8; }\n.cm-s-xq-dark .CodeMirror-cursor { border-left: 1px solid white; }\n\n.cm-s-xq-dark span.cm-keyword { color: #FFBD40; }\n.cm-s-xq-dark span.cm-atom { color: #6C8CD5; }\n.cm-s-xq-dark span.cm-number { color: #164; }\n.cm-s-xq-dark span.cm-def { color: #FFF; text-decoration:underline; }\n.cm-s-xq-dark span.cm-variable { color: #FFF; }\n.cm-s-xq-dark span.cm-variable-2 { color: #EEE; }\n.cm-s-xq-dark span.cm-variable-3, .cm-s-xq-dark span.cm-type { color: #DDD; }\n.cm-s-xq-dark span.cm-property {}\n.cm-s-xq-dark span.cm-operator {}\n.cm-s-xq-dark span.cm-comment { color: gray; }\n.cm-s-xq-dark span.cm-string { color: #9FEE00; }\n.cm-s-xq-dark span.cm-meta { color: yellow; }\n.cm-s-xq-dark span.cm-qualifier { color: #FFF700; }\n.cm-s-xq-dark span.cm-builtin { color: #30a; }\n.cm-s-xq-dark span.cm-bracket { color: #cc7; }\n.cm-s-xq-dark span.cm-tag { color: #FFBD40; }\n.cm-s-xq-dark span.cm-attribute { color: #FFF700; }\n.cm-s-xq-dark span.cm-error { color: #f00; }\n\n.cm-s-xq-dark .CodeMirror-activeline-background { background: #27282E; }\n.cm-s-xq-dark .CodeMirror-matchingbracket { outline:1px solid grey; color:white !important; }\n","/*\nCopyright (C) 2011 by MarkLogic Corporation\nAuthor: Mike Brevoort \n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights\nto use, copy, modify, merge, publish, distribute, sublicense, and/or sell\ncopies of the Software, and to permit persons to whom the Software is\nfurnished to do so, subject to the following conditions:\n\nThe above copyright notice and this permission notice shall be included in\nall copies or substantial portions of the Software.\n\nTHE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR\nIMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,\nFITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE\nAUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER\nLIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,\nOUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN\nTHE SOFTWARE.\n*/\n.cm-s-xq-light span.cm-keyword { line-height: 1em; font-weight: bold; color: #5A5CAD; }\n.cm-s-xq-light span.cm-atom { color: #6C8CD5; }\n.cm-s-xq-light span.cm-number { color: #164; }\n.cm-s-xq-light span.cm-def { text-decoration:underline; }\n.cm-s-xq-light span.cm-variable { color: black; }\n.cm-s-xq-light span.cm-variable-2 { color:black; }\n.cm-s-xq-light span.cm-variable-3, .cm-s-xq-light span.cm-type { color: black; }\n.cm-s-xq-light span.cm-property {}\n.cm-s-xq-light span.cm-operator {}\n.cm-s-xq-light span.cm-comment { color: #0080FF; font-style: italic; }\n.cm-s-xq-light span.cm-string { color: red; }\n.cm-s-xq-light span.cm-meta { color: yellow; }\n.cm-s-xq-light span.cm-qualifier { color: grey; }\n.cm-s-xq-light span.cm-builtin { color: #7EA656; }\n.cm-s-xq-light span.cm-bracket { color: #cc7; }\n.cm-s-xq-light span.cm-tag { color: #3F7F7F; }\n.cm-s-xq-light span.cm-attribute { color: #7F007F; }\n.cm-s-xq-light span.cm-error { color: #f00; }\n\n.cm-s-xq-light .CodeMirror-activeline-background { background: #e8f2ff; }\n.cm-s-xq-light .CodeMirror-matchingbracket { outline:1px solid grey;color:black !important;background:yellow; }\n","/*\n\n Name: yeti\n Author: Michael Kaminsky (http://github.com/mkaminsky11)\n\n Original yeti color scheme by Jesse Weed (https://github.com/jesseweed/yeti-syntax)\n\n*/\n\n\n.cm-s-yeti.CodeMirror {\n background-color: #ECEAE8 !important;\n color: #d1c9c0 !important;\n border: none;\n}\n\n.cm-s-yeti .CodeMirror-gutters {\n color: #adaba6;\n background-color: #E5E1DB;\n border: none;\n}\n.cm-s-yeti .CodeMirror-cursor { border-left: solid thin #d1c9c0; }\n.cm-s-yeti .CodeMirror-linenumber { color: #adaba6; }\n.cm-s-yeti.CodeMirror-focused div.CodeMirror-selected { background: #DCD8D2; }\n.cm-s-yeti .CodeMirror-line::selection, .cm-s-yeti .CodeMirror-line > span::selection, .cm-s-yeti .CodeMirror-line > span > span::selection { background: #DCD8D2; }\n.cm-s-yeti .CodeMirror-line::-moz-selection, .cm-s-yeti .CodeMirror-line > span::-moz-selection, .cm-s-yeti .CodeMirror-line > span > span::-moz-selection { background: #DCD8D2; }\n.cm-s-yeti span.cm-comment { color: #d4c8be; }\n.cm-s-yeti span.cm-string, .cm-s-yeti span.cm-string-2 { color: #96c0d8; }\n.cm-s-yeti span.cm-number { color: #a074c4; }\n.cm-s-yeti span.cm-variable { color: #55b5db; }\n.cm-s-yeti span.cm-variable-2 { color: #a074c4; }\n.cm-s-yeti span.cm-def { color: #55b5db; }\n.cm-s-yeti span.cm-operator { color: #9fb96e; }\n.cm-s-yeti span.cm-keyword { color: #9fb96e; }\n.cm-s-yeti span.cm-atom { color: #a074c4; }\n.cm-s-yeti span.cm-meta { color: #96c0d8; }\n.cm-s-yeti span.cm-tag { color: #96c0d8; }\n.cm-s-yeti span.cm-attribute { color: #9fb96e; }\n.cm-s-yeti span.cm-qualifier { color: #96c0d8; }\n.cm-s-yeti span.cm-property { color: #a074c4; }\n.cm-s-yeti span.cm-builtin { color: #a074c4; }\n.cm-s-yeti span.cm-variable-3, .cm-s-yeti span.cm-type { color: #96c0d8; }\n.cm-s-yeti .CodeMirror-activeline-background { background: #E7E4E0; }\n.cm-s-yeti .CodeMirror-matchingbracket { text-decoration: underline; }\n","/**\n * \"\n * Using Zenburn color palette from the Emacs Zenburn Theme\n * https://github.com/bbatsov/zenburn-emacs/blob/master/zenburn-theme.el\n *\n * Also using parts of https://github.com/xavi/coderay-lighttable-theme\n * \"\n * From: https://github.com/wisenomad/zenburn-lighttable-theme/blob/master/zenburn.css\n */\n\n.cm-s-zenburn .CodeMirror-gutters { background: #3f3f3f !important; }\n.cm-s-zenburn .CodeMirror-foldgutter-open, .CodeMirror-foldgutter-folded { color: #999; }\n.cm-s-zenburn .CodeMirror-cursor { border-left: 1px solid white; }\n.cm-s-zenburn.CodeMirror { background-color: #3f3f3f; color: #dcdccc; }\n.cm-s-zenburn span.cm-builtin { color: #dcdccc; font-weight: bold; }\n.cm-s-zenburn span.cm-comment { color: #7f9f7f; }\n.cm-s-zenburn span.cm-keyword { color: #f0dfaf; font-weight: bold; }\n.cm-s-zenburn span.cm-atom { color: #bfebbf; }\n.cm-s-zenburn span.cm-def { color: #dcdccc; }\n.cm-s-zenburn span.cm-variable { color: #dfaf8f; }\n.cm-s-zenburn span.cm-variable-2 { color: #dcdccc; }\n.cm-s-zenburn span.cm-string { color: #cc9393; }\n.cm-s-zenburn span.cm-string-2 { color: #cc9393; }\n.cm-s-zenburn span.cm-number { color: #dcdccc; }\n.cm-s-zenburn span.cm-tag { color: #93e0e3; }\n.cm-s-zenburn span.cm-property { color: #dfaf8f; }\n.cm-s-zenburn span.cm-attribute { color: #dfaf8f; }\n.cm-s-zenburn span.cm-qualifier { color: #7cb8bb; }\n.cm-s-zenburn span.cm-meta { color: #f0dfaf; }\n.cm-s-zenburn span.cm-header { color: #f0efd0; }\n.cm-s-zenburn span.cm-operator { color: #f0efd0; }\n.cm-s-zenburn span.CodeMirror-matchingbracket { box-sizing: border-box; background: transparent; border-bottom: 1px solid; }\n.cm-s-zenburn span.CodeMirror-nonmatchingbracket { border-bottom: 1px solid; background: none; }\n.cm-s-zenburn .CodeMirror-activeline { background: #000000; }\n.cm-s-zenburn .CodeMirror-activeline-background { background: #000000; }\n.cm-s-zenburn div.CodeMirror-selected { background: #545454; }\n.cm-s-zenburn .CodeMirror-focused div.CodeMirror-selected { background: #4f4f4f; }\n","/* Form Controls\n---------------------------------------------------------------------------- */\n.form-control {\n @apply h-9 placeholder-gray-400 dark:placeholder-gray-600 leading-normal box-border focus:outline-none;\n}\n\n.form-control-bordered {\n @apply ring-1 ring-gray-950/10 dark:ring-gray-100/10 focus:ring-2 focus:ring-primary-500;\n}\n\n.form-control-bordered-error {\n @apply ring-red-400 dark:ring-red-500 !important;\n}\n\n.form-control-focused {\n @apply ring-2 ring-primary-500;\n}\n\n.form-control[data-disabled],\n.form-control:disabled {\n @apply bg-gray-50 dark:bg-gray-800 text-gray-400 outline-none;\n}\n\n/* Form Inputs\n---------------------------------------------------------------------------- */\n.form-input {\n @apply appearance-none text-sm w-full bg-white dark:bg-gray-900 shadow rounded appearance-none placeholder:text-gray-400 dark:placeholder:text-gray-500 px-3 text-gray-600 dark:text-gray-400;\n}\n\n/* Form Selects\n---------------------------------------------------------------------------- */\ninput[type='search'] {\n @apply pr-2;\n}\n\n.dark .form-input,\n.dark input[type='search'] {\n color-scheme: dark;\n}\n\n.form-control + .form-select-arrow,\n.form-control > .form-select-arrow {\n position: absolute;\n top: 15px;\n right: 11px;\n}\n\n/*.form-input-row {*/\n/* @apply bg-white px-3 text-gray-600 border-0 rounded-none shadow-none h-[3rem];*/\n/*}*/\n\n/*.form-select {*/\n/* @apply pl-3 pr-8;*/\n/*}*/\n\n/*input.form-input:read-only,*/\n/*textarea.form-input:read-only,*/\n/*.form-input:active:disabled,*/\n/*.form-input:focus:disabled,*/\n/*.form-select:active:disabled,*/\n/*.form-select:focus:disabled {*/\n/* box-shadow: none;*/\n/*}*/\n\n/*input.form-input:read-only:not([type='color']),*/\n/*textarea.form-input:read-only,*/\n/*.form-input:disabled,*/\n/*.form-input.disabled,*/\n/*.form-select:disabled {*/\n/* @apply bg-gray-50 dark:bg-gray-700;*/\n/* cursor: not-allowed;*/\n/*}*/\n\n/*input.form-input[type='color']:not(:disabled) {*/\n/* cursor: pointer;*/\n/*}*\n/* Checkbox\n---------------------------------------------------------------------------- */\n.fake-checkbox {\n @apply select-none flex-shrink-0 h-4 w-4 text-primary-500 bg-white dark:bg-gray-900 rounded;\n display: inline-block;\n vertical-align: middle;\n background-origin: border-box;\n\n @apply border border-gray-300;\n @apply dark:border-gray-700;\n}\n\n.checkbox {\n @apply appearance-none inline-block align-middle select-none flex-shrink-0 h-4 w-4 text-primary-500 bg-white dark:bg-gray-900 rounded;\n -webkit-print-color-adjust: exact;\n color-adjust: exact;\n @apply border border-gray-300 focus:border-primary-300;\n @apply dark:border-gray-700 dark:focus:border-gray-500;\n @apply disabled:bg-gray-300 dark:disabled:bg-gray-700;\n @apply enabled:hover:cursor-pointer;\n}\n\n.checkbox:focus,\n.checkbox:active {\n @apply outline-none ring-primary-200 ring-2 dark:ring-gray-700;\n}\n\n.fake-checkbox-checked,\n.checkbox:checked {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E\");\n border-color: transparent;\n background-color: currentColor;\n background-size: cover;\n background-position: center;\n background-repeat: no-repeat;\n}\n\n.fake-checkbox-indeterminate,\n.checkbox:indeterminate {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%23FFF' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E\");\n border-color: transparent;\n background-color: currentColor;\n background-size: cover;\n background-position: center;\n background-repeat: no-repeat;\n}\n\nhtml.dark .fake-checkbox-indeterminate,\nhtml.dark .checkbox:indeterminate {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M12 8a1 1 0 0 1-.883.993L11 9H5a1 1 0 0 1-.117-1.993L5 7h6a1 1 0 0 1 1 1Z'/%3E%3C/g%3E%3C/svg%3E\");\n @apply bg-primary-500;\n}\n\nhtml.dark .fake-checkbox-checked,\nhtml.dark .checkbox:checked {\n background-image: url(\"data:image/svg+xml,%3Csvg xmlns='http://www.w3.org/2000/svg' viewBox='0 0 16 16'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cpath d='M0 0h16v16H0z'/%3E%3Cpath fill='%230F172A' fill-rule='nonzero' d='M5.695 7.28A1 1 0 0 0 4.28 8.696l2 2a1 1 0 0 0 1.414 0l4-4A1 1 0 0 0 10.28 5.28L6.988 8.574 5.695 7.28Z'/%3E%3C/g%3E%3C/svg%3E\");\n @apply bg-primary-500;\n}\n\n/* File Upload\n---------------------------------------------------------------------------- */\n.form-file {\n @apply relative;\n}\n\n.form-file-btn {\n}\n\n.form-file-input {\n @apply opacity-0 overflow-hidden absolute;\n width: 0.1px;\n height: 0.1px;\n z-index: -1;\n}\n\n.form-file-input:focus + .form-file-btn,\n.form-file-input + .form-file-btn:hover {\n @apply bg-primary-600 cursor-pointer;\n}\n\n.form-file-input:focus + .form-file-btn {\n}\n","/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbw3ubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbynubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwxubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbwhubdlel2qol.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: italic;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0omimslybiv1o4x1m8cce4odvismz5nzrqy6cmmmu3t3necaafovv9snjbznubdlel2g.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 200;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 300;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 400;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 500;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 600;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 700;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 800;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 900;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n/* cyrillic-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjdxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0460-052F, U+1C80-1C88, U+20B4, U+2DE0-2DFF, U+A640-A69F,\n U+FE2E-FE2F;\n}\n/* cyrillic */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjnxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0301, U+0400-045F, U+0490-0491, U+04B0-04B1, U+2116;\n}\n/* vietnamese */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjlxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0102-0103, U+0110-0111, U+0128-0129, U+0168-0169, U+01A0-01A1,\n U+01AF-01B0, U+0300-0301, U+0303-0304, U+0308-0309, U+0323, U+0329,\n U+1EA0-1EF9, U+20AB;\n}\n/* latin-ext */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kjpxzhggvfmv2w.woff2)\n format('woff2');\n unicode-range: U+0100-02AF, U+0304, U+0308, U+0329, U+1E00-1E9F, U+1EF2-1EFF,\n U+2020, U+20A0-20AB, U+20AD-20CF, U+2113, U+2C60-2C7F, U+A720-A7FF;\n}\n/* latin */\n@font-face {\n font-family: 'Nunito Sans';\n font-style: normal;\n font-weight: 1000;\n font-stretch: 100%;\n font-display: swap;\n src: url(./fonts/snunitosansv15pe0amimslybiv1o4x1m8ce2xcx3yop4tqpf-metm0lfuvwonnq4clz0-kj3xzhggvfm.woff2)\n format('woff2');\n unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA,\n U+02DC, U+0304, U+0308, U+0329, U+2000-206F, U+2074, U+20AC, U+2122, U+2191,\n U+2193, U+2212, U+2215, U+FEFF, U+FFFD;\n}\n","@tailwind utilities;\n","@import 'tailwindcss/base';\n@import 'tailwindcss/components';\n/*rtl:begin:ignore*/\n@import 'codemirror/lib/codemirror.css';\n@import 'codemirror/theme/3024-day.css';\n@import 'codemirror/theme/3024-night.css';\n@import 'codemirror/theme/abcdef.css';\n@import 'codemirror/theme/ambiance-mobile.css';\n@import 'codemirror/theme/ambiance.css';\n@import 'codemirror/theme/base16-dark.css';\n@import 'codemirror/theme/base16-light.css';\n@import 'codemirror/theme/bespin.css';\n@import 'codemirror/theme/blackboard.css';\n@import 'codemirror/theme/cobalt.css';\n@import 'codemirror/theme/colorforth.css';\n@import 'codemirror/theme/darcula.css';\n@import 'codemirror/theme/dracula.css';\n@import 'codemirror/theme/duotone-dark.css';\n@import 'codemirror/theme/duotone-light.css';\n@import 'codemirror/theme/eclipse.css';\n@import 'codemirror/theme/elegant.css';\n@import 'codemirror/theme/erlang-dark.css';\n@import 'codemirror/theme/gruvbox-dark.css';\n@import 'codemirror/theme/hopscotch.css';\n@import 'codemirror/theme/icecoder.css';\n@import 'codemirror/theme/idea.css';\n@import 'codemirror/theme/isotope.css';\n@import 'codemirror/theme/lesser-dark.css';\n@import 'codemirror/theme/liquibyte.css';\n@import 'codemirror/theme/lucario.css';\n@import 'codemirror/theme/material.css';\n@import 'codemirror/theme/mbo.css';\n@import 'codemirror/theme/mdn-like.css';\n@import 'codemirror/theme/midnight.css';\n@import 'codemirror/theme/monokai.css';\n@import 'codemirror/theme/neat.css';\n@import 'codemirror/theme/neo.css';\n@import 'codemirror/theme/night.css';\n@import 'codemirror/theme/oceanic-next.css';\n@import 'codemirror/theme/panda-syntax.css';\n@import 'codemirror/theme/paraiso-dark.css';\n@import 'codemirror/theme/paraiso-light.css';\n@import 'codemirror/theme/pastel-on-dark.css';\n@import 'codemirror/theme/railscasts.css';\n@import 'codemirror/theme/rubyblue.css';\n@import 'codemirror/theme/seti.css';\n@import 'codemirror/theme/shadowfox.css';\n@import 'codemirror/theme/solarized.css';\n@import 'codemirror/theme/ssms.css';\n@import 'codemirror/theme/the-matrix.css';\n@import 'codemirror/theme/tomorrow-night-bright.css';\n@import 'codemirror/theme/tomorrow-night-eighties.css';\n@import 'codemirror/theme/ttcn.css';\n@import 'codemirror/theme/twilight.css';\n@import 'codemirror/theme/vibrant-ink.css';\n@import 'codemirror/theme/xq-dark.css';\n@import 'codemirror/theme/xq-light.css';\n@import 'codemirror/theme/yeti.css';\n@import 'codemirror/theme/zenburn.css';\n/*rtl:end:ignore*/\n@import 'nova';\n@import 'fonts';\n@import 'tailwindcss/utilities';\n"],"names":[],"sourceRoot":""} \ No newline at end of file diff --git a/public/vendor/nova/app.js b/public/vendor/nova/app.js index 45cd795..17345bf 100644 --- a/public/vendor/nova/app.js +++ b/public/vendor/nova/app.js @@ -1,2 +1,2 @@ -(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[52],{82656:(e,t,r)=>{"use strict";var o=r(29608),n=r(52774),l=r(14764),i=r.n(l);function a(){const e=n.default.create();return e.defaults.headers.common["X-Requested-With"]="XMLHttpRequest",e.defaults.headers.common["X-CSRF-TOKEN"]=document.head.querySelector('meta[name="csrf-token"]').content,e.interceptors.response.use((e=>e),(e=>{if(n.default.isCancel(e))return Promise.reject(e);const t=e.response,{status:r,data:{redirect:o}}=t;if(r>=500&&Nova.$emit("error",e.response.data.message),401===r){if(!i()(o))return void(location.href=o);Nova.redirectToLogin()}return 403===r&&Nova.visit("/403"),419===r&&Nova.$emit("token-expired"),Promise.reject(e)})),e}var s=r(91352),c=r.n(s),d=r(63424),u=r.n(d);var h=r(5540),p=r(8144),m=r(73336),v=r.n(m);var f=r(10552),g=r.n(f),w=r(79088),k=r.n(w);var y=r(26923),b=r(22272),x=r.n(b),C=r(45144),B=r.n(C),N=r(64704),V=r.n(N),E=r(74032);const S=(0,E.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"404",-1),_={class:"text-2xl"},H={class:"text-lg leading-normal"};const O={class:"flex justify-center h-screen"},M=["dusk"],R={class:"flex flex-col md:flex-row justify-center items-center space-y-4 md:space-y-0 md:space-x-20",role:"alert"},D={class:"md:w-[20rem] md:shrink-0 space-y-2 md:space-y-4"};const P={props:{status:{type:String,default:"403"}}};var z=r(18152);const F=(0,z.c)(P,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("ErrorPageIcon"),a=(0,E.resolveComponent)("Link");return(0,E.openBlock)(),(0,E.createElementBlock)("div",O,[(0,E.createElementVNode)("div",{class:"z-50 flex items-center justify-center p-6",dusk:`${r.status}-error-page`},[(0,E.createElementVNode)("div",R,[(0,E.createVNode)(i,{class:"shrink-0 md:w-[20rem]"}),(0,E.createElementVNode)("div",D,[(0,E.renderSlot)(e.$slots,"default"),(0,E.createVNode)(a,{href:e.$url("/"),class:"inline-flex items-center focus:outline-none focus:ring rounded border-2 border-primary-300 dark:border-gray-500 hover:border-primary-500 active:border-primary-400 dark:hover:border-gray-400 dark:active:border-gray-300 bg-white dark:bg-transparent text-primary-500 dark:text-gray-400 px-3 py-2 h-9 font-bold tracking-wide uppercase",tabindex:"0",replace:""},{default:(0,E.withCtx)((()=>[(0,E.createTextVNode)((0,E.toDisplayString)(e.__("Go Home")),1)])),_:1},8,["href"])])])],8,M)])}],["__file","ErrorLayout.vue"]]),A={components:{ErrorLayout:F}},T=(0,z.c)(A,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("Head"),a=(0,E.resolveComponent)("ErrorLayout");return(0,E.openBlock)(),(0,E.createBlock)(a,{status:"404"},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(i,{title:"Page Not Found"}),S,(0,E.createElementVNode)("p",_,(0,E.toDisplayString)(e.__("Whoops"))+"…",1),(0,E.createElementVNode)("p",H,(0,E.toDisplayString)(e.__("We're lost in space. The page you were trying to view does not exist.")),1)])),_:1})}],["__file","CustomError404.vue"]]),j=(0,E.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"403",-1),I={class:"text-2xl"},$={class:"text-lg leading-normal"};const L={components:{ErrorLayout:F}},U=(0,z.c)(L,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("Head"),a=(0,E.resolveComponent)("ErrorLayout");return(0,E.openBlock)(),(0,E.createBlock)(a,{status:"403"},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(i,{title:"Forbidden"}),j,(0,E.createElementVNode)("p",I,(0,E.toDisplayString)(e.__("Hold Up!")),1),(0,E.createElementVNode)("p",$,(0,E.toDisplayString)(e.__("The government won't let us show you what's behind these doors"))+"… ",1)])),_:1})}],["__file","CustomError403.vue"]]),q={class:"text-[5rem] md:text-[4rem] font-normal leading-none"},K={class:"text-2xl"},W={class:"text-lg leading-normal"};const G={components:{ErrorLayout:F}},Q=(0,z.c)(G,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("Head"),a=(0,E.resolveComponent)("ErrorLayout");return(0,E.openBlock)(),(0,E.createBlock)(a,null,{default:(0,E.withCtx)((()=>[(0,E.createVNode)(i,{title:"Error"}),(0,E.createElementVNode)("h1",q,(0,E.toDisplayString)(e.__(":-(")),1),(0,E.createElementVNode)("p",K,(0,E.toDisplayString)(e.__("Whoops"))+"…",1),(0,E.createElementVNode)("p",W,(0,E.toDisplayString)(e.__("Nova experienced an unrecoverable error.")),1)])),_:1})}],["__file","CustomAppError.vue"]]),Y=["innerHTML"],Z=["aria-label","aria-expanded"],X={class:"flex gap-2 mb-6"},J={key:1,class:"inline-flex items-center gap-2 ml-auto"};var ee=r(73736),te=r(63916),re=r(85676),oe=r(48936);function ne(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function le(e){for(var t=1;t({lenses:[],sortable:!0,actionCanceller:null}),async created(){this.resourceInformation&&(!0===this.shouldEnableShortcut&&(Nova.addShortcut("c",this.handleKeydown),Nova.addShortcut("mod+a",this.toggleSelectAll),Nova.addShortcut("mod+shift+a",this.toggleSelectAllMatching)),this.getLenses(),Nova.$on("refresh-resources",this.getResources),Nova.$on("resources-detached",this.getAuthorizationToRelate),null!==this.actionCanceller&&this.actionCanceller())},beforeUnmount(){this.shouldEnableShortcut&&(Nova.disableShortcut("c"),Nova.disableShortcut("mod+a"),Nova.disableShortcut("mod+shift+a")),Nova.$off("refresh-resources",this.getResources),Nova.$off("resources-detached",this.getAuthorizationToRelate),null!==this.actionCanceller&&this.actionCanceller()},methods:le(le({},(0,oe.ae)(["fetchPolicies"])),{},{handleKeydown(e){this.authorizedToCreate&&"INPUT"!==e.target.tagName&&"TEXTAREA"!==e.target.tagName&&"true"!==e.target.contentEditable&&Nova.visit(`/resources/${this.resourceName}/new`)},getResources(){this.shouldBeCollapsed?this.loading=!1:(this.loading=!0,this.resourceResponseError=null,this.$nextTick((()=>(this.clearResourceSelections(),(0,re.OC)(Nova.request().get("/nova-api/"+this.resourceName,{params:this.resourceRequestQueryString,cancelToken:new ee.al((e=>{this.canceller=e}))}),300).then((({data:e})=>{this.resources=[],this.resourceResponse=e,this.resources=e.resources,this.softDeletes=e.softDeletes,this.perPage=e.per_page,this.sortable=e.sortable,this.handleResourcesLoaded()})).catch((e=>{if(!(0,ee.CA)(e))throw this.loading=!1,this.resourceResponseError=e,e}))))))},getAuthorizationToRelate(){if(!this.shouldBeCollapsed&&(this.authorizedToCreate||"belongsToMany"===this.relationshipType||"morphToMany"===this.relationshipType))return this.viaResource?Nova.request().get("/nova-api/"+this.resourceName+"/relate-authorization?viaResource="+this.viaResource+"&viaResourceId="+this.viaResourceId+"&viaRelationship="+this.viaRelationship+"&relationshipType="+this.relationshipType).then((e=>{this.authorizedToRelate=e.data.authorized})):this.authorizedToRelate=!0},getLenses(){if(this.lenses=[],!this.viaResource)return Nova.request().get("/nova-api/"+this.resourceName+"/lenses").then((e=>{this.lenses=e.data}))},getActions(){if(null!==this.actionCanceller&&this.actionCanceller(),this.actions=[],this.pivotActions=null,!this.shouldBeCollapsed)return Nova.request().get(`/nova-api/${this.resourceName}/actions`,{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,display:"index",resources:this.selectAllMatchingChecked?"all":this.selectedResourceIds,pivots:this.selectAllMatchingChecked?null:this.selectedPivotIds},cancelToken:new ee.al((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,ee.CA)(e))throw e}))},getAllMatchingResourceCount(){Nova.request().get("/nova-api/"+this.resourceName+"/count",{params:this.resourceRequestQueryString}).then((e=>{this.allMatchingResourceCount=e.data.count}))},loadMore(){return null===this.currentPageLoadMore&&(this.currentPageLoadMore=this.currentPage),this.currentPageLoadMore=this.currentPageLoadMore+1,(0,re.OC)(Nova.request().get("/nova-api/"+this.resourceName,{params:le(le({},this.resourceRequestQueryString),{},{page:this.currentPageLoadMore})}),300).then((({data:e})=>{this.resourceResponse=e,this.resources=[...this.resources,...e.resources],null!==e.total?this.allMatchingResourceCount=e.total:this.getAllMatchingResourceCount(),Nova.$emit("resources-loaded",{resourceName:this.resourceName,mode:this.isRelation?"related":"index"})}))},async handleCollapsableChange(){this.loading=!0,this.toggleCollapse(),this.collapsed?this.loading=!1:(this.filterHasLoaded?await this.getResources():(await this.initializeFilters(null),this.hasFilters||await this.getResources()),await this.getAuthorizationToRelate(),await this.getActions(),this.restartPolling())}}),computed:{actionQueryString(){return{currentSearch:this.currentSearch,encodedFilters:this.encodedFilters,currentTrashed:this.currentTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}},shouldBeCollapsed(){return this.collapsed&&null!=this.viaRelationship},collapsedByDefault(){return this.field?.collapsedByDefault??!1},cardsEndpoint(){return`/nova-api/${this.resourceName}/cards`},resourceRequestQueryString(){return{search:this.currentSearch,filters:this.encodedFilters,orderBy:this.currentOrderBy,orderByDirection:this.currentOrderByDirection,perPage:this.currentPerPage,trashed:this.currentTrashed,page:this.currentPage,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,viaResourceRelationship:this.viaResourceRelationship,relationshipType:this.relationshipType}},canShowDeleteMenu(){return Boolean(this.authorizedToDeleteSelectedResources||this.authorizedToForceDeleteSelectedResources||this.authorizedToRestoreSelectedResources||this.selectAllMatchingChecked)},headingTitle(){return this.initialLoading?" ":this.isRelation&&this.field?this.field.name:null!==this.resourceResponse?this.resourceResponse.label:this.resourceInformation.label}}},se=(0,z.c)(ae,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("Head"),a=(0,E.resolveComponent)("Cards"),s=(0,E.resolveComponent)("CollapseButton"),c=(0,E.resolveComponent)("Heading"),d=(0,E.resolveComponent)("IndexSearchInput"),u=(0,E.resolveComponent)("ActionDropdown"),h=(0,E.resolveComponent)("CreateResourceButton"),p=(0,E.resolveComponent)("ResourceTableToolbar"),m=(0,E.resolveComponent)("IndexErrorDialog"),v=(0,E.resolveComponent)("IndexEmptyDialog"),f=(0,E.resolveComponent)("ResourceTable"),g=(0,E.resolveComponent)("ResourcePagination"),w=(0,E.resolveComponent)("LoadingView"),k=(0,E.resolveComponent)("Card");return(0,E.openBlock)(),(0,E.createBlock)(w,{loading:e.initialLoading,dusk:e.resourceName+"-index-component","data-relationship":e.viaRelationship},{default:(0,E.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation?((0,E.openBlock)(),(0,E.createBlock)(i,{key:0,title:e.__(`${e.resourceInformation.label}`)},null,8,["title"])):(0,E.createCommentVNode)("",!0),e.shouldShowCards?((0,E.openBlock)(),(0,E.createBlock)(a,{key:1,cards:e.cards,"resource-name":e.resourceName},null,8,["cards","resource-name"])):(0,E.createCommentVNode)("",!0),(0,E.createVNode)(c,{level:1,class:(0,E.normalizeClass)(["mb-3 flex items-center",{"mt-6":e.shouldShowCards&&e.cards.length>0}]),dusk:"index-heading"},{default:(0,E.withCtx)((()=>[(0,E.createElementVNode)("span",{innerHTML:l.headingTitle},null,8,Y),!e.loading&&e.viaRelationship?((0,E.openBlock)(),(0,E.createElementBlock)("button",{key:0,onClick:t[0]||(t[0]=(...e)=>l.handleCollapsableChange&&l.handleCollapsableChange(...e)),class:"rounded border border-transparent h-6 w-6 ml-1 inline-flex items-center justify-center focus:outline-none focus:ring ring-primary-200","aria-label":e.__("Toggle Collapsed"),"aria-expanded":!1===l.shouldBeCollapsed?"true":"false"},[(0,E.createVNode)(s,{collapsed:l.shouldBeCollapsed},null,8,["collapsed"])],8,Z)):(0,E.createCommentVNode)("",!0)])),_:1},8,["class"]),l.shouldBeCollapsed?(0,E.createCommentVNode)("",!0):((0,E.openBlock)(),(0,E.createElementBlock)(E.Fragment,{key:2},[(0,E.createElementVNode)("div",X,[e.resourceInformation&&e.resourceInformation.searchable?((0,E.openBlock)(),(0,E.createBlock)(d,{key:0,searchable:e.resourceInformation&&e.resourceInformation.searchable,keyword:e.search,"onUpdate:keyword":[t[1]||(t[1]=t=>e.search=t),t[2]||(t[2]=t=>e.search=t)]},null,8,["searchable","keyword"])):(0,E.createCommentVNode)("",!0),e.availableStandaloneActions.length>0||e.authorizedToCreate||e.authorizedToRelate?((0,E.openBlock)(),(0,E.createElementBlock)("div",J,[e.availableStandaloneActions.length>0?((0,E.openBlock)(),(0,E.createBlock)(u,{key:0,onActionExecuted:e.handleActionExecuted,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,actions:e.availableStandaloneActions,"selected-resources":e.selectedResourcesForActionSelector,"trigger-dusk-attribute":"index-standalone-action-dropdown"},null,8,["onActionExecuted","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","actions","selected-resources"])):(0,E.createCommentVNode)("",!0),(0,E.createVNode)(h,{label:e.createButtonLabel,"singular-name":e.singularName,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"authorized-to-create":e.authorizedToCreate,"authorized-to-relate":e.authorizedToRelate,class:"shrink-0"},null,8,["label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create","authorized-to-relate"])])):(0,E.createCommentVNode)("",!0)]),(0,E.createVNode)(k,null,{default:(0,E.withCtx)((()=>[(0,E.createVNode)(p,{"action-query-string":l.actionQueryString,"all-matching-resource-count":e.allMatchingResourceCount,"authorized-to-delete-any-resources":e.authorizedToDeleteAnyResources,"authorized-to-delete-selected-resources":e.authorizedToDeleteSelectedResources,"authorized-to-force-delete-any-resources":e.authorizedToForceDeleteAnyResources,"authorized-to-force-delete-selected-resources":e.authorizedToForceDeleteSelectedResources,"authorized-to-restore-any-resources":e.authorizedToRestoreAnyResources,"authorized-to-restore-selected-resources":e.authorizedToRestoreSelectedResources,"available-actions":e.availableActions,"clear-selected-filters":e.clearSelectedFilters,"close-delete-modal":e.closeDeleteModal,"currently-polling":e.currentlyPolling,"current-page-count":e.resources.length,"delete-all-matching-resources":e.deleteAllMatchingResources,"delete-selected-resources":e.deleteSelectedResources,"filter-changed":e.filterChanged,"force-delete-all-matching-resources":e.forceDeleteAllMatchingResources,"force-delete-selected-resources":e.forceDeleteSelectedResources,"get-resources":l.getResources,"has-filters":e.hasFilters,"have-standalone-actions":e.haveStandaloneActions,lenses:e.lenses,loading:e.resourceResponse&&e.loading,"per-page-options":e.perPageOptions,"per-page":e.perPage,"pivot-actions":e.pivotActions,"pivot-name":e.pivotName,resources:e.resources,"resource-information":e.resourceInformation,"resource-name":e.resourceName,"restore-all-matching-resources":e.restoreAllMatchingResources,"restore-selected-resources":e.restoreSelectedResources,"select-all-matching-checked":e.selectAllMatchingResources,onDeselect:e.clearResourceSelections,"selected-resources":e.selectedResources,"selected-resources-for-action-selector":e.selectedResourcesForActionSelector,"should-show-action-selector":e.shouldShowActionSelector,"should-show-checkboxes":e.shouldShowCheckboxes,"should-show-delete-menu":e.shouldShowDeleteMenu,"should-show-polling-toggle":e.shouldShowPollingToggle,"soft-deletes":e.softDeletes,onStartPolling:e.startPolling,onStopPolling:e.stopPolling,"toggle-select-all-matching":e.toggleSelectAllMatching,"toggle-select-all":e.toggleSelectAll,"toggle-polling":e.togglePolling,"trashed-changed":e.trashedChanged,"trashed-parameter":e.trashedParameter,trashed:e.trashed,"update-per-page-changed":e.updatePerPageChanged,"via-many-to-many":e.viaManyToMany,"via-resource":e.viaResource},null,8,["action-query-string","all-matching-resource-count","authorized-to-delete-any-resources","authorized-to-delete-selected-resources","authorized-to-force-delete-any-resources","authorized-to-force-delete-selected-resources","authorized-to-restore-any-resources","authorized-to-restore-selected-resources","available-actions","clear-selected-filters","close-delete-modal","currently-polling","current-page-count","delete-all-matching-resources","delete-selected-resources","filter-changed","force-delete-all-matching-resources","force-delete-selected-resources","get-resources","has-filters","have-standalone-actions","lenses","loading","per-page-options","per-page","pivot-actions","pivot-name","resources","resource-information","resource-name","restore-all-matching-resources","restore-selected-resources","select-all-matching-checked","onDeselect","selected-resources","selected-resources-for-action-selector","should-show-action-selector","should-show-checkboxes","should-show-delete-menu","should-show-polling-toggle","soft-deletes","onStartPolling","onStopPolling","toggle-select-all-matching","toggle-select-all","toggle-polling","trashed-changed","trashed-parameter","trashed","update-per-page-changed","via-many-to-many","via-resource"]),(0,E.createVNode)(w,{loading:e.loading,variant:e.resourceResponse?"overlay":"default"},{default:(0,E.withCtx)((()=>[null!=e.resourceResponseError?((0,E.openBlock)(),(0,E.createBlock)(m,{key:0,resource:e.resourceInformation,onClick:l.getResources},null,8,["resource","onClick"])):((0,E.openBlock)(),(0,E.createElementBlock)(E.Fragment,{key:1},[e.loading||e.resources.length?(0,E.createCommentVNode)("",!0):((0,E.openBlock)(),(0,E.createBlock)(v,{key:0,"create-button-label":e.createButtonLabel,"singular-name":e.singularName,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"authorized-to-create":e.authorizedToCreate,"authorized-to-relate":e.authorizedToRelate},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create","authorized-to-relate"])),(0,E.createVNode)(f,{"authorized-to-relate":e.authorizedToRelate,"resource-name":e.resourceName,resources:e.resources,"singular-name":e.singularName,"selected-resources":e.selectedResources,"selected-resource-ids":e.selectedResourceIds,"actions-are-available":e.allActions.length>0,"should-show-checkboxes":e.shouldShowCheckboxes,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"update-selection-status":e.updateSelectionStatus,sortable:e.sortable,onOrder:e.orderByField,onResetOrderBy:e.resetOrderBy,onDelete:e.deleteResources,onRestore:e.restoreResources,onActionExecuted:e.handleActionExecuted,ref:"resourceTable"},null,8,["authorized-to-relate","resource-name","resources","singular-name","selected-resources","selected-resource-ids","actions-are-available","should-show-checkboxes","via-resource","via-resource-id","via-relationship","relationship-type","update-selection-status","sortable","onOrder","onResetOrderBy","onDelete","onRestore","onActionExecuted"]),e.shouldShowPagination?((0,E.openBlock)(),(0,E.createBlock)(g,{key:1,"pagination-component":e.paginationComponent,"has-next-page":e.hasNextPage,"has-previous-page":e.hasPreviousPage,"load-more":l.loadMore,"select-page":e.selectPage,"total-pages":e.totalPages,"current-page":e.currentPage,"per-page":e.perPage,"resource-count-label":e.resourceCountLabel,"current-resource-count":e.currentResourceCount,"all-matching-resource-count":e.allMatchingResourceCount},null,8,["pagination-component","has-next-page","has-previous-page","load-more","select-page","total-pages","current-page","per-page","resource-count-label","current-resource-count","all-matching-resource-count"])):(0,E.createCommentVNode)("",!0)],64))])),_:1},8,["loading","variant"])])),_:1})],64))])),_:1},8,["loading","dusk","data-relationship"])}],["__file","Index.vue"]]),ce={key:1},de=["dusk"],ue={key:0,class:"md:flex items-center mb-3"},he={class:"flex flex-auto truncate items-center"},pe={class:"ml-auto flex items-center"};function me(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function ve(e){for(var t=1;t({initialLoading:!0,loading:!0,title:null,resource:null,panels:[],actions:[],actionValidationErrors:new te.rF}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");!0===this.shouldEnableShortcut&&Nova.addShortcut("e",this.handleKeydown)},beforeUnmount(){!0===this.shouldEnableShortcut&&Nova.disableShortcut("e")},mounted(){this.initializeComponent()},methods:ve(ve({},(0,oe.ae)(["startImpersonating"])),{},{handleResourceLoaded(){this.loading=!1,Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:this.resourceId.toString(),mode:"detail"})},handleKeydown(e){this.resource.authorizedToUpdate&&"INPUT"!=e.target.tagName&&"TEXTAREA"!=e.target.tagName&&"true"!=e.target.contentEditable&&Nova.visit(`/resources/${this.resourceName}/${this.resourceId}/edit`)},async initializeComponent(){await this.getResource(),await this.getActions(),this.initialLoading=!1},getResource(){return this.loading=!0,this.panels=null,this.resource=null,(0,re.OC)(Nova.request().get("/nova-api/"+this.resourceName+"/"+this.resourceId,{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType}})).then((({data:{title:e,panels:t,resource:r}})=>{this.title=e,this.panels=t,this.resource=r,this.handleResourceLoaded()})).catch((e=>{if(e.response.status>=500)Nova.$emit("error",e.response.data.message);else if(404===e.response.status&&this.initialLoading)Nova.visit("/404");else if(403!==e.response.status){if(401===e.response.status)return Nova.redirectToLogin();Nova.error(this.__("This resource no longer exists")),Nova.visit(`/resources/${this.resourceName}`)}else Nova.visit("/403")}))},async getActions(){this.actions=[];try{const e=await Nova.request().get("/nova-api/"+this.resourceName+"/actions",{params:{resourceId:this.resourceId,editing:!0,editMode:"create",display:"detail"}});this.actions=e.data?.actions}catch(e){console.log(e),Nova.error(this.__("Unable to load actions for this resource"))}},async actionExecuted(){await this.getResource(),await this.getActions()},resolveComponentName:e=>i()(e.prefixComponent)||e.prefixComponent?"detail-"+e.component:e.component}),computed:ve(ve({},(0,oe.gV)(["currentUser"])),{},{canBeImpersonated(){return this.currentUser.canImpersonate&&this.resource.authorizedToImpersonate},shouldShowActionDropdown(){return this.resource&&(this.actions.length>0||this.canModifyResource)},canModifyResource(){return this.resource.authorizedToReplicate||this.canBeImpersonated||this.resource.authorizedToDelete&&!this.resource.softDeleted||this.resource.authorizedToRestore&&this.resource.softDeleted||this.resource.authorizedToForceDelete},isActionDetail(){return"action-events"===this.resourceName},cardsEndpoint(){return`/nova-api/${this.resourceName}/cards`},extraCardParams(){return{resourceId:this.resourceId}}})},we=(0,z.c)(ge,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("Head"),a=(0,E.resolveComponent)("Cards"),s=(0,E.resolveComponent)("Heading"),c=(0,E.resolveComponent)("Badge"),d=(0,E.resolveComponent)("DetailActionDropdown"),u=(0,E.resolveComponent)("Icon"),h=(0,E.resolveComponent)("BasicButton"),p=(0,E.resolveComponent)("Link"),m=(0,E.resolveComponent)("LoadingView"),v=(0,E.resolveDirective)("tooltip");return(0,E.openBlock)(),(0,E.createBlock)(m,{loading:e.initialLoading},{default:(0,E.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation&&e.title?((0,E.openBlock)(),(0,E.createBlock)(i,{key:0,title:e.__(":resource Details: :title",{resource:e.resourceInformation.singularLabel,title:e.title})},null,8,["title"])):(0,E.createCommentVNode)("",!0),e.shouldShowCards&&e.hasDetailOnlyCards?((0,E.openBlock)(),(0,E.createElementBlock)("div",ce,[e.cards.length>0?((0,E.openBlock)(),(0,E.createBlock)(a,{key:0,cards:e.cards,"only-on-detail":!0,resource:e.resource,"resource-id":e.resourceId,"resource-name":e.resourceName},null,8,["cards","resource","resource-id","resource-name"])):(0,E.createCommentVNode)("",!0)])):(0,E.createCommentVNode)("",!0),(0,E.createElementVNode)("div",{class:(0,E.normalizeClass)({"mt-6":e.shouldShowCards&&e.hasDetailOnlyCards&&e.cards.length>0}),dusk:e.resourceName+"-detail-component"},[((0,E.openBlock)(!0),(0,E.createElementBlock)(E.Fragment,null,(0,E.renderList)(e.panels,(t=>((0,E.openBlock)(),(0,E.createBlock)((0,E.resolveDynamicComponent)(l.resolveComponentName(t)),{key:t.id,panel:t,resource:e.resource,"resource-id":e.resourceId,"resource-name":e.resourceName,class:"mb-8"},{default:(0,E.withCtx)((()=>[t.showToolbar?((0,E.openBlock)(),(0,E.createElementBlock)("div",ue,[(0,E.createElementVNode)("div",he,[(0,E.createVNode)(s,{level:1,textContent:(0,E.toDisplayString)(t.name),dusk:`${t.name}-detail-heading`},null,8,["textContent","dusk"]),e.resource.softDeleted?((0,E.openBlock)(),(0,E.createBlock)(c,{key:0,label:e.__("Soft Deleted"),class:"bg-red-100 text-red-500 dark:bg-red-400 dark:text-red-900 rounded px-2 py-0.5 ml-3"},null,8,["label"])):(0,E.createCommentVNode)("",!0)]),(0,E.createElementVNode)("div",pe,[l.shouldShowActionDropdown?((0,E.openBlock)(),(0,E.createBlock)(d,{key:0,resource:e.resource,actions:e.actions,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"resource-name":e.resourceName,class:"mt-1 md:mt-0 md:ml-2 md:mr-2",onActionExecuted:l.actionExecuted,onResourceDeleted:l.getResource,onResourceRestored:l.getResource},null,8,["resource","actions","via-resource","via-resource-id","via-relationship","resource-name","onActionExecuted","onResourceDeleted","onResourceRestored"])):(0,E.createCommentVNode)("",!0),r.showViewLink?(0,E.withDirectives)(((0,E.openBlock)(),(0,E.createBlock)(p,{key:1,href:e.$url(`/resources/${e.resourceName}/${e.resourceId}`),class:"rounded hover:bg-gray-200 dark:hover:bg-gray-800 focus:outline-none focus:ring",dusk:"view-resource-button",tabindex:"1"},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(h,{component:"span"},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(u,{type:"eye"})])),_:1})])),_:1},8,["href"])),[[v,{placement:"bottom",distance:10,skidding:0,content:e.__("View")}]]):(0,E.createCommentVNode)("",!0),e.resource.authorizedToUpdate?(0,E.withDirectives)(((0,E.openBlock)(),(0,E.createBlock)(p,{key:2,href:e.$url(`/resources/${e.resourceName}/${e.resourceId}/edit`),class:"rounded hover:bg-gray-200 dark:hover:bg-gray-800 focus:outline-none focus:ring",dusk:"edit-resource-button",tabindex:"1"},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(h,{component:"span"},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(u,{type:"pencil-alt"})])),_:1})])),_:1},8,["href"])),[[v,{placement:"bottom",distance:10,skidding:0,content:e.__("Edit")}]]):(0,E.createCommentVNode)("",!0)])])):(0,E.createCommentVNode)("",!0)])),_:2},1032,["panel","resource","resource-id","resource-name"])))),128))],10,de)])),_:1},8,["loading"])}],["__file","Detail.vue"]]),ke=["data-form-unique-id"],ye={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},be={class:"w-1/5 px-8 py-6"},xe=["for"],Ce={class:"py-6 px-8 w-1/2"},Be={class:"inline-block font-bold text-gray-500 pt-2"},Ne={class:"flex items-center"},Ve={key:0,class:"flex items-center"},Ee={key:0,class:"mr-3"},Se=["src"],_e={class:"flex items-center"},He={key:0,class:"flex-none mr-3"},Oe=["src"],Me={class:"flex-auto"},Re={key:0},De={key:1},Pe={value:"",disabled:"",selected:""},ze={class:"flex flex-col md:flex-row md:items-center justify-center md:justify-end space-y-2 md:space-y-0 space-x-3"};var Fe=r(94960),Ae=r.n(Fe),Te=r(67120),je=r.n(Te),Ie=r(44684),$e=r.n(Ie),Le=r(10076);function Ue(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function qe(e){for(var t=1;t({initialLoading:!0,loading:!0,submittedViaAttachAndAttachAnother:!1,submittedViaAttachResource:!1,field:null,softDeletes:!1,fields:[],selectedResource:null,selectedResourceId:null,relationModalOpen:!1,initializingWithExistingResource:!1}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:qe(qe({},(0,oe.ae)(["fetchPolicies"])),{},{initializeComponent(){this.softDeletes=!1,this.disableWithTrashed(),this.clearSelection(),this.getField(),this.getPivotFields(),this.resetErrors(),this.allowLeavingForm()},handlePivotFieldsLoaded(){this.loading=!1,Ae()(this.fields,(e=>{e.fill=()=>""}))},getField(){this.field=null,Nova.request().get("/nova-api/"+this.resourceName+"/field/"+this.viaRelationship,{params:{relatable:!0}}).then((({data:e})=>{this.field=e,this.field.searchable?this.determineIfSoftDeletes():this.getAvailableResources(),this.initialLoading=!1}))},getPivotFields(){this.fields=[],this.loading=!0,Nova.request().get("/nova-api/"+this.resourceName+"/"+this.resourceId+"/creation-pivot-fields/"+this.relatedResourceName,{params:{editing:!0,editMode:"attach",viaRelationship:this.viaRelationship}}).then((({data:e})=>{this.fields=e,this.handlePivotFieldsLoaded()}))},getAvailableResources(e=""){return Nova.$progress.start(),Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/attachable/${this.relatedResourceName}`,{params:{search:e,current:this.selectedResourceId,first:this.initializingWithExistingResource,withTrashed:this.withTrashed,viaRelationship:this.viaRelationship}}).then((e=>{Nova.$progress.done(),this.isSearchable&&(this.initializingWithExistingResource=!1),this.availableResources=e.data.resources,this.withTrashed=e.data.withTrashed,this.softDeletes=e.data.softDeletes})).catch((e=>{Nova.$progress.done()}))},determineIfSoftDeletes(){Nova.request().get("/nova-api/"+this.relatedResourceName+"/soft-deletes").then((e=>{this.softDeletes=e.data.softDeletes}))},async attachResource(){this.submittedViaAttachResource=!0;try{await this.attachRequest(),this.submittedViaAttachResource=!1,this.allowLeavingForm(),await this.fetchPolicies(),Nova.success(this.__("The resource was attached!")),Nova.visit(`/resources/${this.resourceName}/${this.resourceId}`)}catch(e){window.scrollTo(0,0),this.submittedViaAttachResource=!1,this.preventLeavingForm(),this.handleOnCreateResponseError(e)}},async attachAndAttachAnother(){this.submittedViaAttachAndAttachAnother=!0;try{await this.attachRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.allowLeavingForm(),this.submittedViaAttachAndAttachAnother=!1,await this.fetchPolicies(),this.initializeComponent()}catch(e){this.submittedViaAttachAndAttachAnother=!1,this.handleOnCreateResponseError(e)}},cancelAttachingResource(){this.handleProceedingToPreviousPage(),this.allowLeavingForm(),this.proceedToPreviousPage(`/resources/${this.resourceName}/${this.resourceId}`)},attachRequest(){return Nova.request().post(this.attachmentEndpoint,this.attachmentFormData(),{params:{editing:!0,editMode:"attach"}})},attachmentFormData(){return $e()(new FormData,(e=>{Ae()(this.fields,(t=>{t.fill(e)})),this.selectedResource?e.append(this.relatedResourceName,this.selectedResource.value):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("viaRelationship",this.viaRelationship)}))},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},selectInitialResource(){this.selectedResource=je()(this.availableResources,(e=>e.value==this.selectedResourceId))},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},onUpdateFormStatus(){this.updateFormStatus()},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.initializingWithExistingResource=!0,this.getAvailableResources().then((()=>this.selectInitialResource()))},openRelationModal(){Nova.$emit("create-relation-modal-opened"),this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1,Nova.$emit("create-relation-modal-closed")},clearResourceSelection(){this.clearSelection(),this.isSearchable||(this.initializingWithExistingResource=!1,this.getAvailableResources())}}),computed:{attachmentEndpoint(){return this.polymorphic?"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach-morphed/"+this.relatedResourceName:"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach/"+this.relatedResourceName},relatedResourceLabel(){if(this.field)return this.field.singularLabel},isSearchable(){return this.field.searchable},isWorking(){return this.submittedViaAttachResource||this.submittedViaAttachAndAttachAnother},headingTitle(){return this.__("Attach :resource",{resource:this.relatedResourceLabel})},shouldShowTrashed(){return Boolean(this.softDeletes)},authorizedToCreate(){return je()(Nova.config("resources"),(e=>e.uriKey==this.field.resourceName)).authorizedToCreate},canShowNewRelationModal(){return this.field.showCreateRelationButton&&this.authorizedToCreate}}},Ge=(0,z.c)(We,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("Head"),a=(0,E.resolveComponent)("Heading"),s=(0,E.resolveComponent)("SearchInput"),c=(0,E.resolveComponent)("SelectControl"),d=(0,E.resolveComponent)("CreateRelationButton"),u=(0,E.resolveComponent)("CreateRelationModal"),h=(0,E.resolveComponent)("TrashedCheckbox"),p=(0,E.resolveComponent)("DefaultField"),m=(0,E.resolveComponent)("LoadingView"),v=(0,E.resolveComponent)("Card"),f=(0,E.resolveComponent)("Button");return(0,E.openBlock)(),(0,E.createBlock)(m,{loading:e.initialLoading},{default:(0,E.withCtx)((()=>[l.relatedResourceLabel?((0,E.openBlock)(),(0,E.createBlock)(i,{key:0,title:e.__("Attach :resource",{resource:l.relatedResourceLabel})},null,8,["title"])):(0,E.createCommentVNode)("",!0),(0,E.createVNode)(a,{class:"mb-3",textContent:(0,E.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),dusk:"attach-heading"},null,8,["textContent"]),e.field?((0,E.openBlock)(),(0,E.createElementBlock)("form",{key:1,onSubmit:t[1]||(t[1]=(0,E.withModifiers)(((...e)=>l.attachResource&&l.attachResource(...e)),["prevent"])),onChange:t[2]||(t[2]=(...e)=>l.onUpdateFormStatus&&l.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off"},[(0,E.createVNode)(v,{class:"mb-8"},{default:(0,E.withCtx)((()=>[r.parentResource?((0,E.openBlock)(),(0,E.createElementBlock)("div",ye,[(0,E.createElementVNode)("div",be,[(0,E.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,E.toDisplayString)(r.parentResource.name),9,xe)]),(0,E.createElementVNode)("div",Ce,[(0,E.createElementVNode)("span",Be,(0,E.toDisplayString)(r.parentResource.display),1)])])):(0,E.createCommentVNode)("",!0),(0,E.createVNode)(p,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,E.withCtx)((()=>[(0,E.createElementVNode)("div",Ne,[e.field.searchable?((0,E.openBlock)(),(0,E.createBlock)(s,{key:0,dusk:`${e.field.resourceName}-search-input`,onInput:e.performSearch,onClear:l.clearResourceSelection,onSelected:e.selectResource,debounce:e.field.debounce,value:e.selectedResource,data:e.availableResources,trackBy:"value",class:"w-full"},{option:(0,E.withCtx)((({selected:t,option:r})=>[(0,E.createElementVNode)("div",_e,[r.avatar?((0,E.openBlock)(),(0,E.createElementBlock)("div",He,[(0,E.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,Oe)])):(0,E.createCommentVNode)("",!0),(0,E.createElementVNode)("div",Me,[(0,E.createElementVNode)("div",{class:(0,E.normalizeClass)(["text-sm font-semibold leading-5",{"text-white":t}])},(0,E.toDisplayString)(r.display),3),e.field.withSubtitles?((0,E.openBlock)(),(0,E.createElementBlock)("div",{key:0,class:(0,E.normalizeClass)(["mt-1 text-xs font-semibold leading-5 text-gray-500",{"text-white":t}])},[r.subtitle?((0,E.openBlock)(),(0,E.createElementBlock)("span",Re,(0,E.toDisplayString)(r.subtitle),1)):((0,E.openBlock)(),(0,E.createElementBlock)("span",De,(0,E.toDisplayString)(e.__("No additional information...")),1))],2)):(0,E.createCommentVNode)("",!0)])])])),default:(0,E.withCtx)((()=>[e.selectedResource?((0,E.openBlock)(),(0,E.createElementBlock)("div",Ve,[e.selectedResource.avatar?((0,E.openBlock)(),(0,E.createElementBlock)("div",Ee,[(0,E.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,Se)])):(0,E.createCommentVNode)("",!0),(0,E.createTextVNode)(" "+(0,E.toDisplayString)(e.selectedResource.display),1)])):(0,E.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onSelected","debounce","value","data"])):((0,E.openBlock)(),(0,E.createBlock)(c,{key:1,class:(0,E.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select",selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:l.selectResourceFromSelectControl,options:e.availableResources,label:"display"},{default:(0,E.withCtx)((()=>[(0,E.createElementVNode)("option",Pe,(0,E.toDisplayString)(e.__("Choose :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["class","selected","onChange","options"])),l.canShowNewRelationModal?((0,E.openBlock)(),(0,E.createBlock)(d,{key:2,onClick:l.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,E.createCommentVNode)("",!0)]),(0,E.createVNode)(u,{show:l.canShowNewRelationModal&&e.relationModalOpen,onSetResource:l.handleSetResource,onCreateCancelled:l.closeRelationModal,"resource-name":e.field.resourceName,"resource-id":r.resourceId,"via-relationship":r.viaRelationship,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId},null,8,["show","onSetResource","onCreateCancelled","resource-name","resource-id","via-relationship","via-resource","via-resource-id"]),e.softDeletes?((0,E.openBlock)(),(0,E.createBlock)(h,{key:0,class:"mt-3","resource-name":e.field.resourceName,checked:e.withTrashed,onInput:l.toggleWithTrashed},null,8,["resource-name","checked","onInput"])):(0,E.createCommentVNode)("",!0)])),_:1},8,["field","errors"]),(0,E.createVNode)(m,{loading:e.loading},{default:(0,E.withCtx)((()=>[((0,E.openBlock)(!0),(0,E.createElementBlock)(E.Fragment,null,(0,E.renderList)(e.fields,(t=>((0,E.openBlock)(),(0,E.createElementBlock)("div",{key:t.uniqueKey},[((0,E.openBlock)(),(0,E.createBlock)((0,E.resolveDynamicComponent)(`form-${t.component}`),{"resource-name":r.resourceName,"resource-id":r.resourceId,"related-resource-name":r.relatedResourceName,field:t,"form-unique-id":e.formUniqueId,errors:e.validationErrors,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,"show-help-text":!0},null,8,["resource-name","resource-id","related-resource-name","field","form-unique-id","errors","via-resource","via-resource-id","via-relationship"]))])))),128))])),_:1},8,["loading"])])),_:1}),(0,E.createElementVNode)("div",ze,[(0,E.createVNode)(f,{dusk:"cancel-attach-button",onClick:l.cancelAttachingResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,E.createVNode)(f,{dusk:"attach-and-attach-another-button",onClick:(0,E.withModifiers)(l.attachAndAttachAnother,["prevent"]),disabled:l.isWorking,loading:e.submittedViaAttachAndAttachAnother},{default:(0,E.withCtx)((()=>[(0,E.createTextVNode)((0,E.toDisplayString)(e.__("Attach & Attach Another")),1)])),_:1},8,["onClick","disabled","loading"]),(0,E.createVNode)(f,{type:"submit",dusk:"attach-button",disabled:l.isWorking,loading:e.submittedViaAttachResource},{default:(0,E.withCtx)((()=>[(0,E.createTextVNode)((0,E.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,ke)):(0,E.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Attach.vue"]]),Qe=["data-form-unique-id"],Ye={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},Ze={class:"w-1/5 px-8 py-6"},Xe=["for"],Je={class:"py-6 px-8 w-1/2"},et={class:"inline-block font-bold text-gray-500 pt-2"},tt={value:"",disabled:"",selected:""},rt={class:"flex flex-col mt-3 md:mt-6 md:flex-row items-center justify-center md:justify-end"};function ot(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function nt(e){for(var t=1;t({initialLoading:!0,loading:!0,submittedViaUpdateAndContinueEditing:!1,submittedViaUpdateAttachedResource:!1,field:null,softDeletes:!1,fields:[],selectedResource:null,selectedResourceId:null,lastRetrievedAt:null,title:null}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:nt(nt({},(0,oe.ae)(["fetchPolicies"])),{},{async initializeComponent(){this.softDeletes=!1,this.disableWithTrashed(),this.clearSelection(),await this.getField(),await this.getPivotFields(),await this.getAvailableResources(),this.resetErrors(),this.selectedResourceId=this.relatedResourceId,this.selectInitialResource(),this.updateLastRetrievedAtTimestamp(),this.allowLeavingForm()},removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:n,viaRelationship:l}=this;Nova.request().delete(`/nova-api/${t}/${r}/${o}/${n}/field/${e}?viaRelationship=${l}`)},handlePivotFieldsLoaded(){this.loading=!1,Ae()(this.fields,(e=>{e&&(e.fill=()=>"")}))},async getField(){this.field=null;const{data:e}=await Nova.request().get("/nova-api/"+this.resourceName+"/field/"+this.viaRelationship,{params:{relatable:!0}});this.field=e,this.field.searchable&&this.determineIfSoftDeletes(),this.initialLoading=!1},async getPivotFields(){this.fields=[];const{data:{title:e,fields:t}}=await Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/update-pivot-fields/${this.relatedResourceName}/${this.relatedResourceId}`,{params:{editing:!0,editMode:"update-attached",viaRelationship:this.viaRelationship,viaPivotId:this.viaPivotId}}).catch((e=>{404!=e.response.status||Nova.visit("/404")}));this.title=e,this.fields=t,this.handlePivotFieldsLoaded()},async getAvailableResources(e=""){try{const t=await Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/attachable/${this.relatedResourceName}`,{params:{search:e,current:this.relatedResourceId,first:!0,withTrashed:this.withTrashed,viaRelationship:this.viaRelationship}});this.availableResources=t.data.resources,this.withTrashed=t.data.withTrashed,this.softDeletes=t.data.softDeletes}catch(e){}},determineIfSoftDeletes(){Nova.request().get("/nova-api/"+this.relatedResourceName+"/soft-deletes").then((e=>{this.softDeletes=e.data.softDeletes}))},async updateAttachedResource(){this.submittedViaUpdateAttachedResource=!0;try{await this.updateRequest(),this.submittedViaUpdateAttachedResource=!1,this.allowLeavingForm(),await this.fetchPolicies(),Nova.success(this.__("The resource was updated!")),Nova.visit(`/resources/${this.resourceName}/${this.resourceId}`)}catch(e){window.scrollTo(0,0),this.submittedViaUpdateAttachedResource=!1,this.preventLeavingForm(),this.handleOnUpdateResponseError(e)}},async updateAndContinueEditing(){this.submittedViaUpdateAndContinueEditing=!0;try{await this.updateRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.allowLeavingForm(),this.submittedViaUpdateAndContinueEditing=!1,Nova.success(this.__("The resource was updated!")),this.initializeComponent()}catch(e){this.submittedViaUpdateAndContinueEditing=!1,this.handleOnUpdateResponseError(e)}},cancelUpdatingAttachedResource(){this.handleProceedingToPreviousPage(),this.allowLeavingForm(),this.proceedToPreviousPage(`/resources/${this.resourceName}/${this.resourceId}`)},updateRequest(){return Nova.request().post(`/nova-api/${this.resourceName}/${this.resourceId}/update-attached/${this.relatedResourceName}/${this.relatedResourceId}`,this.updateAttachmentFormData(),{params:{editing:!0,editMode:"update-attached",viaPivotId:this.viaPivotId}})},updateAttachmentFormData(){return $e()(new FormData,(e=>{Ae()(this.fields,(t=>{t.fill(e)})),e.append("viaRelationship",this.viaRelationship),this.selectedResource?e.append(this.relatedResourceName,this.selectedResource.value):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("_retrieved_at",this.lastRetrievedAt)}))},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},selectInitialResource(){this.selectedResource=je()(this.availableResources,(e=>e.value==this.selectedResourceId))},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){this.updateFormStatus()}}),computed:{attachmentEndpoint(){return this.polymorphic?"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach-morphed/"+this.relatedResourceName:"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach/"+this.relatedResourceName},relatedResourceLabel(){if(this.field)return this.field.singularLabel},isSearchable(){return this.field.searchable},isWorking(){return this.submittedViaUpdateAttachedResource||this.submittedViaUpdateAndContinueEditing}}},at=(0,z.c)(it,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("Head"),a=(0,E.resolveComponent)("Heading"),s=(0,E.resolveComponent)("SelectControl"),c=(0,E.resolveComponent)("DefaultField"),d=(0,E.resolveComponent)("LoadingView"),u=(0,E.resolveComponent)("Card"),h=(0,E.resolveComponent)("Button");return(0,E.openBlock)(),(0,E.createBlock)(d,{loading:e.initialLoading},{default:(0,E.withCtx)((()=>[l.relatedResourceLabel&&e.title?((0,E.openBlock)(),(0,E.createBlock)(i,{key:0,title:e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})},null,8,["title"])):(0,E.createCommentVNode)("",!0),l.relatedResourceLabel&&e.title?((0,E.openBlock)(),(0,E.createBlock)(a,{key:1,class:"mb-3"},{default:(0,E.withCtx)((()=>[(0,E.createTextVNode)((0,E.toDisplayString)(e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})),1)])),_:1})):(0,E.createCommentVNode)("",!0),e.field?((0,E.openBlock)(),(0,E.createElementBlock)("form",{key:2,onSubmit:t[1]||(t[1]=(0,E.withModifiers)(((...e)=>l.updateAttachedResource&&l.updateAttachedResource(...e)),["prevent"])),onChange:t[2]||(t[2]=(...e)=>l.onUpdateFormStatus&&l.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off"},[(0,E.createVNode)(u,{class:"mb-8"},{default:(0,E.withCtx)((()=>[r.parentResource?((0,E.openBlock)(),(0,E.createElementBlock)("div",Ye,[(0,E.createElementVNode)("div",Ze,[(0,E.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,E.toDisplayString)(r.parentResource.name),9,Xe)]),(0,E.createElementVNode)("div",Je,[(0,E.createElementVNode)("span",et,(0,E.toDisplayString)(r.parentResource.display),1)])])):(0,E.createCommentVNode)("",!0),(0,E.createVNode)(c,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,E.withCtx)((()=>[(0,E.createVNode)(s,{class:(0,E.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select",selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:l.selectResourceFromSelectControl,disabled:"",options:e.availableResources,label:"display"},{default:(0,E.withCtx)((()=>[(0,E.createElementVNode)("option",tt,(0,E.toDisplayString)(e.__("Choose :field",{field:e.field.name})),1)])),_:1},8,["class","selected","onChange","options"])])),_:1},8,["field","errors"]),(0,E.createVNode)(d,{loading:e.loading},{default:(0,E.withCtx)((()=>[((0,E.openBlock)(!0),(0,E.createElementBlock)(E.Fragment,null,(0,E.renderList)(e.fields,(t=>((0,E.openBlock)(),(0,E.createElementBlock)("div",null,[((0,E.openBlock)(),(0,E.createBlock)((0,E.resolveDynamicComponent)("form-"+t.component),{"resource-name":r.resourceName,"resource-id":r.resourceId,field:t,"form-unique-id":e.formUniqueId,errors:e.validationErrors,"related-resource-name":r.relatedResourceName,"related-resource-id":r.relatedResourceId,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,"show-help-text":!0},null,8,["resource-name","resource-id","field","form-unique-id","errors","related-resource-name","related-resource-id","via-resource","via-resource-id","via-relationship"]))])))),256))])),_:1},8,["loading"])])),_:1}),(0,E.createElementVNode)("div",rt,[(0,E.createVNode)(h,{dusk:"cancel-update-attached-button",onClick:l.cancelUpdatingAttachedResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,E.createVNode)(h,{class:"mr-3",dusk:"update-and-continue-editing-button",onClick:(0,E.withModifiers)(l.updateAndContinueEditing,["prevent"]),disabled:l.isWorking,loading:e.submittedViaUpdateAndContinueEditing},{default:(0,E.withCtx)((()=>[(0,E.createTextVNode)((0,E.toDisplayString)(e.__("Update & Continue Editing")),1)])),_:1},8,["onClick","disabled","loading"]),(0,E.createVNode)(h,{dusk:"update-button",type:"submit",disabled:l.isWorking,loading:e.submittedViaUpdateAttachedResource},{default:(0,E.withCtx)((()=>[(0,E.createTextVNode)((0,E.toDisplayString)(e.__("Update :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,Qe)):(0,E.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","UpdateAttached.vue"]]);function st(e,t,r){r.keys().forEach((o=>{const n=r(o),l=V()(B()(o.split("/").pop().replace(/\.\w+$/,"")));e.component(t+l,n.default||n)}))}var ct=r(39616),dt=r.n(ct),ut=r(10539),ht=r(2376),pt=r.n(ht),mt=r(66056);const vt={state:()=>({baseUri:"/nova",currentUser:null,mainMenu:[],userMenu:[],breadcrumbs:[],resources:[],version:"4.x",mainMenuShown:!1,canLeaveForm:!0,canLeaveModal:!0,pushStateWasTriggered:!1,validLicense:!0,queryStringParams:{},compiledQueryStringParams:""}),getters:{currentUser:e=>e.currentUser,currentVersion:e=>e.version,mainMenu:e=>e.mainMenu,userMenu:e=>e.userMenu,breadcrumbs:e=>e.breadcrumbs,mainMenuShown:e=>e.mainMenuShown,canLeaveForm:e=>e.canLeaveForm,canLeaveFormToPreviousPage:e=>e.canLeaveForm&&!e.pushStateWasTriggered,canLeaveModal:e=>e.canLeaveModal,validLicense:e=>e.validLicense,queryStringParams:e=>e.queryStringParams},mutations:{allowLeavingForm(e){e.canLeaveForm=!0},preventLeavingForm(e){e.canLeaveForm=!1},allowLeavingModal(e){e.canLeaveModal=!0},preventLeavingModal(e){e.canLeaveModal=!1},triggerPushState(e){h.Inertia.pushState(h.Inertia.page),h.Inertia.ignoreHistoryState=!0,e.pushStateWasTriggered=!0},resetPushState(e){e.pushStateWasTriggered=!1},toggleMainMenu(e){e.mainMenuShown=!e.mainMenuShown,localStorage.setItem("nova.mainMenu.open",e.mainMenuShown)}},actions:{async login({commit:e,dispatch:t},{email:r,password:o,remember:n}){await Nova.request().post(Nova.url("/login"),{email:r,password:o,remember:n})},async logout({state:e},t){let r=null;return r=!Nova.config("withAuthentication")&&t?await Nova.request().post(t):await Nova.request().post(Nova.url("/logout")),r?.data?.redirect||null},async startImpersonating({},{resource:e,resourceId:t}){let r=null;r=await Nova.request().post("/nova-api/impersonate",{resource:e,resourceId:t});let o=r?.data?.redirect||null;null===o?Nova.visit("/"):location.href=o},async stopImpersonating({}){let e=null;e=await Nova.request().delete("/nova-api/impersonate");let t=e?.data?.redirect||null;null===t?Nova.visit("/"):location.href=t},async assignPropsFromInertia({state:e,dispatch:t}){let r=(0,y.ek)().props.value.novaConfig||Nova.appConfig,{resources:o,base:n,version:l,mainMenu:i,userMenu:a}=r,s=(0,y.ek)().props.value.currentUser,c=(0,y.ek)().props.value.validLicense,d=(0,y.ek)().props.value.breadcrumbs;Nova.appConfig=r,e.breadcrumbs=d||[],e.currentUser=s,e.validLicense=c,e.resources=o,e.baseUri=n,e.version=l,e.mainMenu=i,e.userMenu=a,t("syncQueryString")},async fetchPolicies({state:e,dispatch:t}){await t("assignPropsFromInertia")},async syncQueryString({state:e}){let t=new URLSearchParams(window.location.search);e.queryStringParams=Object.fromEntries(t.entries()),e.compiledQueryStringParams=t.toString()},async updateQueryString({state:e},t){let r=new URLSearchParams(window.location.search),o=h.Inertia.page;return pt()(t,((e,t)=>{(0,mt.c)(e)?r.set(t,e||""):r.delete(t)})),e.compiledQueryStringParams!==r.toString()&&(o.url!==`${window.location.pathname}?${r}`&&(o.url=`${window.location.pathname}?${r}`,window.history.pushState(o,"",`${window.location.pathname}?${r}`)),e.compiledQueryStringParams=r.toString()),Nova.$emit("query-string-changed",r),e.queryStringParams=Object.fromEntries(r.entries()),new Promise(((e,t)=>{e(r)}))}}},ft={state:()=>({notifications:[],notificationsShown:!1,unreadNotifications:!1}),getters:{notifications:e=>e.notifications,notificationsShown:e=>e.notificationsShown,unreadNotifications:e=>e.unreadNotifications},mutations:{toggleNotifications(e){e.notificationsShown=!e.notificationsShown,localStorage.setItem("nova.mainMenu.open",e.notificationsShown)}},actions:{async fetchNotifications({state:e}){const{data:{notifications:t,unread:r}}=await Nova.request().get("/nova-api/nova-notifications");e.notifications=t,e.unreadNotifications=r},async markNotificationAsUnread({state:e,dispatch:t},r){await Nova.request().post(`/nova-api/nova-notifications/${r}/unread`),t("fetchNotifications")},async markNotificationAsRead({state:e,dispatch:t},r){await Nova.request().post(`/nova-api/nova-notifications/${r}/read`),t("fetchNotifications")},async deleteNotification({state:e,dispatch:t},r){await Nova.request().delete(`/nova-api/nova-notifications/${r}`),t("fetchNotifications")},async deleteAllNotifications({state:e,dispatch:t},r){await Nova.request().delete("/nova-api/nova-notifications"),t("fetchNotifications")},async markAllNotificationsAsRead({state:e,dispatch:t},r){await Nova.request().post("/nova-api/nova-notifications/read-all"),t("fetchNotifications")}}};function gt(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function wt(e){for(var t=1;t({filters:[],originalFilters:[]}),getters:{filters:e=>e.filters,originalFilters:e=>e.originalFilters,hasFilters:e=>Boolean(e.filters.length>0),currentFilters:(e,t)=>Nt()(Ct()(e.filters),(e=>({[e.class]:e.currentValue}))),currentEncodedFilters:(e,t)=>btoa((0,St.s)(JSON.stringify(t.currentFilters))),filtersAreApplied:(e,t)=>t.activeFilterCount>0,activeFilterCount:(e,t)=>Et()(e.filters,((e,r)=>{const o=t.getOriginalFilter(r.class),n=JSON.stringify(o.currentValue);return JSON.stringify(r.currentValue)==n?e:e+1}),0),getFilter:e=>t=>je()(e.filters,(e=>e.class==t)),getOriginalFilter:e=>t=>je()(e.originalFilters,(e=>e.class==t)),getOptionsForFilter:(e,t)=>e=>{const r=t.getFilter(e);return r?r.options:[]},filterOptionValue:(e,t)=>(e,r)=>{const o=t.getFilter(e);return je()(o.currentValue,((e,t)=>t==r))}},actions:{async fetchFilters({commit:e,state:t},r){let{resourceName:o,lens:n=!1}=r,{viaResource:l,viaResourceId:i,viaRelationship:a,relationshipType:s}=r,c={params:{viaResource:l,viaResourceId:i,viaRelationship:a,relationshipType:s}};const{data:d}=n?await Nova.request().get("/nova-api/"+o+"/lens/"+n+"/filters",c):await Nova.request().get("/nova-api/"+o+"/filters",c);e("storeFilters",d)},async resetFilterState({commit:e,getters:t}){Ae()(t.originalFilters,(t=>{e("updateFilterState",{filterClass:t.class,value:t.currentValue})}))},async initializeCurrentFilterValuesFromQueryString({commit:e,getters:t},r){if(r){const t=JSON.parse(atob(r));Ae()(t,(t=>{if(t.hasOwnProperty("class")&&t.hasOwnProperty("value"))e("updateFilterState",{filterClass:t.class,value:t.value});else for(let r in t)e("updateFilterState",{filterClass:r,value:t[r]})}))}}},mutations:{updateFilterState(e,{filterClass:t,value:r}){const o=je()(e.filters,(e=>e.class==t));null!=o&&(o.currentValue=r)},storeFilters(e,t){e.filters=t,e.originalFilters=bt()(t)},clearFilters(e){e.filters=[],e.originalFilters=[]}}};var Ht=r(66420),Ot=r(18972),Mt=r.n(Ot),Rt=r(36384),Dt=r.n(Rt),Pt=r(94240),zt=r.n(Pt),Ft=r(82632),At=r(9948),Tt=r.n(At);const jt={id:"nova"},It={dusk:"content"},$t={class:"hidden lg:block lg:absolute left-0 bottom-0 lg:top-[56px] lg:bottom-auto w-60 px-3 py-8"},Lt={class:"p-4 md:py-8 md:px-12 lg:ml-60 space-y-8"};var Ut=r(96584),qt=r(20208);const Kt={class:"bg-white dark:bg-gray-800 flex items-center h-14 shadow-b dark:border-b dark:border-gray-700"},Wt={class:"hidden lg:w-60 shrink-0 md:flex items-center"},Gt={class:"flex flex-1 px-4 sm:px-8 lg:px-12"},Qt={class:"isolate relative flex items-center pl-6 ml-auto"},Yt={class:"relative z-50"},Zt={class:"relative z-[40] hidden md:flex ml-2"},Xt={key:0,class:"lg:hidden w-60"},Jt={class:"fixed inset-0 flex z-50"},er={class:"absolute top-0 right-0 -mr-12 pt-2"},tr=["aria-label"],rr=[(0,E.createElementVNode)("svg",{class:"h-6 w-6 text-white",xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor","aria-hidden":"true"},[(0,E.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 18L18 6M6 6l12 12"})],-1)],or={class:"px-2 border-b border-gray-200 dark:border-gray-700"},nr={class:"flex flex-col gap-2 justify-between h-full py-3 px-3 overflow-x-auto"},lr={class:"py-1"},ir={class:"mt-auto"},ar=(0,E.createElementVNode)("div",{class:"shrink-0 w-14","aria-hidden":"true"},null,-1),sr={__name:"MainHeader",setup(e){const t=(0,oe.o3)(),r=(0,E.ref)(null),{activate:o,deactivate:n}=(0,qt.w)(r,{initialFocus:!0,allowOutsideClick:!1,escapeDeactivates:!1}),l=()=>t.commit("toggleMainMenu"),i=(0,E.computed)((()=>Nova.config("globalSearchEnabled"))),a=(0,E.computed)((()=>Nova.config("notificationCenterEnabled"))),s=(0,E.computed)((()=>t.getters.mainMenuShown)),c=(0,E.computed)((()=>Nova.config("appName")));return(0,E.watch)((()=>s.value),(e=>{if(!0===e)return document.body.classList.add("overflow-y-hidden"),void Nova.pauseShortcuts();document.body.classList.remove("overflow-y-hidden"),Nova.resumeShortcuts(),n()})),(0,E.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),n()})),(e,t)=>{const o=(0,E.resolveComponent)("AppLogo"),n=(0,E.resolveComponent)("Link"),d=(0,E.resolveComponent)("GlobalSearch"),u=(0,E.resolveComponent)("ThemeDropdown"),h=(0,E.resolveComponent)("NotificationCenter"),p=(0,E.resolveComponent)("UserMenu"),m=(0,E.resolveComponent)("MainMenu"),v=(0,E.resolveComponent)("MobileUserMenu");return(0,E.openBlock)(),(0,E.createElementBlock)("div",null,[(0,E.createElementVNode)("header",Kt,[(0,E.createVNode)((0,E.unref)(Le.c),{icon:"bars-3",class:"lg:hidden ml-1",variant:"action",onClick:(0,E.withModifiers)(l,["prevent"]),"aria-label":e.__("Toggle Sidebar"),"aria-expanded":s.value?"true":"false"},null,8,["aria-label","aria-expanded"]),(0,E.createElementVNode)("div",Wt,[(0,E.createVNode)(n,{href:e.$url("/"),class:"text-gray-900 hover:text-gray-500 active:text-gray-900 dark:text-gray-400 dark:hover:text-gray-300 dark:active:text-gray-500 h-12 rounded-lg flex items-center ml-2 focus:ring focus:ring-inset focus:outline-none ring-primary-200 dark:ring-gray-600 px-4","aria-label":c.value},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(o,{class:"h-6"})])),_:1},8,["href","aria-label"]),(0,E.createVNode)((0,E.unref)(Ut.default))]),(0,E.createElementVNode)("div",Gt,[i.value?((0,E.openBlock)(),(0,E.createBlock)(d,{key:0,class:"relative",dusk:"global-search-component"})):(0,E.createCommentVNode)("",!0),(0,E.createElementVNode)("div",Qt,[(0,E.createVNode)(u),(0,E.createElementVNode)("div",Yt,[a.value?((0,E.openBlock)(),(0,E.createBlock)(h,{key:0})):(0,E.createCommentVNode)("",!0)]),(0,E.createElementVNode)("div",Zt,[(0,E.createVNode)(p)])])])]),((0,E.openBlock)(),(0,E.createBlock)(E.Teleport,{to:"body"},[(0,E.createVNode)(E.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,E.withCtx)((()=>[s.value?((0,E.openBlock)(),(0,E.createElementBlock)("div",Xt,[(0,E.createElementVNode)("div",Jt,[(0,E.createElementVNode)("div",{class:"fixed inset-0","aria-hidden":"true"},[(0,E.createElementVNode)("div",{onClick:l,class:"absolute inset-0 bg-gray-600/75 dark:bg-gray-900/75"})]),(0,E.createElementVNode)("div",{ref_key:"modalContent",ref:r,class:"bg-white dark:bg-gray-800 relative flex flex-col max-w-xxs w-full"},[(0,E.createElementVNode)("div",er,[(0,E.createElementVNode)("button",{onClick:(0,E.withModifiers)(l,["prevent"]),class:"ml-1 flex items-center justify-center h-10 w-10 rounded-full focus:outline-none focus:ring-2 focus:ring-inset focus:ring-white","aria-label":e.__("Close Sidebar")},rr,8,tr)]),(0,E.createElementVNode)("div",or,[(0,E.createVNode)(n,{href:e.$url("/"),class:"text-gray-900 hover:text-gray-500 active:text-gray-900 dark:text-gray-400 dark:hover:text-gray-300 dark:active:text-gray-500 h-12 px-2 rounded-lg flex items-center focus:ring focus:ring-inset focus:outline-none","aria-label":c.value},{default:(0,E.withCtx)((()=>[(0,E.createVNode)(o,{class:"h-6"})])),_:1},8,["href","aria-label"])]),(0,E.createElementVNode)("div",nr,[(0,E.createElementVNode)("div",lr,[(0,E.createVNode)(m,{"data-screen":"responsive"})]),(0,E.createElementVNode)("div",ir,[(0,E.createVNode)(v)])]),ar],512)])])):(0,E.createCommentVNode)("",!0)])),_:1})]))])}}},cr=["innerHTML"];const dr={computed:{footer:()=>window.Nova.config("footer")}},ur={components:{MainHeader:(0,z.c)(sr,[["__file","MainHeader.vue"]]),Footer:(0,z.c)(dr,[["render",function(e,t,r,o,n,l){return(0,E.openBlock)(),(0,E.createElementBlock)("div",{class:"mt-8 leading-normal text-xs text-gray-500 space-y-1",innerHTML:l.footer},null,8,cr)}],["__file","Footer.vue"]])},mounted(){Nova.$on("error",this.handleError),Nova.$on("token-expired",this.handleTokenExpired)},beforeUnmount(){Nova.$off("error",this.handleError),Nova.$off("token-expired",this.handleTokenExpired)},methods:{handleError(e){Nova.error(e)},handleTokenExpired(){Nova.$toasted.show(this.__("Sorry, your session has expired."),{action:{onClick:()=>Nova.redirectToLogin(),text:this.__("Reload")},duration:null,type:"error"}),setTimeout((()=>{Nova.redirectToLogin()}),5e3)}},computed:{breadcrumbsEnabled:()=>Nova.config("breadcrumbsEnabled")}},hr=(0,z.c)(ur,[["render",function(e,t,r,o,n,l){const i=(0,E.resolveComponent)("MainHeader"),a=(0,E.resolveComponent)("MainMenu"),s=(0,E.resolveComponent)("Breadcrumbs"),c=(0,E.resolveComponent)("FadeTransition"),d=(0,E.resolveComponent)("Footer");return(0,E.openBlock)(),(0,E.createElementBlock)("div",jt,[(0,E.createVNode)(i),(0,E.createElementVNode)("div",It,[(0,E.createElementVNode)("div",$t,[(0,E.createVNode)(a,{class:"pb-24","data-screen":"desktop"})]),(0,E.createElementVNode)("div",Lt,[l.breadcrumbsEnabled?((0,E.openBlock)(),(0,E.createBlock)(s,{key:0})):(0,E.createCommentVNode)("",!0),(0,E.createVNode)(c,null,{default:(0,E.withCtx)((()=>[(0,E.renderSlot)(e.$slots,"default")])),_:3}),(0,E.createVNode)(d)])])])}],["__file","AppLayout.vue"]]);var pr=r(95368),mr=r.n(pr),vr=r(98776),fr=(r(71992),r(59397),r(40084),r(88240),r(14956),r(23384),r(36752),r(87120),r(52944),r(57796),r(52416),r(52744),r(5208),r(35416),r(144),r(61400),r(4533));r(81336);const{parseColor:gr}=r(36099);mr().defineMode("htmltwig",(function(e,t){return mr().overlayMode(mr().getMode(e,t.backdrop||"text/html"),mr().getMode(e,"twig"))}));const wr=new(Tt());window.createNovaApp=e=>new br(e),window.Vue=r(74032);const{createApp:kr,h:yr}=window.Vue;class br{constructor(e){this.bootingCallbacks=[],this.appConfig=e,this.useShortcuts=!0,this.pages={"Nova.Attach":r(2688).c,"Nova.Create":r(54712).c,"Nova.Dashboard":r(6732).c,"Nova.Detail":r(20318).c,"Nova.Error":r(38880).c,"Nova.Error403":r(57740).c,"Nova.Error404":r(60032).c,"Nova.ForgotPassword":r(55240).c,"Nova.Index":r(85420).c,"Nova.Lens":r(50644).c,"Nova.Login":r(84792).c,"Nova.Replicate":r(45620).c,"Nova.ResetPassword":r(67508).c,"Nova.Update":r(98594).c,"Nova.UpdateAttached":r(96842).c},this.$toasted=new Ft.c({theme:"nova",position:e.rtlEnabled?"bottom-left":"bottom-right",duration:6e3}),this.$progress=x(),this.$router=h.Inertia,!0===e.debug&&(this.$testing={timezone:e=>{vr.aE.defaultZoneName=e}})}booting(e){this.bootingCallbacks.push(e)}boot(){this.store=(0,oe.eC)(wt(wt({},vt),{},{modules:{nova:{namespaced:!0,modules:{notifications:ft}}}})),this.bootingCallbacks.forEach((e=>e(this.app,this.store))),this.bootingCallbacks=[]}booted(e){e(this.app,this.store)}async countdown(){this.log("Initiating Nova countdown...");const e=this.config("appName");await(0,y.eI)({title:t=>t?`${t} - ${e}`:e,resolve:e=>{const t=i()(this.pages[e])?r(60032).c:this.pages[e];return t.layout=t.layout||hr,t},setup:({el:e,App:t,props:r,plugin:o})=>{this.mountTo=e,this.app=kr({render:()=>yr(t,r)}),this.app.use(o),this.app.use(Ht.cp,{preventOverflow:!0,flip:!0,themes:{Nova:{$extend:"tooltip",triggers:["click"],autoHide:!0,placement:"bottom",html:!0}}})}})}liftOff(){var e;this.log("We have lift off!"),this.boot(),this.config("notificationCenterEnabled")&&(this.notificationPollingInterval=setInterval((()=>{document.hasFocus()&&this.$emit("refresh-notifications")}),this.config("notificationPollingInterval"))),this.registerStoreModules(),this.app.mixin(o.c),function(){p.q.init({delay:250,includeCSS:!1,showSpinner:!1});const e=function(e){!1===this.ignoreHistoryState&&this.handlePopstateEvent(e)};h.Inertia.ignoreHistoryState=!1,h.Inertia.setupEventListeners=function(){window.addEventListener("popstate",e.bind(h.Inertia)),document.addEventListener("scroll",v()(h.Inertia.handleScrollEvent.bind(h.Inertia),100),!0)}}(),document.addEventListener("inertia:before",(()=>{(async()=>{this.log("Syncing Inertia props to the store..."),await this.store.dispatch("assignPropsFromInertia")})()})),document.addEventListener("inertia:navigate",(()=>{(async()=>{this.log("Syncing Inertia props to the store..."),await this.store.dispatch("assignPropsFromInertia")})()})),this.app.mixin({methods:{$url:(e,t)=>this.url(e,t)}}),this.component("Link",y.cH),this.component("InertiaLink",y.cH),this.component("Head",y.Ss),function(e){e.component("CustomError403",U),e.component("CustomError404",T),e.component("CustomAppError",Q),e.component("ResourceIndex",se),e.component("ResourceDetail",we),e.component("AttachResource",Ge),e.component("UpdateAttachedResource",at);const t=r(41976);t.keys().forEach((r=>{const o=t(r),n=V()(B()(r.split("/").pop().replace(/\.\w+$/,"")));e.component(n,o.default||o)}))}(this),st(e=this,"Index",r(56532)),st(e,"Detail",r(93832)),st(e,"Form",r(9144)),st(e,"Filter",r(74692)),this.app.mount(this.mountTo);let t=dt().prototype.stopCallback;dt().prototype.stopCallback=(e,r,o)=>!this.useShortcuts||t.call(this,e,r,o),dt().init(),this.applyTheme(),this.log("All systems go...")}config(e){return this.appConfig[e]}form(e){return new ut.cp(e,{http:this.request()})}request(e){let t=a();return void 0!==e?t(e):t}url(e,t){return"/"===e&&(e=this.config("initialPath")),function(e,t,r){let o=new URLSearchParams(k()(r||{},g())).toString();return"/"==e&&t.startsWith("/")&&(e=""),e+t+(o.length>0?`?${o}`:"")}(this.config("base"),e,t)}$on(...e){wr.on(...e)}$once(...e){wr.once(...e)}$off(...e){wr.off(...e)}$emit(...e){wr.emit(...e)}missingResource(e){return void 0===je()(this.config("resources"),(t=>t.uriKey===e))}addShortcut(e,t){dt().bind(e,t)}disableShortcut(e){dt().unbind(e)}pauseShortcuts(){this.useShortcuts=!1}resumeShortcuts(){this.useShortcuts=!0}registerStoreModules(){this.app.use(this.store),this.config("resources").forEach((e=>{this.store.registerModule(e.uriKey,_t)}))}inertia(e,t){this.pages[e]=t}component(e,t){i()(this.app._context.components[e])&&this.app.component(e,t)}info(e){this.$toasted.show(e,{type:"info"})}error(e){this.$toasted.show(e,{type:"error"})}success(e){this.$toasted.show(e,{type:"success"})}warning(e){this.$toasted.show(e,{type:"warning"})}formatNumber(e,t){var r;const o=((r=document.querySelector('meta[name="locale"]').content)&&(r=r.replace("_","-"),Object.values(u()).forEach((e=>{let t=e.languageTag;r!==t&&r!==t.substr(0,2)||c().registerLanguage(e)})),c().setLanguage(r)),c().setDefaults({thousandSeparated:!0}),c())(e);return void 0!==t?o.format(t):o.format()}log(e,t="log"){console[t]("[NOVA]",e)}redirectToLogin(){const e=!this.config("withAuthentication")&&this.config("customLoginPath")?this.config("customLoginPath"):this.url("/login");this.visit({remote:!0,url:e})}visit(e,t){t=t||{};const r=t?.openInNewTab||null;if(Dt()(e))h.Inertia.visit(this.url(e),zt()(t,["openInNewTab"]));else if(Dt()(e.url)&&e.hasOwnProperty("remote")){if(!0===e.remote)return void(!0===r?window.open(e.url,"_blank"):window.location=e.url);h.Inertia.visit(e.url,zt()(t,["openInNewTab"]))}}applyTheme(){const e=this.config("brandColors");if(Object.keys(e).length>0){const t=document.createElement("style");let r=Object.keys(e).reduce(((t,r)=>{let o=e[r],n=gr(o);if(n){let e=gr(fr.Yz.toRGBA(function(e){let t=Mt()(Array.from(e.mode).map(((t,r)=>[t,e.color[r]])));void 0!==e.alpha&&(t.a=e.alpha);return t}(n)));return t+`\n --colors-primary-${r}: ${`${e.color.join(" ")} / ${e.alpha}`};`}return t+`\n --colors-primary-${r}: ${o};`}),"");t.innerHTML=`:root {${r}\n}`,document.head.append(t)}}}},87352:(e,t,r)=>{"use strict";r.d(t,{k:()=>C});var o=r(63916),n=r(74032),l=r(94960),i=r.n(l),a=r(67120),s=r.n(a),c=r(54740),d=r.n(c),u=r(14764),h=r.n(u),p=r(8940),m=r.n(p),v=r(17096),f=r.n(v),g=r(44684),w=r.n(g),k=r(78048),y=r.n(k),b=r(77924);const{__:x}=(0,b.C)();function C(e,t,r){const l=(0,n.reactive)({working:!1,errors:new o.rF,actionModalVisible:!1,responseModalVisible:!1,selectedActionKey:"",endpoint:e.endpoint||`/nova-api/${e.resourceName}/action`,actionResponseData:null}),a=(0,n.computed)((()=>e.selectedResources)),c=(0,n.computed)((()=>{if(l.selectedActionKey)return s()(u.value,(e=>e.uriKey===l.selectedActionKey))})),u=(0,n.computed)((()=>e.actions.concat(e.pivotActions?.actions||[]))),p=(0,n.computed)((()=>r.getters[`${e.resourceName}/currentEncodedFilters`])),v=(0,n.computed)((()=>e.viaRelationship?e.viaRelationship+"_search":e.resourceName+"_search")),g=(0,n.computed)((()=>r.getters.queryStringParams[v.value]||"")),k=(0,n.computed)((()=>e.viaRelationship?e.viaRelationship+"_trashed":e.resourceName+"_trashed")),b=(0,n.computed)((()=>r.getters.queryStringParams[k.value]||"")),C=(0,n.computed)((()=>d()(e.actions,(e=>a.value.length>0&&!e.standalone)))),B=(0,n.computed)((()=>e.pivotActions?d()(e.pivotActions.actions,(e=>0!==a.value.length||e.standalone)):[])),N=(0,n.computed)((()=>B.value.length>0)),V=(0,n.computed)((()=>N.value&&Boolean(s()(e.pivotActions.actions,(e=>e===c.value))))),E=(0,n.computed)((()=>({action:l.selectedActionKey,pivotAction:V.value,search:g.value,filters:p.value,trashed:b.value,viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}))),S=(0,n.computed)((()=>w()(new FormData,(e=>{if("all"===a.value)e.append("resources","all");else{let t=d()(f()(a.value,(e=>m()(e)?e.id.pivotValue:null)));e.append("resources",f()(a.value,(e=>m()(e)?e.id.value:e))),"all"!==a.value&&!0===V.value&&t.length>0&&e.append("pivots",t)}i()(c.value.fields,(t=>{t.fill(e)}))}))));function _(){c.value.withoutConfirmation?P():H()}function H(){l.actionModalVisible=!0}function O(){l.actionModalVisible=!1}function M(){l.responseModalVisible=!0}function R(e){t("actionExecuted"),Nova.$emit("action-executed"),"function"==typeof e&&e()}function D(e){if(e.danger)return Nova.error(e.danger);Nova.success(e.message||x("The action was executed successfully."))}function P(e){l.working=!0,Nova.$progress.start();let t=c.value.responseType??"json";Nova.request({method:"post",url:l.endpoint,params:E.value,data:S.value,responseType:t}).then((async t=>{O(),z(t.data,t.headers,e)})).catch((e=>{e.response&&422===e.response.status&&("blob"===t?e.response.data.text().then((e=>{l.errors=new o.rF(JSON.parse(e).errors)})):l.errors=new o.rF(e.response.data.errors),Nova.error(x("There was a problem executing the action.")))})).finally((()=>{l.working=!1,Nova.$progress.done()}))}function z(e,t,r){let o=t["content-disposition"];if(!(e instanceof Blob&&h()(o)&&"application/json"===e.type))return e instanceof Blob?R((async()=>{let t="unknown";if(o){let e=o.split(";")[1].match(/filename=(.+)/);2===e.length&&(t=y()(e[1],'"'))}await(0,n.nextTick)((()=>{let r=window.URL.createObjectURL(new Blob([e])),o=document.createElement("a");o.href=r,o.setAttribute("download",t),document.body.appendChild(o),o.click(),o.remove(),window.URL.revokeObjectURL(r)}))})):e.modal?(l.actionResponseData=e,D(e),M()):e.download?R((async()=>{D(e),await(0,n.nextTick)((()=>{let t=document.createElement("a");t.href=e.download,t.download=e.name,document.body.appendChild(t),t.click(),document.body.removeChild(t)}))})):e.deleted?R((()=>D(e))):(e.redirect&&(window.location=e.redirect),e.visit?(D(e),Nova.visit({url:Nova.url(e.visit.path,e.visit.options),remote:!1})):e.openInNewTab?R((()=>window.open(e.openInNewTab,"_blank"))):void R((()=>D(e))));e.text().then((e=>{z(JSON.parse(e),t)}))}return{errors:(0,n.computed)((()=>l.errors)),working:(0,n.computed)((()=>l.working)),actionModalVisible:(0,n.computed)((()=>l.actionModalVisible)),responseModalVisible:(0,n.computed)((()=>l.responseModalVisible)),selectedActionKey:(0,n.computed)((()=>l.selectedActionKey)),determineActionStrategy:_,setSelectedActionKey:function(e){l.selectedActionKey=e},openConfirmationModal:H,closeConfirmationModal:O,openResponseModal:M,closeResponseModal:function(){l.responseModalVisible=!1},handleActionClick:function(e){l.selectedActionKey=e,_()},selectedAction:c,allActions:u,availableActions:C,availablePivotActions:B,executeAction:P,actionResponseData:(0,n.computed)((()=>l.actionResponseData))}}},6196:(e,t,r)=>{"use strict";r.d(t,{a:()=>n});var o=r(74032);function n(e){const t=(0,o.ref)(!1),r=(0,o.ref)([]);return{startedDrag:t,handleOnDragEnter:()=>t.value=!0,handleOnDragLeave:()=>t.value=!1,handleOnDrop:t=>{r.value=t.dataTransfer.files,e("fileChanged",t.dataTransfer.files)}}}},77924:(e,t,r)=>{"use strict";r.d(t,{C:()=>n});var o=r(17992);function n(){return{__:(e,t)=>(0,o.c)(e,t)}}},4972:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(14764),n=r.n(o);class l{constructor(e,t){this.attribute=e,this.formData=t,this.localFormData=new FormData}append(e,...t){this.localFormData.append(e,...t),this.formData.append(this.name(e),...t)}delete(e){this.localFormData.delete(e),this.formData.delete(this.name(e))}entries(){return this.localFormData.entries()}get(e){return this.localFormData.get(e)}getAll(e){return this.localFormData.getAll(e)}has(e){return this.localFormData.has(e)}keys(){return this.localFormData.keys()}set(e,...t){this.localFormData.set(e,...t),this.formData.set(this.name(e),...t)}values(){return this.localFormData.values()}name(e){let[t,...r]=e.split("[");return!n()(r)&&r.length>0?`${this.attribute}[${t}][${r.join("[")}`:`${this.attribute}[${e}]`}slug(e){return`${this.attribute}.${e}`}}},29608:(e,t,r)=>{"use strict";r.d(t,{c:()=>n});var o=r(17992);const n={methods:{__:(e,t)=>(0,o.c)(e,t)}}},63916:(e,t,r)=>{"use strict";r.d(t,{OM:()=>a,q:()=>de,s5:()=>c,oH:()=>S,_u:()=>ee,rF:()=>te.rF,Uz:()=>xe,mY:()=>Ce,Ky:()=>Be,eS:()=>K,Wu:()=>Q,_I:()=>he,gz:()=>re,AT:()=>Ee,YZ:()=>oe,uy:()=>pe,uG:()=>ge,e8:()=>Fe,mc:()=>le,Ql:()=>ie,eo:()=>ce,IL:()=>me,MF:()=>ue,iO:()=>Se,E5:()=>_e,mI:()=>fe,mW:()=>f,QX:()=>y,cr:()=>He,Cw:()=>ve,Wk:()=>i});var o=r(73448),n=r.n(o);const l={nested:{type:Boolean,default:!1},preventInitialLoading:{type:Boolean,default:!1},showHelpText:{type:Boolean,default:!1},shownViaNewRelationModal:{type:Boolean,default:!1},resourceId:{type:[Number,String]},resourceName:{type:String},relatedResourceId:{type:[Number,String]},relatedResourceName:{type:String},field:{type:Object,required:!0},viaResource:{type:String,required:!1},viaResourceId:{type:[String,Number],required:!1},viaRelationship:{type:String,required:!1},relationshipType:{type:String,default:""},shouldOverrideMeta:{type:Boolean,default:!1},disablePagination:{type:Boolean,default:!1},clickAction:{type:String,default:"view",validator:e=>["edit","select","ignore","detail"].includes(e)},mode:{type:String,default:"form",validator:e=>["form","modal","action-modal","action-fullscreen"].includes(e)}};function i(e){return n()(l,e)}const a={emits:["actionExecuted"],props:["resourceName","resourceId","resource","panel"],methods:{actionExecuted(){this.$emit("actionExecuted")}}},s={methods:{copyValueToClipboard(e){if(navigator.clipboard)navigator.clipboard.writeText(e);else if(window.clipboardData)window.clipboardData.setData("Text",e);else{let t=document.createElement("input"),[r,o]=[document.documentElement.scrollTop,document.documentElement.scrollLeft];document.body.appendChild(t),t.value=e,t.focus(),t.select(),document.documentElement.scrollTop=r,document.documentElement.scrollLeft=o,document.execCommand("copy"),t.remove()}}}};const c=s;var d=r(48936),u=r(5540),h=r(66056);function p(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function m(e){for(var t=1;t{this.removeOnNavigationChangesEvent(),this.handlePreventFormAbandonmentOnInertia(e)})),window.addEventListener("beforeunload",this.handlePreventFormAbandonmentOnInertia),this.removeOnBeforeUnloadEvent=()=>{window.removeEventListener("beforeunload",this.handlePreventFormAbandonmentOnInertia),this.removeOnBeforeUnloadEvent=()=>{}}},mounted(){window.onpopstate=e=>{this.handlePreventFormAbandonmentOnPopState(e)}},beforeUnmount(){this.removeOnBeforeUnloadEvent()},unmounted(){this.removeOnNavigationChangesEvent(),this.resetPushState()},data:()=>({removeOnNavigationChangesEvent:null,removeOnBeforeUnloadEvent:null,navigateBackUsingHistory:!0}),methods:m(m({},(0,d.sR)(["allowLeavingForm","preventLeavingForm","triggerPushState","resetPushState"])),{},{updateFormStatus(){!0===this.canLeaveForm&&this.triggerPushState(),this.preventLeavingForm()},enableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},disableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},handlePreventFormAbandonment(e,t){if(this.canLeaveForm)return void e();window.confirm(this.__("Do you really want to leave? You have unsaved changes."))?e():t()},handlePreventFormAbandonmentOnInertia(e){this.handlePreventFormAbandonment((()=>{this.handleProceedingToNextPage(),this.allowLeavingForm()}),(()=>{u.Inertia.ignoreHistoryState=!0,e.preventDefault(),e.returnValue="",this.removeOnNavigationChangesEvent=u.Inertia.on("before",(e=>{this.removeOnNavigationChangesEvent(),this.handlePreventFormAbandonmentOnInertia(e)}))}))},handlePreventFormAbandonmentOnPopState(e){e.stopImmediatePropagation(),e.stopPropagation(),this.handlePreventFormAbandonment((()=>{this.handleProceedingToPreviousPage(),this.allowLeavingForm()}),(()=>{this.triggerPushState()}))},handleProceedingToPreviousPage(){window.onpopstate=null,u.Inertia.ignoreHistoryState=!1,this.removeOnBeforeUnloadEvent(),!this.canLeaveFormToPreviousPage&&this.navigateBackUsingHistory&&window.history.back()},handleProceedingToNextPage(){window.onpopstate=null,u.Inertia.ignoreHistoryState=!1,this.removeOnBeforeUnloadEvent()},proceedToPreviousPage(e){this.navigateBackUsingHistory&&window.history.length>1?window.history.back():!this.navigateBackUsingHistory&&(0,h.c)(e)?Nova.visit(e,{replace:!0}):Nova.visit("/")}}),computed:m({},(0,d.gV)(["canLeaveForm","canLeaveFormToPreviousPage"]))};function g(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function w(e){for(var t=1;t{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},deleteSelectedResources(){this.deleteResources(this.selectedResources)},deleteAllMatchingResources(){return this.viaManyToMany?this.detachAllMatchingResources():Nova.request({url:this.deleteAllMatchingResourcesEndpoint,method:"delete",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},detachResources(e){return Nova.request({url:"/nova-api/"+this.resourceName+"/detach",method:"delete",params:V(V(V({},this.deletableQueryString),{resources:_(e)}),{pivots:H(e)})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-detached")})).finally((()=>{this.deleteModalOpen=!1}))},detachAllMatchingResources(){return Nova.request({url:"/nova-api/"+this.resourceName+"/detach",method:"delete",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-detached")})).finally((()=>{this.deleteModalOpen=!1}))},forceDeleteResources(e,t=null){return Nova.request({url:"/nova-api/"+this.resourceName+"/force",method:"delete",params:V(V({},this.deletableQueryString),{resources:_(e)})}).then(t||(()=>{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},forceDeleteSelectedResources(){this.forceDeleteResources(this.selectedResources)},forceDeleteAllMatchingResources(){return Nova.request({url:this.forceDeleteSelectedResourcesEndpoint,method:"delete",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},restoreResources(e,t=null){return Nova.request({url:"/nova-api/"+this.resourceName+"/restore",method:"put",params:V(V({},this.deletableQueryString),{resources:_(e)})}).then(t||(()=>{this.getResources()})).then((()=>{Nova.$emit("resources-restored")})).finally((()=>{this.restoreModalOpen=!1}))},restoreSelectedResources(){this.restoreResources(this.selectedResources)},restoreAllMatchingResources(){return Nova.request({url:this.restoreAllMatchingResourcesEndpoint,method:"put",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-restored")})).finally((()=>{this.restoreModalOpen=!1}))}},computed:{deleteAllMatchingResourcesEndpoint(){return this.lens?"/nova-api/"+this.resourceName+"/lens/"+this.lens:"/nova-api/"+this.resourceName},forceDeleteSelectedResourcesEndpoint(){return this.lens?"/nova-api/"+this.resourceName+"/lens/"+this.lens+"/force":"/nova-api/"+this.resourceName+"/force"},restoreAllMatchingResourcesEndpoint(){return this.lens?"/nova-api/"+this.resourceName+"/lens/"+this.lens+"/restore":"/nova-api/"+this.resourceName+"/restore"},deletableQueryString(){return{search:this.currentSearch,filters:this.encodedFilters,trashed:this.currentTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}}}};function _(e){return B()(e,(e=>e.id.value))}function H(e){return x()(B()(e,(e=>e.id.pivotValue)))}var O=r(73736),M=r(73336),R=r.n(M),D=r(42512),P=r.n(D),z=r(19448),F=r.n(z),A=r(10552),T=r.n(A),j=r(40656),I=r.n(j),$=r(14764),L=r.n($),U=r(79088),q=r.n(U);const K={props:{formUniqueId:{type:String}},methods:{emitFieldValue(e,t){Nova.$emit(`${e}-value`,t),!0===this.hasFormUniqueId&&Nova.$emit(`${this.formUniqueId}-${e}-value`,t)},emitFieldValueChange(e,t){Nova.$emit(`${e}-change`,t),!0===this.hasFormUniqueId&&Nova.$emit(`${this.formUniqueId}-${e}-change`,t)},getFieldAttributeValueEventName(e){return!0===this.hasFormUniqueId?`${this.formUniqueId}-${e}-value`:`${e}-value`},getFieldAttributeChangeEventName(e){return!0===this.hasFormUniqueId?`${this.formUniqueId}-${e}-change`:`${e}-change`}},computed:{fieldAttribute(){return this.field.attribute},hasFormUniqueId(){return!L()(this.formUniqueId)&&""!==this.formUniqueId},fieldAttributeValueEventName(){return this.getFieldAttributeValueEventName(this.fieldAttribute)},fieldAttributeChangeEventName(){return this.getFieldAttributeChangeEventName(this.fieldAttribute)}}};function W(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function G(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const Q={extends:K,props:function(e){for(var t=1;t"",fill(e){this.fillIfVisible(e,this.fieldAttribute,String(this.value))},fillIfVisible(e,t,r){this.isVisible&&e.append(t,r)},handleChange(e){this.value=e.target.value,this.field&&(this.emitFieldValueChange(this.fieldAttribute,this.value),this.$emit("field-changed"))},beforeRemove(){},listenToValueChanges(e){this.value=e}},computed:{currentField(){return this.field},fullWidthContent(){return this.currentField.fullWidth||this.field.fullWidth},placeholder(){return this.currentField.placeholder||this.field.name},isVisible(){return this.field.visible},isReadonly(){return Boolean(this.field.readonly||F()(this.field,"extraAttributes.readonly"))},isActionRequest(){return["action-fullscreen","action-modal"].includes(this.mode)}}};var Y=r(3896);function Z(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function X(e){for(var t=1;t({dependentFieldDebouncer:null,canceller:null,watchedFields:{},watchedEvents:{},syncedField:null,pivot:!1,editMode:"create"}),created(){this.dependentFieldDebouncer=R()((e=>e()),50)},mounted(){""===this.relatedResourceName||L()(this.relatedResourceName)?""===this.resourceId||L()(this.resourceId)||(this.editMode="update"):(this.pivot=!0,""===this.relatedResourceId||L()(this.relatedResourceId)?this.editMode="attach":this.editMode="update-attached"),I()(this.dependsOn)||P()(this.dependsOn,((e,t)=>{this.watchedEvents[t]=e=>{this.watchedFields[t]=e,this.dependentFieldDebouncer((()=>{this.watchedFields[t]=e,this.syncField()}))},this.watchedFields[t]=e,Nova.$on(this.getFieldAttributeChangeEventName(t),this.watchedEvents[t])}))},beforeUnmount(){null!==this.canceller&&this.canceller(),I()(this.watchedEvents)||P()(this.watchedEvents,((e,t)=>{Nova.$off(this.getFieldAttributeChangeEventName(t),e)}))},methods:{setInitialValue(){this.value=void 0!==this.currentField.value&&null!==this.currentField.value?this.currentField.value:this.value},fillIfVisible(e,t,r){this.currentlyIsVisible&&e.append(t,r)},syncField(){null!==this.canceller&&this.canceller(),Nova.request().patch(this.syncEndpoint||this.syncFieldEndpoint,this.dependentFieldValues,{params:q()({editing:!0,editMode:this.editMode,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,field:this.fieldAttribute,component:this.field.dependentComponentKey},T()),cancelToken:new O.al((e=>{this.canceller=e}))}).then((e=>{let t=this.currentField.value,r=this.currentlyIsVisible;this.syncedField=e.data,this.syncedField.visible!==r&&this.$emit(!0===this.syncedField.visible?"field-shown":"field-hidden",this.fieldAttribute),L()(this.syncedField.value)?this.syncedField.value=t:this.setInitialValue();let o=!this.syncedFieldValueHasNotChanged();this.onSyncedField(),this.syncedField.dependentShouldEmitChangesEvent&&o&&this.emitOnSyncedFieldValueChange()})).catch((e=>{if(!(0,O.CA)(e))throw e}))},onSyncedField(){},emitOnSyncedFieldValueChange(){this.emitFieldValueChange(this.field.attribute,this.currentField.value)},syncedFieldValueHasNotChanged(){const e=this.currentField.value;return(0,h.c)(e)?!(0,h.c)(this.value):!L()(e)&&e?.toString()===this.value?.toString()}},computed:{currentField(){return this.syncedField||this.field},currentlyIsVisible(){return this.currentField.visible},currentlyIsReadonly(){return null!==this.syncedField?Boolean(this.syncedField.readonly||F()(this.syncedField,"extraAttributes.readonly")):Boolean(this.field.readonly||F()(this.field,"extraAttributes.readonly"))},dependsOn(){return this.field.dependsOn||[]},currentFieldValues(){return{[this.fieldAttribute]:this.value}},dependentFieldValues(){return X(X({},this.currentFieldValues),this.watchedFields)},encodedDependentFieldValues(){return btoa((0,Y.s)(JSON.stringify(this.dependentFieldValues)))},syncFieldEndpoint(){return"update-attached"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/update-pivot-fields/${this.relatedResourceName}/${this.relatedResourceId}`:"attach"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/creation-pivot-fields/${this.relatedResourceName}`:"update"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/update-fields`:`/nova-api/${this.resourceName}/creation-fields`}}};var te=r(10539);const re={props:{formUniqueId:{type:String}},data:()=>({validationErrors:new te.rF}),methods:{handleResponseError(e){void 0===e.response||500==e.response.status?Nova.error(this.__("There was a problem submitting the form.")):422==e.response.status?(this.validationErrors=new te.rF(e.response.data.errors),Nova.error(this.__("There was a problem submitting the form."))):Nova.error(this.__("There was a problem submitting the form.")+' "'+e.response.statusText+'"')},handleOnCreateResponseError(e){this.handleResponseError(e)},handleOnUpdateResponseError(e){e.response&&409==e.response.status?Nova.error(this.__("Another user has updated this resource since this page was loaded. Please refresh the page and try again.")):this.handleResponseError(e)},resetErrors(){this.validationErrors=new te.rF}}},oe={data:()=>({isWorking:!1,fileUploadsCount:0}),methods:{handleFileUploadFinished(){this.fileUploadsCount--,this.fileUploadsCount<1&&(this.fileUploadsCount=0,this.isWorking=!1)},handleFileUploadStarted(){this.isWorking=!0,this.fileUploadsCount++}}};var ne=r(85676);const le={computed:{userTimezone:()=>Nova.config("userTimezone")||Nova.config("timezone"),usesTwelveHourTime(){let e=(new Intl.DateTimeFormat).resolvedOptions().locale;return 12===(0,ne.Wk)(e)}}},ie={async created(){this.syncQueryString()},methods:(0,d.ae)(["syncQueryString","updateQueryString"]),computed:(0,d.gV)(["queryStringParams"])};var ae=r(67120),se=r.n(ae);const ce={computed:{resourceInformation(){return se()(Nova.config("resources"),(e=>e.uriKey===this.resourceName))},viaResourceInformation(){if(this.viaResource)return se()(Nova.config("resources"),(e=>e.uriKey===this.viaResource))},authorizedToCreate(){return!(["hasOneThrough","hasManyThrough"].indexOf(this.relationshipType)>=0)&&(this.resourceInformation?.authorizedToCreate||!1)}}};r(29608);const de={data:()=>({collapsed:!1}),created(){const e=localStorage.getItem(this.localStorageKey);"undefined"!==e&&(this.collapsed=JSON.parse(e)??this.collapsedByDefault)},unmounted(){localStorage.setItem(this.localStorageKey,this.collapsed)},methods:{toggleCollapse(){this.collapsed=!this.collapsed,localStorage.setItem(this.localStorageKey,this.collapsed)}},computed:{ariaExpanded(){return!1===this.collapsed?"true":"false"},shouldBeCollapsed(){return this.collapsed},localStorageKey(){return`nova.navigation.${this.item.key}.collapsed`},collapsedByDefault:()=>!1}},ue={created(){Nova.$on("metric-refresh",this.fetch),Nova.$on("resources-deleted",this.fetch),Nova.$on("resources-detached",this.fetch),Nova.$on("resources-restored",this.fetch),this.card.refreshWhenActionRuns&&Nova.$on("action-executed",this.fetch)},beforeUnmount(){Nova.$off("metric-refresh",this.fetch),Nova.$off("resources-deleted",this.fetch),Nova.$off("resources-detached",this.fetch),Nova.$off("resources-restored",this.fetch),Nova.$off("action-executed",this.fetch)}},he={emits:["file-upload-started","file-upload-finished"],props:i(["resourceName"]),async created(){if(this.field.withFiles){const{data:{draftId:e}}=await Nova.request().get(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}/draftId`);this.draftId=e}},data:()=>({draftId:null}),methods:{uploadAttachment(e,{onUploadProgress:t,onCompleted:r,onFailure:o}){const n=new FormData;if(n.append("Content-Type",e.type),n.append("attachment",e),n.append("draftId",this.draftId),L()(t)&&(t=()=>{}),L()(o)&&(o=()=>{}),L()(r))throw"Missing onCompleted parameter";this.$emit("file-upload-started"),Nova.request().post(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,n,{onUploadProgress:t}).then((({data:{url:e}})=>{const t=r(e);return this.$emit("file-upload-finished"),t})).catch((e=>{if(o(e),422==e.response.status){const t=new te.rF(e.response.data.errors);Nova.error(this.__("An error occurred while uploading the file: :error",{error:t.first("attachment")}))}else Nova.error(this.__("An error occurred while uploading the file."))}))},removeAttachment(e){Nova.request().delete(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,{params:{attachmentUrl:e}}).then((e=>{})).catch((e=>{}))},clearAttachments(){this.field.withFiles&&Nova.request().delete(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}/${this.draftId}`).then((e=>{})).catch((e=>{}))},fillAttachmentDraftId(e){let t=this.fieldAttribute,[r,...o]=t.split("[");if(!L()(o)&&o.length>0){let e=o.pop();t=o.length>0?`${r}[${o.join("[")}[${e.slice(0,-1)}DraftId]`:`${r}[${e.slice(0,-1)}DraftId]`}else t=`${t}DraftId`;this.fillIfVisible(e,t,this.draftId)}}},pe={props:{errors:{default:()=>new te.rF}},inject:{index:{default:null},viaParent:{default:null}},data:()=>({errorClass:"form-control-bordered-error"}),computed:{errorClasses(){return this.hasError?[this.errorClass]:[]},fieldAttribute(){return this.field.attribute},validationKey(){return this.nestedValidationKey||this.field.validationKey},hasError(){return this.errors.has(this.validationKey)},firstError(){if(this.hasError)return this.errors.first(this.validationKey)},nestedAttribute(){if(this.viaParent)return`${this.viaParent}[${this.index}][${this.field.attribute}]`},nestedValidationKey(){if(this.viaParent)return`${this.viaParent}.${this.index}.fields.${this.field.attribute}`}}},me={props:i(["resourceName","viaRelationship"]),computed:{localStorageKey(){let e=this.resourceName;return this.viaRelationship&&(e=`${e}.${this.viaRelationship}`),`nova.resources.${e}.collapsed`}}},ve={data:()=>({withTrashed:!1}),methods:{toggleWithTrashed(){this.withTrashed=!this.withTrashed},enableWithTrashed(){this.withTrashed=!0},disableWithTrashed(){this.withTrashed=!1}}},fe={data:()=>({search:"",selectedResource:null,selectedResourceId:null,availableResources:[]}),methods:{selectResource(e){this.selectedResource=e,this.selectedResourceId=e.value,this.field&&("function"==typeof this.emitFieldValueChange?this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId):Nova.$emit(this.fieldAttribute+"-change",this.selectedResourceId))},handleSearchCleared(){this.availableResources=[]},clearSelection(){this.selectedResource=null,this.selectedResourceId=null,this.availableResources=[],this.field&&("function"==typeof this.emitFieldValueChange?this.emitFieldValueChange(this.fieldAttribute,null):Nova.$emit(this.fieldAttribute+"-change",null))},performSearch(e){this.search=e;const t=e.trim();""!=t&&this.searchDebouncer((()=>{this.getAvailableResources(t)}),500)},searchDebouncer:R()((e=>e()),500)}},ge={props:{loadCards:{type:Boolean,default:!0}},data:()=>({cards:[]}),created(){this.fetchCards()},watch:{cardsEndpoint(){this.fetchCards()}},methods:{async fetchCards(){if(this.loadCards){const{data:e}=await Nova.request().get(this.cardsEndpoint,{params:this.extraCardParams});this.cards=e}}},computed:{shouldShowCards(){return this.cards.length>0},hasDetailOnlyCards(){return x()(this.cards,(e=>1==e.onlyOnDetail)).length>0},extraCardParams:()=>null}};var we=r(43028),ke=r.n(we);function ye(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function be(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const xe={computed:{suggestionsId(){return`${this.fieldAttribute}-list`},suggestions(){let e=L()(this.syncedField)?this.field:this.syncedField;return L()(e.suggestions)?[]:e.suggestions},suggestionsAttributes(){return function(e){for(var t=1;t0?this.suggestionsId:null},L()))}}},Ce={props:["field"],computed:{fieldAttribute(){return this.field.attribute},fieldHasValue(){return(0,h.c)(this.field.value)},usesCustomizedDisplay(){return this.field.usesCustomizedDisplay&&(0,h.c)(this.field.displayedAs)},fieldValue(){return this.usesCustomizedDisplay||this.fieldHasValue?String(this.field.displayedAs??this.field.value):null},shouldDisplayAsHtml(){return this.field.asHtml}}},Be={data:()=>({filterHasLoaded:!1,filterIsActive:!1}),watch:{encodedFilters(e){Nova.$emit("filter-changed",[e])}},methods:{async clearSelectedFilters(e){e?await this.$store.dispatch(`${this.resourceName}/resetFilterState`,{resourceName:this.resourceName,lens:e}):await this.$store.dispatch(`${this.resourceName}/resetFilterState`,{resourceName:this.resourceName}),this.updateQueryString({[this.pageParameter]:1,[this.filterParameter]:""}),Nova.$emit("filter-reset")},filterChanged(){(this.$store.getters[`${this.resourceName}/filtersAreApplied`]||this.filterIsActive)&&(this.filterIsActive=!0,this.updateQueryString({[this.pageParameter]:1,[this.filterParameter]:this.encodedFilters}))},async initializeFilters(e){!0!==this.filterHasLoaded&&(this.$store.commit(`${this.resourceName}/clearFilters`),await this.$store.dispatch(`${this.resourceName}/fetchFilters`,q()({resourceName:this.resourceName,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,lens:e},T())),await this.initializeState(e),this.filterHasLoaded=!0)},async initializeState(e){this.initialEncodedFilters?await this.$store.dispatch(`${this.resourceName}/initializeCurrentFilterValuesFromQueryString`,this.initialEncodedFilters):await this.$store.dispatch(`${this.resourceName}/resetFilterState`,{resourceName:this.resourceName,lens:e})}},computed:{filterParameter(){return this.resourceName+"_filter"},encodedFilters(){return this.$store.getters[`${this.resourceName}/currentEncodedFilters`]}}};var Ne=r(94960),Ve=r.n(Ne);const Ee={emits:["field-shown","field-hidden"],data:()=>({visibleFieldsForPanel:{}}),created(){Ve()(this.panel.fields,(e=>{this.visibleFieldsForPanel[e.attribute]=e.visible}))},methods:{handleFieldShown(e){this.visibleFieldsForPanel[e]=!0,this.$emit("field-shown",e)},handleFieldHidden(e){this.visibleFieldsForPanel[e]=!1,this.$emit("field-hidden",e)}},computed:{visibleFieldsCount(){return Object.entries(x()(this.visibleFieldsForPanel,(e=>!0===e))).length}}},Se={methods:{selectPreviousPage(){this.updateQueryString({[this.pageParameter]:this.currentPage-1})},selectNextPage(){this.updateQueryString({[this.pageParameter]:this.currentPage+1})}},computed:{currentPage(){return parseInt(this.queryStringParams[this.pageParameter]||1)}}},_e={data:()=>({perPage:25}),methods:{initializePerPageFromQueryString(){this.perPage=this.currentPerPage},perPageChanged(){this.updateQueryString({[this.perPageParameter]:this.perPage})}},computed:{currentPerPage(){return this.queryStringParams[this.perPageParameter]||25}}},He={data:()=>({pollingListener:null,currentlyPolling:!1}),beforeUnmount(){this.stopPolling()},methods:{initializePolling(){if(this.currentlyPolling=this.currentlyPolling||this.resourceResponse.polling,this.currentlyPolling&&null===this.pollingListener)return this.startPolling()},togglePolling(){this.currentlyPolling?this.stopPolling():this.startPolling()},stopPolling(){this.pollingListener&&(clearInterval(this.pollingListener),this.pollingListener=null),this.currentlyPolling=!1},startPolling(){this.pollingListener=setInterval((()=>{let e=this.selectedResources??[];document.hasFocus()&&document.querySelectorAll("[data-modal-open]").length<1&&e.length<1&&this.getResources()}),this.pollingInterval),this.currentlyPolling=!0},restartPolling(){!0===this.currentlyPolling&&(this.stopPolling(),this.startPolling())}},computed:{initiallyPolling(){return this.resourceResponse.polling},pollingInterval(){return this.resourceResponse.pollingInterval},shouldShowPollingToggle(){return this.resourceResponse&&this.resourceResponse.showPollingToggle||!1}}};var Oe=r(13720),Me=r.n(Oe),Re=(r(56756),r(74032));function De(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function Pe(e){for(var t=1;tthis.resourceHasId)),authorizedToViewAnyResources:(0,Re.computed)((()=>this.authorizedToViewAnyResources)),authorizedToUpdateAnyResources:(0,Re.computed)((()=>this.authorizedToUpdateAnyResources)),authorizedToDeleteAnyResources:(0,Re.computed)((()=>this.authorizedToDeleteAnyResources)),authorizedToRestoreAnyResources:(0,Re.computed)((()=>this.authorizedToRestoreAnyResources)),selectedResourcesCount:(0,Re.computed)((()=>this.selectedResources.length)),selectAllChecked:(0,Re.computed)((()=>this.selectAllChecked)),selectAllMatchingChecked:(0,Re.computed)((()=>this.selectAllMatchingChecked)),selectAllOrSelectAllMatchingChecked:(0,Re.computed)((()=>this.selectAllOrSelectAllMatchingChecked)),selectAllAndSelectAllMatchingChecked:(0,Re.computed)((()=>this.selectAllAndSelectAllMatchingChecked)),selectAllIndeterminate:(0,Re.computed)((()=>this.selectAllIndeterminate)),orderByParameter:(0,Re.computed)((()=>this.orderByParameter)),orderByDirectionParameter:(0,Re.computed)((()=>this.orderByDirectionParameter))}},data:()=>({actions:[],allMatchingResourceCount:0,authorizedToRelate:!1,canceller:null,currentPageLoadMore:null,deleteModalOpen:!1,initialLoading:!0,loading:!0,orderBy:"",orderByDirection:"",pivotActions:null,resourceHasId:!0,resourceHasActions:!1,resourceResponse:null,resourceResponseError:null,resources:[],search:"",selectAllMatchingResources:!1,selectedResources:[],softDeletes:!1,trashed:""}),async created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");const e=R()((e=>e()),this.resourceInformation.debounce);this.initializeSearchFromQueryString(),this.initializePerPageFromQueryString(),this.initializeTrashedFromQueryString(),this.initializeOrderingFromQueryString(),await this.initializeFilters(this.lens||null),await this.getResources(),this.isLensView||await this.getAuthorizationToRelate(),this.getActions(),this.initialLoading=!1,this.$watch((()=>this.lens+this.resourceName+this.encodedFilters+this.currentSearch+this.currentPage+this.currentPerPage+this.currentOrderBy+this.currentOrderByDirection+this.currentTrashed),(()=>{null!==this.canceller&&this.canceller(),1===this.currentPage&&(this.currentPageLoadMore=null),this.getResources()})),this.$watch("search",(t=>{this.search=t,e((()=>this.performSearch()))}))},beforeUnmount(){null!==this.canceller&&this.canceller()},methods:{handleResourcesLoaded(){this.loading=!1,this.isLensView||null===this.resourceResponse.total?this.getAllMatchingResourceCount():this.allMatchingResourceCount=this.resourceResponse.total,Nova.$emit("resources-loaded",this.isLensView?{resourceName:this.resourceName,lens:this.lens,mode:"lens"}:{resourceName:this.resourceName,mode:this.isRelation?"related":"index"}),this.initializePolling()},selectAllResources(){this.selectedResources=this.resources.slice(0)},toggleSelectAll(e){e&&e.preventDefault(),this.selectAllChecked?this.clearResourceSelections():this.selectAllResources(),this.getActions()},toggleSelectAllMatching(e){e&&e.preventDefault(),this.selectAllMatchingResources?this.selectAllMatchingResources=!1:(this.selectAllResources(),this.selectAllMatchingResources=!0),this.getActions()},updateSelectionStatus(e){if(Me()(this.selectedResources,e)){const t=this.selectedResources.indexOf(e);t>-1&&this.selectedResources.splice(t,1)}else this.selectedResources.push(e);this.selectAllMatchingResources=!1,this.getActions()},clearResourceSelections(){this.selectAllMatchingResources=!1,this.selectedResources=[]},orderByField(e){let t="asc"==this.currentOrderByDirection?"desc":"asc";this.currentOrderBy!=e.sortableUriKey&&(t="asc"),this.updateQueryString({[this.orderByParameter]:e.sortableUriKey,[this.orderByDirectionParameter]:t})},resetOrderBy(e){this.updateQueryString({[this.orderByParameter]:e.sortableUriKey,[this.orderByDirectionParameter]:null})},initializeSearchFromQueryString(){this.search=this.currentSearch},initializeOrderingFromQueryString(){this.orderBy=this.currentOrderBy,this.orderByDirection=this.currentOrderByDirection},initializeTrashedFromQueryString(){this.trashed=this.currentTrashed},trashedChanged(e){this.trashed=e,this.updateQueryString({[this.trashedParameter]:this.trashed})},updatePerPageChanged(e){this.perPage=e,this.perPageChanged()},selectPage(e){this.updateQueryString({[this.pageParameter]:e})},initializePerPageFromQueryString(){this.perPage=this.queryStringParams[this.perPageParameter]||this.initialPerPage||this.resourceInformation?.perPageOptions[0]||null},closeDeleteModal(){this.deleteModalOpen=!1},performSearch(){this.updateQueryString({[this.pageParameter]:1,[this.searchParameter]:this.search})},handleActionExecuted(){this.fetchPolicies(),this.getResources()}},computed:{hasFilters(){return this.$store.getters[`${this.resourceName}/hasFilters`]},pageParameter(){return this.viaRelationship?this.viaRelationship+"_page":this.resourceName+"_page"},selectAllChecked(){return this.selectedResources.length==this.resources.length},selectAllIndeterminate(){return Boolean(this.selectAllChecked||this.selectAllMatchingChecked)&&Boolean(!this.selectAllAndSelectAllMatchingChecked)},selectAllAndSelectAllMatchingChecked(){return this.selectAllChecked&&this.selectAllMatchingChecked},selectAllOrSelectAllMatchingChecked(){return this.selectAllChecked||this.selectAllMatchingChecked},selectAllMatchingChecked(){return this.selectAllMatchingResources},selectedResourceIds(){return B()(this.selectedResources,(e=>e.id.value))},selectedPivotIds(){return B()(this.selectedResources,(e=>e.id.pivotValue??null))},currentSearch(){return this.queryStringParams[this.searchParameter]||""},currentOrderBy(){return this.queryStringParams[this.orderByParameter]||""},currentOrderByDirection(){return this.queryStringParams[this.orderByDirectionParameter]||null},currentTrashed(){return this.queryStringParams[this.trashedParameter]||""},viaManyToMany(){return"belongsToMany"==this.relationshipType||"morphToMany"==this.relationshipType},isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)},singularName(){return this.isRelation&&this.field?(0,ne.Yj)(this.field.singularLabel):this.resourceInformation?(0,ne.Yj)(this.resourceInformation.singularLabel):void 0},hasResources(){return Boolean(this.resources.length>0)},hasLenses(){return Boolean(this.lenses.length>0)},shouldShowCards(){return Boolean(this.cards.length>0&&!this.isRelation)},shouldShowCheckboxes(){return Boolean(this.hasResources)&&Boolean(this.resourceHasId)&&Boolean(this.resourceHasActions||this.authorizedToDeleteAnyResources||this.canShowDeleteMenu)},shouldShowDeleteMenu(){return Boolean(this.selectedResources.length>0)&&this.canShowDeleteMenu},authorizedToDeleteSelectedResources(){return Boolean(se()(this.selectedResources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteSelectedResources(){return Boolean(se()(this.selectedResources,(e=>e.authorizedToForceDelete)))},authorizedToViewAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToView)))},authorizedToUpdateAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToUpdate)))},authorizedToDeleteAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToForceDelete)))},authorizedToRestoreSelectedResources(){return Boolean(this.resourceHasId)&&Boolean(se()(this.selectedResources,(e=>e.authorizedToRestore)))},authorizedToRestoreAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToRestore)))},encodedFilters(){return this.$store.getters[`${this.resourceName}/currentEncodedFilters`]},initialEncodedFilters(){return this.queryStringParams[this.filterParameter]||""},paginationComponent:()=>`pagination-${Nova.config("pagination")||"links"}`,hasNextPage(){return Boolean(this.resourceResponse&&this.resourceResponse.next_page_url)},hasPreviousPage(){return Boolean(this.resourceResponse&&this.resourceResponse.prev_page_url)},totalPages(){return Math.ceil(this.allMatchingResourceCount/this.currentPerPage)},resourceCountLabel(){const e=this.perPage*(this.currentPage-1);return this.resources.length&&`${Nova.formatNumber(e+1)}-${Nova.formatNumber(e+this.resources.length)} ${this.__("of")} ${Nova.formatNumber(this.allMatchingResourceCount)}`},currentPerPage(){return this.perPage},perPageOptions(){if(this.resourceResponse)return this.resourceResponse.per_page_options},createButtonLabel(){return this.resourceInformation?this.resourceInformation.createButtonLabel:this.__("Create")},resourceRequestQueryString(){const e={search:this.currentSearch,filters:this.encodedFilters,orderBy:this.currentOrderBy,orderByDirection:this.currentOrderByDirection,perPage:this.currentPerPage,trashed:this.currentTrashed,page:this.currentPage,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,viaResourceRelationship:this.viaResourceRelationship,relationshipType:this.relationshipType};return this.lensName||(e.viaRelationship=this.viaRelationship),e},shouldShowActionSelector(){return this.selectedResources.length>0||this.haveStandaloneActions},isLensView(){return""!==this.lens&&null!=this.lens&&null!=this.lens},shouldShowPagination(){return!0!==this.disablePagination&&this.resourceResponse&&(this.hasResources||this.hasPreviousPage)},currentResourceCount(){return this.resources.length},searchParameter(){return this.viaRelationship?this.viaRelationship+"_search":this.resourceName+"_search"},orderByParameter(){return this.viaRelationship?this.viaRelationship+"_order":this.resourceName+"_order"},orderByDirectionParameter(){return this.viaRelationship?this.viaRelationship+"_direction":this.resourceName+"_direction"},trashedParameter(){return this.viaRelationship?this.viaRelationship+"_trashed":this.resourceName+"_trashed"},perPageParameter(){return this.viaRelationship?this.viaRelationship+"_per_page":this.resourceName+"_per_page"},haveStandaloneActions(){return x()(this.allActions,(e=>!0===e.standalone)).length>0},availableActions(){return this.actions},hasPivotActions(){return this.pivotActions&&this.pivotActions.actions.length>0},pivotName(){return this.pivotActions?this.pivotActions.name:""},actionsAreAvailable(){return this.allActions.length>0},allActions(){return this.hasPivotActions?this.actions.concat(this.pivotActions.actions):this.actions},availableStandaloneActions(){return this.allActions.filter((e=>!0===e.standalone))},selectedResourcesForActionSelector(){return this.selectAllMatchingChecked?"all":this.selectedResources}}}},57308:(e,t,r)=>{"use strict";r.d(t,{c:()=>o});const o={fetchAvailableResources:(e,t)=>Nova.request().get(`/nova-api/${e}/search`,t),determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)}},3896:(e,t,r)=>{"use strict";function o(e){return e.replace(/[^\0-~]/g,(e=>"\\u"+("000"+e.charCodeAt().toString(16)).slice(-4)))}r.d(t,{s:()=>o})},66056:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(14764),n=r.n(o);function l(e){return Boolean(!n()(e)&&""!==e)}},85676:(e,t,r)=>{"use strict";function o(e){let t=Intl.DateTimeFormat(e,{hour:"numeric"}).resolvedOptions().hourCycle;return"h23"==t||"h24"==t?24:12}function n(e,t){return 0===t?null:e>t?(e-t)/Math.abs(t)*100:(t-e)/Math.abs(t)*-100}function l(e,t=100){return Promise.all([e,new Promise((e=>{setTimeout((()=>e()),t)}))]).then((e=>e[0]))}r.d(t,{Yj:()=>p,Wk:()=>o,q8:()=>n,OC:()=>l,Y7:()=>d});var i=r(54500),a=r.n(i),s=r(36384),c=r.n(s);function d(e,t){return c()(t)&&null==t.match(/^(.*)[A-Za-zÀ-ÖØ-öø-ÿ]$/)?t:e>1||0==e?a().pluralize(t):a().singularize(t)}var u=r(64704),h=r.n(u);function p(e){return h()(e)}},17992:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(2376),n=r.n(o);function l(e,t){let r=Nova.config("translations")[e]?Nova.config("translations")[e]:e;return n()(t,((e,t)=>{if(t=new String(t),null===e)return void console.error(`Translation '${r}' for key '${t}' contains a null replacement.`);e=new String(e);const o=[":"+t,":"+t.toUpperCase(),":"+t.charAt(0).toUpperCase()+t.slice(1)],n=[e,e.toUpperCase(),e.charAt(0).toUpperCase()+e.slice(1)];for(let e=o.length-1;e>=0;e--)r=r.replace(o[e],n[e])})),r}},76024:()=>{},77528:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032),n=r(87352),l=r(48936);const i={value:"",disabled:"",selected:""},a={__name:"ActionSelector",props:{width:{type:String,default:"auto"},pivotName:{type:String,default:null},resourceName:{},viaResource:{},viaResourceId:{},viaRelationship:{},relationshipType:{},pivotActions:{type:Object,default:()=>({name:"Pivot",actions:[]})},actions:{type:Array,default:[]},selectedResources:{type:[Array,String],default:()=>[]},endpoint:{type:String,default:null},triggerDuskAttribute:{type:String,default:null}},emits:["actionExecuted"],setup(e,{emit:t}){const r=(0,o.ref)(null),a=(0,l.o3)(),s=t,c=e,{errors:d,actionModalVisible:u,responseModalVisible:h,openConfirmationModal:p,closeConfirmationModal:m,closeResponseModal:v,handleActionClick:f,selectedAction:g,setSelectedActionKey:w,determineActionStrategy:k,working:y,executeAction:b,availableActions:x,availablePivotActions:C,actionResponseData:B}=(0,n.k)(c,s,a),N=e=>{w(e),k(),r.value.resetSelection()},V=(0,o.computed)((()=>[...x.value.map((e=>({value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun}))),...C.value.map((e=>({group:c.pivotName,value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun})))]));return(t,n)=>{const l=(0,o.resolveComponent)("SelectControl");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[V.value.length>0?((0,o.openBlock)(),(0,o.createBlock)(l,(0,o.mergeProps)({key:0},t.$attrs,{ref_key:"actionSelectControl",ref:r,size:"xs",onChange:N,options:V.value,dusk:"action-select",selected:"",class:{"max-w-[6rem]":"auto"===e.width,"w-full":"full"===e.width},"aria-label":t.__("Select Action")}),{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",i,(0,o.toDisplayString)(t.__("Actions")),1)])),_:1},16,["options","class","aria-label"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(u)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(g)?.component),{key:1,class:"text-left",show:(0,o.unref)(u),working:(0,o.unref)(y),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(g),errors:(0,o.unref)(d),onConfirm:(0,o.unref)(b),onClose:(0,o.unref)(m)},null,40,["show","working","selected-resources","resource-name","action","errors","onConfirm","onClose"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(h)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(B)?.modal),{key:2,show:(0,o.unref)(h),onConfirm:(0,o.unref)(v),onClose:(0,o.unref)(v),data:(0,o.unref)(B)},null,40,["show","onConfirm","onClose","data"])):(0,o.createCommentVNode)("",!0)],64)}}};const s=(0,r(18152).c)(a,[["__file","ActionSelector.vue"]])},86148:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=[(0,o.createStaticVNode)('',2)];const l={inheritAttrs:!1,computed:{logo:()=>window.Nova.config("logo")}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PassthroughLogo");return a.logo?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,logo:a.logo,class:(0,o.normalizeClass)(e.$attrs.class)},null,8,["logo","class"])):((0,o.openBlock)(),(0,o.createElementBlock)("svg",{key:1,class:(0,o.normalizeClass)([e.$attrs.class,"h-6"]),viewBox:"0 0 204 37",xmlns:"http://www.w3.org/2000/svg"},n,2))}],["__file","AppLogo.vue"]])},19440:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=["src"],l={__name:"Avatar",props:{src:{type:String},rounded:{type:Boolean,default:!0},small:{type:Boolean},medium:{type:Boolean},large:{type:Boolean}},setup(e){const t=e,r=(0,o.computed)((()=>[t.small&&"w-6 h-6",t.medium&&!t.small&&!t.large&&"w-8 h-8",t.large&&"w-12 h-12",t.rounded&&"rounded-full"]));return(t,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("img",{src:e.src,class:(0,o.normalizeClass)(r.value)},null,10,n))}};const i=(0,r(18152).c)(l,[["__file","Avatar.vue"]])},17392:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={inheritAttrs:!1},l=Object.assign(n,{__name:"Backdrop",props:{show:{type:Boolean,default:!1}},setup(e){const t=e,r=(0,o.ref)(),n=()=>{r.value=window.scrollY};return(0,o.onMounted)((()=>{n(),document.addEventListener("scroll",n)})),(0,o.onBeforeUnmount)((()=>{document.removeEventListener("scroll",n)})),(e,n)=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)(e.$attrs,{class:"absolute inset-0 h-full",style:{top:`${r.value}px`}}),null,16)),[[o.vShow,t.show]])}});const i=(0,r(18152).c)(l,[["__file","Backdrop.vue"]])},29046:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{label:{type:[Boolean,String],required:!1},extraClasses:{type:[Array,String],required:!1}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("span",{class:(0,o.normalizeClass)(["inline-flex items-center whitespace-nowrap min-h-6 px-2 rounded-full uppercase text-xs font-bold",r.extraClasses])},[(0,o.renderSlot)(e.$slots,"icon"),(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.label),1)]))],2)}],["__file","Badge.vue"]])},56424:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"h-4 inline-flex items-center justify-center font-bold rounded-full px-2 text-mono text-xs ml-1 bg-primary-100 text-primary-800 dark:bg-primary-500 dark:text-gray-800"};const l={};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","CircleBadge.vue"]])},9660:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;ti.updateCheckedState(r.option.value,e.target.checked))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(i.labelFor(r.option)),1)])),_:1},8,["dusk","checked"])}],["__file","BooleanOption.vue"]])},10672:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}},setup(e,{expose:t}){const r=(0,o.ref)(null);return t({focus:()=>r.value.focus()}),(t,n)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)(l(l({},t.$props),t.$attrs),{ref_key:"button",ref:r,class:["cursor-pointer rounded text-sm font-bold focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600",{"inline-flex items-center justify-center":"center"==e.align,"inline-flex items-center justify-start":"left"==e.align,"h-9 px-3":"lg"==e.size,"h-8 px-3":"sm"==e.size,"h-7 px-1 md:px-3":"xs"==e.size}]}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},16,["class"]))}};const s=(0,r(18152).c)(a,[["__file","BasicButton.vue"]])},89052:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["sm","md"].includes(e)}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createBlock)(s,(0,o.mergeProps)(l(l({},e.$props),e.$attrs),{class:["shadow rounded focus:outline-none ring-primary-200 dark:ring-gray-600 focus:ring bg-primary-500 hover:bg-primary-400 active:bg-primary-600 text-white dark:text-gray-800 inline-flex items-center font-bold",{"px-4 h-9 text-sm":"md"===r.size,"px-3 h-7 text-xs":"sm"===r.size}]}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["class"])}],["__file","ButtonInertiaLink.vue"]])},16740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032),n=r(73336),l=r.n(n);const i={__name:"CopyButton",props:{rounded:{type:Boolean,default:!0},withIcon:{type:Boolean,default:!0}},setup(e){const t=(0,o.ref)(!1),r=l()((()=>{t.value=!t.value,setTimeout((()=>t.value=!t.value),2e3)}),2e3,{leading:!0,trailing:!1}),n=()=>r();return(r,l)=>{const i=(0,o.resolveComponent)("CopyIcon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:n,class:(0,o.normalizeClass)(["inline-flex items-center px-2 space-x-1 -mx-2 text-gray-500 dark:text-gray-400 hover:bg-gray-100 hover:text-gray-500 active:text-gray-600 dark:hover:bg-gray-900",{"rounded-lg":!e.rounded,"rounded-full":e.rounded}])},[(0,o.renderSlot)(r.$slots,"default"),e.withIcon?((0,o.openBlock)(),(0,o.createBlock)(i,{key:0,copied:t.value},null,8,["copied"])):(0,o.createCommentVNode)("",!0)],2)}}};const a=(0,r(18152).c)(i,[["__file","CopyButton.vue"]])},73588:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032),n=r(10076);const l={__name:"CreateRelationButton",setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(n.c),{variant:"link",size:"small","leading-icon":"plus-circle"}))};const i=(0,r(18152).c)(l,[["__file","CreateRelationButton.vue"]])},15380:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}},methods:{focus(){this.$refs.button.focus()}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("BasicButton");return(0,o.openBlock)(),(0,o.createBlock)(s,(0,o.mergeProps)(l(l({},e.$props),e.$attrs),{component:r.component,ref:"button",class:"shadow relative bg-primary-500 hover:bg-primary-400 text-white dark:text-gray-900"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["component"])}],["__file","DefaultButton.vue"]])},11856:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={__name:"IconButton",props:{iconType:{type:String,default:"dots-horizontal"},small:{type:Boolean},medium:{type:Boolean},large:{type:Boolean},solid:{type:Boolean,default:!0}},setup(e){const t=e,r=(0,o.computed)((()=>[t.small&&"w-6 h-6",t.medium&&"w-8 h-8",t.large&&"w-9 h-9"]));return(t,n)=>{const l=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",class:(0,o.normalizeClass)(["inline-flex items-center justify-center focus:ring focus:ring-primary-200 focus:outline-none rounded",r.value])},[(0,o.createVNode)(l,(0,o.mergeProps)({type:e.iconType,class:"hover:opacity-50"},{solid:e.solid}),null,16,["type"])],2)}}};const l=(0,r(18152).c)(n,[["__file","IconButton.vue"]])},61888:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032),n=r(10076);const l={__name:"InertiaButton",props:{href:{type:String,required:!0},variant:{type:String,default:"primary"},icon:{type:String,default:"primary"},dusk:{type:String,default:null},label:{type:String,default:null}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createBlock)(l,{href:e.href,dusk:e.dusk},{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(n.c),{as:"div",variant:e.variant,icon:e.icon,label:e.label},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},8,["variant","icon","label"])])),_:3},8,["href","dusk"])}};const i=(0,r(18152).c)(l,[["__file","InertiaButton.vue"]])},86724:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={type:"button",class:"space-x-1 cursor-pointer focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 focus:ring-offset-4 dark:focus:ring-offset-gray-800 rounded-lg mx-auto text-primary-500 font-bold link-default px-3 rounded-b-lg flex items-center"},l={__name:"InvertedButton",props:{iconType:{type:String,default:"plus-circle"}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",n,[(0,o.createVNode)(l,{type:e.iconType},null,8,["type"]),(0,o.createElementVNode)("span",null,[(0,o.renderSlot)(t.$slots,"default")])])}};const i=(0,r(18152).c)(l,[["__file","InvertedButton.vue"]])},77512:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}},setup:e=>(t,r)=>{const n=(0,o.resolveComponent)("BasicButton");return(0,o.openBlock)(),(0,o.createBlock)(n,(0,o.mergeProps)(l(l({},t.$props),t.$attrs),{component:e.component,class:"appearance-none bg-transparent font-bold text-gray-400 hover:text-gray-300 active:text-gray-500 dark:text-gray-500 dark:hover:text-gray-400 dark:active:text-gray-600 dark:hover:bg-gray-800"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},16,["component"])}};const s=(0,r(18152).c)(a,[["__file","LinkButton.vue"]])},70056:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BasicButton");return(0,o.openBlock)(),(0,o.createBlock)(a,(0,o.mergeProps)(e.$attrs,{component:"button",class:"focus:outline-none focus:ring rounded border-2 border-primary-300 dark:border-gray-500 hover:border-primary-500 active:border-primary-400 dark:hover:border-gray-400 dark:active:border-gray-300 bg-white dark:bg-transparent text-primary-500 dark:text-gray-400 px-3 h-9 inline-flex items-center font-bold"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16)}],["__file","OutlineButton.vue"]])},87248:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t[(0,o.renderSlot)(e.$slots,"default")])),_:3},16)}],["__file","OutlineButtonInertiaLink.vue"]])},36664:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={type:"button",class:"rounded-full shadow bg-white dark:bg-gray-800 text-center flex items-center justify-center h-[20px] w-[21px]"},l={__name:"RemoveButton",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",n,[(0,o.createVNode)(r,{type:"x-circle",solid:!0,class:"text-gray-800 dark:text-gray-200"})])}};const i=(0,r(18152).c)(l,[["__file","RemoveButton.vue"]])},9320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v4l3 3m6-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const l={emits:["start-polling","stop-polling"],props:{currentlyPolling:{type:Boolean,default:!1}},methods:{togglePolling(){return this.currentlyPolling?this.$emit("stop-polling"):this.$emit("start-polling")}},computed:{buttonLabel(){return this.currentlyPolling?this.__("Stop Polling"):this.__("Start Polling")}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveDirective)("tooltip");return(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("button",{class:"px-2",onClick:t[0]||(t[0]=(...e)=>a.togglePolling&&a.togglePolling(...e))},[((0,o.openBlock)(),(0,o.createElementBlock)("svg",{class:(0,o.normalizeClass)(["w-6 h-6",{"text-green-500":r.currentlyPolling,"text-gray-300 dark:text-gray-500":!r.currentlyPolling}]),fill:"none",stroke:"currentColor",viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},n,2))])),[[s,a.buttonLabel,void 0,{click:!0}]])}],["__file","ResourcePollingButton.vue"]])},47776:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={type:"button",class:"inline-flex items-center justify-center w-8 h-8 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 rounded-lg"};const l={props:{type:{type:String,required:!1}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",n,[(0,o.renderSlot)(e.$slots,"default"),r.type?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,solid:"",type:r.type},null,8,["type"])):(0,o.createCommentVNode)("",!0)])}],["__file","ToolbarButton.vue"]])},66500:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("LinkButton");return(0,o.openBlock)(),(0,o.createBlock)(s,(0,o.mergeProps)(l(l({size:r.size,align:r.align},e.$props),e.$attrs),{type:"button",component:r.component}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)]))])),_:3},16,["component"])}],["__file","CancelButton.vue"]])},76452:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"relative overflow-hidden bg-white dark:bg-gray-800 rounded-lg shadow"};const l={};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","Card.vue"]])},94e3:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{card:{type:Object,required:!0},resource:{type:Object,required:!1},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{lens:String,default:""}},computed:{widthClass(){return{full:"md:col-span-12","1/3":"md:col-span-4","1/2":"md:col-span-6","1/4":"md:col-span-3","2/3":"md:col-span-8","3/4":"md:col-span-9"}[this.card.width]},heightClass(){return"fixed"==this.card.height?"min-h-40":""}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.card.component),{class:(0,o.normalizeClass)([[i.widthClass,i.heightClass],"h-full"]),key:`${r.card.component}.${r.card.uriKey}`,card:r.card,resource:r.resource,resourceName:r.resourceName,resourceId:r.resourceId,lens:r.lens},null,8,["class","card","resource","resourceName","resourceId","lens"])}],["__file","CardWrapper.vue"]])},76648:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={key:1,class:"grid md:grid-cols-12 gap-6"};var l=r(54740),i=r.n(l),a=r(63916),s=r(66056);const c={mixins:[a.q],props:{cards:Array,resource:{type:Object,required:!1},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},onlyOnDetail:{type:Boolean,default:!1},lens:{lens:String,default:""}},data:()=>({collapsed:!1}),computed:{filteredCards(){return this.onlyOnDetail?i()(this.cards,(e=>1==e.onlyOnDetail)):i()(this.cards,(e=>0==e.onlyOnDetail))},localStorageKey(){let e=this.resourceName;return(0,s.c)(this.lens)?e=`${e}.${this.lens}`:(0,s.c)(this.resourceId)&&(e=`${e}.${this.resourceId}`),`nova.cards.${e}.collapsed`}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("CollapseButton"),c=(0,o.resolveComponent)("CardWrapper");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[a.filteredCards.length>1?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:t[0]||(t[0]=(...t)=>e.toggleCollapse&&e.toggleCollapse(...t)),class:"md:hidden h-8 py-3 mb-3 uppercase tracking-widest font-bold text-xs inline-flex items-center justify-center focus:outline-none focus:ring-primary-200 border-1 border-primary-500 focus:ring focus:ring-offset-4 focus:ring-offset-gray-100 dark:ring-gray-600 dark:focus:ring-offset-gray-900 rounded"},[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.collapsed?e.__("Show Cards"):e.__("Hide Cards")),1),(0,o.createVNode)(s,{class:"ml-1",collapsed:e.collapsed},null,8,["collapsed"])])):(0,o.createCommentVNode)("",!0),a.filteredCards.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.filteredCards,(t=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(c,{card:t,resource:r.resource,"resource-name":r.resourceName,"resource-id":r.resourceId,key:`${t.component}.${t.uriKey}`,lens:r.lens},null,8,["card","resource","resource-name","resource-id","lens"])),[[o.vShow,!e.collapsed]]))),128))])):(0,o.createCommentVNode)("",!0)])}],["__file","Cards.vue"]])},43648:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(74032);const n={class:"flex justify-center items-center"},l={class:"w-full"},i=(0,o.createElementVNode)("p",{class:"leading-tight mt-3"}," Welcome to Nova! Get familiar with Nova and explore its features in the documentation: ",-1),a={class:"md:grid md:grid-cols-2"},s={class:"border-r border-b border-gray-200 dark:border-gray-700"},c=["href"],d=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"40",height:"40",viewBox:"0 0 40 40"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M31.51 25.86l7.32 7.31c1.0110617 1.0110616 1.4059262 2.4847161 1.035852 3.865852-.3700742 1.3811359-1.4488641 2.4599258-2.83 2.83-1.3811359.3700742-2.8547904-.0247903-3.865852-1.035852l-7.31-7.32c-7.3497931 4.4833975-16.89094893 2.7645226-22.21403734-4.0019419-5.3230884-6.7664645-4.74742381-16.4441086 1.34028151-22.53181393C11.0739495-1.11146115 20.7515936-1.68712574 27.5180581 3.63596266 34.2845226 8.95905107 36.0033975 18.5002069 31.52 25.85l-.01.01zm-3.99 4.5l7.07 7.05c.7935206.6795536 1.9763883.6338645 2.7151264-.1048736.7387381-.7387381.7844272-1.9216058.1048736-2.7151264l-7.06-7.07c-.8293081 1.0508547-1.7791453 2.0006919-2.83 2.83v.01zM17 32c8.2842712 0 15-6.7157288 15-15 0-8.28427125-6.7157288-15-15-15C8.71572875 2 2 8.71572875 2 17c0 8.2842712 6.71572875 15 15 15zm0-2C9.82029825 30 4 24.1797017 4 17S9.82029825 4 17 4c7.1797017 0 13 5.8202983 13 13s-5.8202983 13-13 13zm0-2c6.0751322 0 11-4.9248678 11-11S23.0751322 6 17 6 6 10.9248678 6 17s4.9248678 11 11 11z"})])],-1),u=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Nova's resource manager allows you to quickly view and manage your Eloquent model records directly from Nova's intuitive interface. ",-1),h={class:"border-b border-gray-200 dark:border-gray-700"},p=["href"],m=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"44",height:"44",viewBox:"0 0 44 44"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M22 44C9.8497355 44 0 34.1502645 0 22S9.8497355 0 22 0s22 9.8497355 22 22-9.8497355 22-22 22zm0-2c11.045695 0 20-8.954305 20-20S33.045695 2 22 2 2 10.954305 2 22s8.954305 20 20 20zm3-24h5c.3638839-.0007291.6994429.1962627.8761609.5143551.176718.3180924.1666987.707072-.0261609 1.0156449l-10 16C20.32 36.38 19 36 19 35v-9h-5c-.3638839.0007291-.6994429-.1962627-.8761609-.5143551-.176718-.3180924-.1666987-.707072.0261609-1.0156449l10-16C23.68 7.62 25 8 25 9v9zm3.2 2H24c-.5522847 0-1-.4477153-1-1v-6.51L15.8 24H20c.5522847 0 1 .4477153 1 1v6.51L28.2 20z"})])],-1),v=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Actions perform tasks on a single record or an entire batch of records. Have an action that takes a while? No problem. Nova can queue them using Laravel's powerful queue system. ",-1),f={class:"border-r border-b border-gray-200 dark:border-gray-700"},g=["href"],w=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"38",height:"38",viewBox:"0 0 38 38"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M36 4V2H2v6.59l13.7 13.7c.1884143.1846305.296243.4362307.3.7v11.6l6-6v-5.6c.003757-.2637693.1115857-.5153695.3-.7L36 8.6V6H19c-.5522847 0-1-.44771525-1-1s.4477153-1 1-1h17zM.3 9.7C.11158574 9.51536954.00375705 9.26376927 0 9V1c0-.55228475.44771525-1 1-1h36c.5522847 0 1 .44771525 1 1v8c-.003757.26376927-.1115857.51536954-.3.7L24 23.42V29c-.003757.2637693-.1115857.5153695-.3.7l-8 8c-.2857003.2801197-.7108712.3629755-1.0808485.210632C14.2491743 37.7582884 14.0056201 37.4000752 14 37V23.4L.3 9.71V9.7z"})])],-1),k=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Write custom filters for your resource indexes to offer your users quick glances at different segments of your data. ",-1),y={class:"border-b border-gray-200 dark:border-gray-700"},b=["href"],x=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"36",height:"36",viewBox:"0 0 36 36"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M4 8C1.790861 8 0 6.209139 0 4s1.790861-4 4-4 4 1.790861 4 4-1.790861 4-4 4zm0-2c1.1045695 0 2-.8954305 2-2s-.8954305-2-2-2-2 .8954305-2 2 .8954305 2 2 2zm0 16c-2.209139 0-4-1.790861-4-4s1.790861-4 4-4 4 1.790861 4 4-1.790861 4-4 4zm0-2c1.1045695 0 2-.8954305 2-2s-.8954305-2-2-2-2 .8954305-2 2 .8954305 2 2 2zm0 16c-2.209139 0-4-1.790861-4-4s1.790861-4 4-4 4 1.790861 4 4-1.790861 4-4 4zm0-2c1.1045695 0 2-.8954305 2-2s-.8954305-2-2-2-2 .8954305-2 2 .8954305 2 2 2zm9-31h22c.5522847 0 1 .44771525 1 1s-.4477153 1-1 1H13c-.5522847 0-1-.44771525-1-1s.4477153-1 1-1zm0 14h22c.5522847 0 1 .4477153 1 1s-.4477153 1-1 1H13c-.5522847 0-1-.4477153-1-1s.4477153-1 1-1zm0 14h22c.5522847 0 1 .4477153 1 1s-.4477153 1-1 1H13c-.5522847 0-1-.4477153-1-1s.4477153-1 1-1z"})])],-1),C=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Need to customize a resource list a little more than a filter can provide? No problem. Add lenses to your resource to take full control over the entire Eloquent query. ",-1),B={class:"border-r md:border-b-0 border-b border-gray-200 dark:border-gray-700"},N=["href"],V=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"37",height:"36",viewBox:"0 0 37 36"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M2 27h3c1.1045695 0 2 .8954305 2 2v5c0 1.1045695-.8954305 2-2 2H2c-1.1045695 0-2-.8954305-2-2v-5c0-1.1.9-2 2-2zm0 2v5h3v-5H2zm10-11h3c1.1045695 0 2 .8954305 2 2v14c0 1.1045695-.8954305 2-2 2h-3c-1.1045695 0-2-.8954305-2-2V20c0-1.1.9-2 2-2zm0 2v14h3V20h-3zM22 9h3c1.1045695 0 2 .8954305 2 2v23c0 1.1045695-.8954305 2-2 2h-3c-1.1045695 0-2-.8954305-2-2V11c0-1.1.9-2 2-2zm0 2v23h3V11h-3zM32 0h3c1.1045695 0 2 .8954305 2 2v32c0 1.1045695-.8954305 2-2 2h-3c-1.1045695 0-2-.8954305-2-2V2c0-1.1.9-2 2-2zm0 2v32h3V2h-3z"})])],-1),E=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Nova makes it painless to quickly display custom metrics for your application. To put the cherry on top, we’ve included query helpers to make it all easy as pie. ",-1),S={class:"md:border-b-0 border-b border-gray-200 dark:border-gray-700"},_=["href"],H=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"36",height:"36",viewBox:"0 0 36 36"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M29 7h5c.5522847 0 1 .44771525 1 1s-.4477153 1-1 1h-5v5c0 .5522847-.4477153 1-1 1s-1-.4477153-1-1V9h-5c-.5522847 0-1-.44771525-1-1s.4477153-1 1-1h5V2c0-.55228475.4477153-1 1-1s1 .44771525 1 1v5zM4 0h8c2.209139 0 4 1.790861 4 4v8c0 2.209139-1.790861 4-4 4H4c-2.209139 0-4-1.790861-4-4V4c0-2.209139 1.790861-4 4-4zm0 2c-1.1045695 0-2 .8954305-2 2v8c0 1.1.9 2 2 2h8c1.1045695 0 2-.8954305 2-2V4c0-1.1045695-.8954305-2-2-2H4zm20 18h8c2.209139 0 4 1.790861 4 4v8c0 2.209139-1.790861 4-4 4h-8c-2.209139 0-4-1.790861-4-4v-8c0-2.209139 1.790861-4 4-4zm0 2c-1.1045695 0-2 .8954305-2 2v8c0 1.1.9 2 2 2h8c1.1045695 0 2-.8954305 2-2v-8c0-1.1045695-.8954305-2-2-2h-8zM4 20h8c2.209139 0 4 1.790861 4 4v8c0 2.209139-1.790861 4-4 4H4c-2.209139 0-4-1.790861-4-4v-8c0-2.209139 1.790861-4 4-4zm0 2c-1.1045695 0-2 .8954305-2 2v8c0 1.1.9 2 2 2h8c1.1045695 0 2-.8954305 2-2v-8c0-1.1045695-.8954305-2-2-2H4z"})])],-1),O=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Nova offers CLI generators for scaffolding your own custom cards. We’ll give you a Vue component and infinite possibilities. ",-1);const M={name:"Help",props:{card:Object},methods:{link(e){return`https://nova.laravel.com/docs/${this.version}/${e}`}},computed:{resources(){return this.link("resources")},actions(){return this.link("actions/defining-actions.html")},filters(){return this.link("filters/defining-filters.html")},lenses(){return this.link("lenses/defining-lenses.html")},metrics(){return this.link("metrics/defining-metrics.html")},cards(){return this.link("customization/cards.html")},version(){const e=Nova.config("version").split(".");return e.splice(-2),`${e}.0`}}};const R=(0,r(18152).c)(M,[["render",function(e,t,r,M,R,D){const P=(0,o.resolveComponent)("Heading"),z=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(P,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Get Started")])),_:1}),i,(0,o.createVNode)(z,{class:"mt-8"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("a",{href:D.resources,class:"no-underline flex p-6"},[d,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(P,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Resources")])),_:1}),u])],8,c)]),(0,o.createElementVNode)("div",h,[(0,o.createElementVNode)("a",{href:D.actions,class:"no-underline flex p-6"},[m,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(P,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Actions")])),_:1}),v])],8,p)]),(0,o.createElementVNode)("div",f,[(0,o.createElementVNode)("a",{href:D.filters,class:"no-underline flex p-6"},[w,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(P,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Filters")])),_:1}),k])],8,g)]),(0,o.createElementVNode)("div",y,[(0,o.createElementVNode)("a",{href:D.lenses,class:"no-underline flex p-6"},[x,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(P,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Lenses")])),_:1}),C])],8,b)]),(0,o.createElementVNode)("div",B,[(0,o.createElementVNode)("a",{href:D.metrics,class:"no-underline flex p-6"},[V,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(P,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Metrics")])),_:1}),E])],8,N)]),(0,o.createElementVNode)("div",S,[(0,o.createElementVNode)("a",{href:D.cards,class:"no-underline flex p-6"},[H,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(P,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Cards")])),_:1}),O])],8,_)])])])),_:1})])])}],["__file","HelpCard.vue"]])},92988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=["disabled","checked"],l={__name:"Checkbox",props:{checked:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1}},emits:["input"],setup(e,{emit:t}){const r=t,l=e=>r("input",e);return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"checkbox",class:"checkbox",disabled:e.disabled,checked:e.checked,onChange:l,onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"]))},null,40,n))}};const i=(0,r(18152).c)(l,[["__file","Checkbox.vue"]])},148:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"flex items-center select-none space-x-2"};const l={emits:["input"],props:{checked:Boolean,name:{type:String,required:!1},disabled:{type:Boolean,default:!1}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Checkbox");return(0,o.openBlock)(),(0,o.createElementBlock)("label",n,[(0,o.createVNode)(s,{onInput:t[0]||(t[0]=t=>e.$emit("input",t)),checked:r.checked,name:r.name,disabled:r.disabled},null,8,["checked","name","disabled"]),(0,o.renderSlot)(e.$slots,"default")])}],["__file","CheckboxWithLabel.vue"]])},75040:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{collapsed:{type:Boolean,default:!1}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createBlock)(a,{class:(0,o.normalizeClass)(["transform",{"ltr:-rotate-90 rtl:rotate-90":r.collapsed}])},null,8,["class"])}],["__file","CollapseButton.vue"]])},57934:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(74032);const n=["data-disabled"],l=["label"],i=["selected"],a=["selected"];var s=r(54740),c=r.n(s),d=r(34444),u=r.n(d),h=r(17096),p=r.n(h),m=r(94240),v=r.n(m);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t["xxs","xs","sm","md"].includes(e)}},methods:{labelFor(e){return this.label instanceof Function?this.label(e):e[this.label]},attrsFor:e=>g(g({},e.attrs||{}),{value:e.value}),isSelected(e){return this.selected.indexOf(e.value)>-1},handleChange(e){let t=p()(c()(e.target.options,(e=>e.selected)),(e=>e.value));this.$emit("change",t)},resetSelection(){this.$refs.selectControl.selectedIndex=0}},computed:{defaultAttributes(){return v()(this.$attrs,["class"])},groupedOptions(){return u()(this.options,(e=>e.group||""))}}};const y=(0,r(18152).c)(k,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",e.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(d.defaultAttributes,{onChange:t[0]||(t[0]=(...e)=>d.handleChange&&d.handleChange(...e)),class:["w-full block form-control form-control-bordered form-input min-h-[10rem]",{"h-8 text-xs":"sm"===r.size,"h-7 text-xs":"xs"===r.size,"h-6 text-xs":"xxs"===r.size,"form-control-bordered-error":r.hasError,"form-input-disabled":r.disabled}],multiple:!0,ref:"selectControl","data-disabled":r.disabled?"true":null}),[(0,o.renderSlot)(e.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(d.groupedOptions,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[t?((0,o.openBlock)(),(0,o.createElementBlock)("optgroup",{label:t,key:t},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,i)))),128))],8,l)):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,a)))),128))],64)))),256))],16,n)],2)}],["__file","MultiSelectControl.vue"]])},96360:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(74032);const n=["value","disabled","data-disabled"],l=["label"],i=["selected","disabled"],a=["selected","disabled"];var s=r(34444),c=r.n(s),d=(r(17096),r(94240)),u=r.n(d);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t["xxs","xs","sm","md"].includes(e)}},methods:{labelFor(e){return this.label instanceof Function?this.label(e):e[this.label]},attrsFor:e=>p(p({},e.attrs||{}),{value:e.value}),isSelected(e){return e.value==this.selected},isDisabled:e=>!0===e.disabled,handleChange(e){this.$emit("change",e.target.value)},resetSelection(){this.$refs.selectControl.selectedIndex=0}},computed:{defaultAttributes(){return u()(this.$attrs,["class"])},groupedOptions(){return c()(this.options,(e=>e.group||""))}}};const f=(0,r(18152).c)(v,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",e.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(d.defaultAttributes,{value:r.selected,onChange:t[0]||(t[0]=(...e)=>d.handleChange&&d.handleChange(...e)),class:["w-full block form-control form-control-bordered form-input",{"h-8 text-xs":"sm"===r.size,"h-7 text-xs":"xs"===r.size,"h-6 text-xs":"xxs"===r.size,"form-control-bordered-error":r.hasError,"form-input-disabled":r.disabled}],ref:"selectControl",disabled:r.disabled,"data-disabled":r.disabled?"true":null}),[(0,o.renderSlot)(e.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(d.groupedOptions,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[t?((0,o.openBlock)(),(0,o.createElementBlock)("optgroup",{label:t,key:t},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e),disabled:d.isDisabled(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,i)))),128))],8,l)):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e),disabled:d.isDisabled(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,a)))),128))],64)))),256))],16,n),(0,o.createVNode)(u,{class:(0,o.normalizeClass)(["pointer-events-none absolute right-[11px]",{"top-[15px]":"md"===r.size,"top-[13px]":"sm"===r.size,"top-[11px]":"xs"===r.size,"top-[9px]":"xxs"===r.size}])},null,8,["class"])],2)}],["__file","SelectControl.vue"]])},5156:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(74032);const n=["data-form-unique-id"],l={class:"space-y-4"},i={class:"flex flex-col md:flex-row md:items-center justify-center md:justify-end space-y-2 md:space-y-0 md:space-x-3"};var a=r(94960),s=r.n(a),c=r(14764),d=r.n(c),u=r(44684),h=r.n(u),p=r(63916),m=r(48936);function v(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function f(e){for(var t=1;t["modal","form"].includes(e)},fromResourceId:{default:null}},(0,p.Wk)(["resourceName","viaResource","viaResourceId","viaRelationship","shouldOverrideMeta"])),data:()=>({relationResponse:null,loading:!0,submittedViaCreateResourceAndAddAnother:!1,submittedViaCreateResource:!1,fields:[],panels:[]}),async created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");if(this.isRelation){const{data:e}=await Nova.request().get("/nova-api/"+this.viaResource+"/field/"+this.viaRelationship,{params:{resourceName:this.resourceName,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}});this.relationResponse=e,this.isHasOneRelationship&&this.alreadyFilled&&(Nova.error(this.__("The HasOne relationship has already been filled.")),Nova.visit(`/resources/${this.viaResource}/${this.viaResourceId}`)),this.isHasOneThroughRelationship&&this.alreadyFilled&&(Nova.error(this.__("The HasOneThrough relationship has already been filled.")),Nova.visit(`/resources/${this.viaResource}/${this.viaResourceId}`))}this.getFields(),"form"===this.mode?this.allowLeavingForm():this.allowLeavingModal()},methods:f(f(f({},(0,m.sR)(["allowLeavingForm","preventLeavingForm","allowLeavingModal","preventLeavingModal"])),(0,m.ae)(["fetchPolicies"])),{},{handleResourceLoaded(){this.loading=!1,this.$emit("finished-loading"),Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:null,mode:"create"})},async getFields(){this.panels=[],this.fields=[];const{data:{panels:e,fields:t}}=await Nova.request().get(`/nova-api/${this.resourceName}/creation-fields`,{params:{editing:!0,editMode:"create",inline:this.shownViaNewRelationModal,fromResourceId:this.fromResourceId,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}});this.panels=e,this.fields=t,this.handleResourceLoaded()},async submitViaCreateResource(e){e.preventDefault(),this.submittedViaCreateResource=!0,this.submittedViaCreateResourceAndAddAnother=!1,await this.createResource()},async submitViaCreateResourceAndAddAnother(){this.submittedViaCreateResourceAndAddAnother=!0,this.submittedViaCreateResource=!1,await this.createResource()},async createResource(){if(this.isWorking=!0,this.$refs.form.reportValidity())try{const{data:{redirect:e,id:t}}=await this.createRequest();if("form"===this.mode?this.allowLeavingForm():this.allowLeavingModal(),await this.fetchPolicies(),Nova.success(this.__("The :resource was created!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),!this.submittedViaCreateResource)return window.scrollTo(0,0),this.$emit("resource-created-and-adding-another",{id:t}),this.getFields(),this.resetErrors(),this.submittedViaCreateAndAddAnother=!1,this.submittedViaCreateResource=!1,void(this.isWorking=!1);this.$emit("resource-created",{id:t,redirect:e})}catch(e){window.scrollTo(0,0),this.submittedViaCreateAndAddAnother=!1,this.submittedViaCreateResource=!0,this.isWorking=!1,"form"===this.mode?this.preventLeavingForm():this.preventLeavingModal(),this.handleOnCreateResponseError(e)}this.submittedViaCreateAndAddAnother=!1,this.submittedViaCreateResource=!0,this.isWorking=!1},createRequest(){return Nova.request().post(`/nova-api/${this.resourceName}`,this.createResourceFormData(),{params:{editing:!0,editMode:"create"}})},createResourceFormData(){return h()(new FormData,(e=>{s()(this.panels,(t=>{s()(t.fields,(t=>{t.fill(e)}))})),d()(this.fromResourceId)||e.append("fromResourceId",this.fromResourceId),e.append("viaResource",this.viaResource),e.append("viaResourceId",this.viaResourceId),e.append("viaRelationship",this.viaRelationship)}))},onUpdateFormStatus(){this.$emit("update-form-status")}}),computed:{wasSubmittedViaCreateResource(){return this.isWorking&&this.submittedViaCreateResource},wasSubmittedViaCreateResourceAndAddAnother(){return this.isWorking&&this.submittedViaCreateResourceAndAddAnother},singularName(){return this.relationResponse?this.relationResponse.singularLabel:this.resourceInformation.singularLabel},createButtonLabel(){return this.resourceInformation.createButtonLabel},isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)},shownViaNewRelationModal(){return"modal"===this.mode},inFormMode(){return"form"===this.mode},canAddMoreResources(){return this.authorizedToCreate},alreadyFilled(){return this.relationResponse&&this.relationResponse.alreadyFilled},isHasOneRelationship(){return this.relationResponse&&this.relationResponse.hasOneRelationship},isHasOneThroughRelationship(){return this.relationResponse&&this.relationResponse.hasOneThroughRelationship},shouldShowAddAnotherButton(){return Boolean(this.inFormMode&&!this.alreadyFilled)&&!Boolean(this.isHasOneRelationship||this.isHasOneThroughRelationship)}}};const k=(0,r(18152).c)(w,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(h,{loading:e.loading},{default:(0,o.withCtx)((()=>[e.shouldOverrideMeta&&e.resourceInformation?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,title:e.__("Create :resource",{resource:e.resourceInformation.singularLabel})},null,8,["title"])):(0,o.createCommentVNode)("",!0),e.panels?((0,o.openBlock)(),(0,o.createElementBlock)("form",{key:1,class:"space-y-8",onSubmit:t[1]||(t[1]=(...e)=>c.submitViaCreateResource&&c.submitViaCreateResource(...e)),onChange:t[2]||(t[2]=(...e)=>c.onUpdateFormStatus&&c.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off",ref:"form"},[(0,o.createElementVNode)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.panels,(t=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+t.component),{key:t.id,onFieldChanged:c.onUpdateFormStatus,onFileUploadStarted:e.handleFileUploadStarted,onFileUploadFinished:e.handleFileUploadFinished,"shown-via-new-relation-modal":c.shownViaNewRelationModal,panel:t,name:t.name,dusk:`${t.attribute}-panel`,"resource-name":e.resourceName,fields:t.fields,"form-unique-id":e.formUniqueId,mode:r.mode,"validation-errors":e.validationErrors,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"show-help-text":!0},null,40,["onFieldChanged","onFileUploadStarted","onFileUploadFinished","shown-via-new-relation-modal","panel","name","dusk","resource-name","fields","form-unique-id","mode","validation-errors","via-resource","via-resource-id","via-relationship"])))),128))]),(0,o.createElementVNode)("div",i,[(0,o.createVNode)(u,{onClick:t[0]||(t[0]=t=>e.$emit("create-cancelled")),variant:"ghost",label:e.__("Cancel"),disabled:e.isWorking,dusk:"cancel-create-button"},null,8,["label","disabled"]),c.shouldShowAddAnotherButton?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,onClick:c.submitViaCreateResourceAndAddAnother,label:e.__("Create & Add Another"),loading:c.wasSubmittedViaCreateResourceAndAddAnother,dusk:"create-and-add-another-button"},null,8,["onClick","label","loading"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(u,{type:"submit",dusk:"create-button",onClick:c.submitViaCreateResource,label:c.createButtonLabel,disabled:e.isWorking,loading:c.wasSubmittedViaCreateResource},null,8,["onClick","label","disabled","loading"])])],40,n)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","CreateForm.vue"]])},71312:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032),n=r(77924);const l={key:0},i={class:"hidden md:inline-block"},a={class:"inline-block md:hidden"},s={class:"hidden md:inline-block"},c={class:"inline-block md:hidden"},d={__name:"CreateResourceButton",props:{type:{type:String,default:"button",validator:e=>["button","outline-button"].includes(e)},label:{},singularName:{},resourceName:{},viaResource:{},viaResourceId:{},viaRelationship:{},relationshipType:{},authorizedToCreate:{},authorizedToRelate:{},alreadyFilled:{type:Boolean,default:!1}},setup(e){const{__:t}=(0,n.C)(),r=e,d=(0,o.computed)((()=>("belongsToMany"===r.relationshipType||"morphToMany"===r.relationshipType)&&r.authorizedToRelate)),u=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),h=(0,o.computed)((()=>d||u));return(r,n)=>{const p=(0,o.resolveComponent)("ButtonInertiaLink");return h.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[d.value?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"shrink-0",dusk:"attach-button",href:r.$url(`/resources/${e.viaResource}/${e.viaResourceId}/attach/${e.resourceName}`,{viaRelationship:e.viaRelationship,polymorphic:"morphToMany"===e.relationshipType?"1":"0"})},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(r.$slots,"default",{},(()=>[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)((0,o.unref)(t)("Attach :resource",{resource:e.singularName})),1),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)((0,o.unref)(t)("Attach")),1)]))])),_:3},8,["href"])):u.value?((0,o.openBlock)(),(0,o.createBlock)(p,{key:1,class:"shrink-0 h-9 px-4 focus:outline-none ring-primary-200 dark:ring-gray-600 focus:ring text-white dark:text-gray-800 inline-flex items-center font-bold",dusk:"create-button",href:r.$url(`/resources/${e.resourceName}/new`,{viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship,relationshipType:e.relationshipType})},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.label),1),(0,o.createElementVNode)("span",c,(0,o.toDisplayString)((0,o.unref)(t)("Create")),1)])),_:1},8,["href"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)}}};const u=(0,r(18152).c)(d,[["__file","CreateResourceButton.vue"]])},44920:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={key:0,class:"text-red-500 text-sm"};var l=r(63916);function i(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function a(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={mixins:[l.uy],props:function(e){for(var t=1;t0}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("FormLabel"),c=(0,o.resolveComponent)("HelpText");return r.field.visible?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(a.fieldWrapperClasses)},[r.field.withLabel?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(a.labelClasses)},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(s,{"label-for":r.labelFor||r.field.uniqueKey,class:(0,o.normalizeClass)(["space-x-1",{"mb-2":a.shouldShowHelpText}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.fieldLabel),1),r.field.required?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.__("*")),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["label-for","class"])]))],2)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(a.controlWrapperClasses)},[(0,o.renderSlot)(e.$slots,"field"),r.showErrors&&e.hasError?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,class:"help-text-error"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.firstError),1)])),_:1})):(0,o.createCommentVNode)("",!0),a.shouldShowHelpText?((0,o.openBlock)(),(0,o.createBlock)(c,{key:1,class:"help-text",innerHTML:r.field.helpText},null,8,["innerHTML"])):(0,o.createCommentVNode)("",!0)],2)],2)):(0,o.createCommentVNode)("",!0)}],["__file","DefaultField.vue"]])},96944:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={emits:["click"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onKeydown:t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)((t=>e.$emit("click")),["prevent"]),["enter"])),onClick:t[1]||(t[1]=(0,o.withModifiers)((t=>e.$emit("click")),["prevent"])),tabindex:"0",class:"cursor-pointer text-gray-500 inline-flex items-center"},[(0,o.createVNode)(a,{type:"trash",solid:!0}),(0,o.renderSlot)(e.$slots,"default")],32)}],["__file","DeleteButton.vue"]])},37160:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={key:0,class:"h-9"},l={class:"py-1"},i=["textContent"];var a=r(67120),s=r.n(a),c=r(10076),d=r(63916);const u={components:{Button:c.c},emits:["close","deleteAllMatching","deleteSelected","forceDeleteAllMatching","forceDeleteSelected","restoreAllMatching","restoreSelected"],mixins:[d.Ql],props:["allMatchingResourceCount","allMatchingSelected","authorizedToDeleteAnyResources","authorizedToDeleteSelectedResources","authorizedToForceDeleteAnyResources","authorizedToForceDeleteSelectedResources","authorizedToRestoreAnyResources","authorizedToRestoreSelectedResources","resources","selectedResources","show","softDeletes","trashedParameter","viaManyToMany"],data:()=>({deleteSelectedModalOpen:!1,forceDeleteSelectedModalOpen:!1,restoreModalOpen:!1}),mounted(){document.addEventListener("keydown",this.handleEscape),Nova.$on("close-dropdowns",this.handleClosingDropdown)},beforeUnmount(){document.removeEventListener("keydown",this.handleEscape),Nova.$off("close-dropdowns",this.handleClosingDropdown)},methods:{confirmDeleteSelectedResources(){this.deleteSelectedModalOpen=!0},confirmForceDeleteSelectedResources(){this.forceDeleteSelectedModalOpen=!0},confirmRestore(){this.restoreModalOpen=!0},closeDeleteSelectedModal(){this.deleteSelectedModalOpen=!1},closeForceDeleteSelectedModal(){this.forceDeleteSelectedModalOpen=!1},closeRestoreModal(){this.restoreModalOpen=!1},deleteSelectedResources(){this.$emit(this.allMatchingSelected?"deleteAllMatching":"deleteSelected")},forceDeleteSelectedResources(){this.$emit(this.allMatchingSelected?"forceDeleteAllMatching":"forceDeleteSelected")},restoreSelectedResources(){this.$emit(this.allMatchingSelected?"restoreAllMatching":"restoreSelected")},handleEscape(e){this.show&&27==e.keyCode&&this.close()},close(){this.$emit("close")},handleClosingDropdown(){this.deleteSelectedModalOpen=!1,this.forceDeleteSelectedModalOpen=!1,this.restoreModalOpen=!1}},computed:{trashedOnlyMode(){return"only"==this.queryStringParams[this.trashedParameter]},hasDropDownMenuItems(){return this.shouldShowDeleteItem||this.shouldShowRestoreItem||this.shouldShowForceDeleteItem},shouldShowDeleteItem(){return!this.trashedOnlyMode&&Boolean(this.authorizedToDeleteSelectedResources||this.allMatchingSelected)},shouldShowRestoreItem(){return this.softDeletes&&!this.viaManyToMany&&(this.softDeletedResourcesSelected||this.allMatchingSelected)&&(this.authorizedToRestoreSelectedResources||this.allMatchingSelected)},shouldShowForceDeleteItem(){return this.softDeletes&&!this.viaManyToMany&&(this.authorizedToForceDeleteSelectedResources||this.allMatchingSelected)},selectedResourcesCount(){return this.allMatchingSelected?this.allMatchingResourceCount:this.selectedResources.length},softDeletedResourcesSelected(){return Boolean(s()(this.selectedResources,(e=>e.softDeleted)))}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Button"),u=(0,o.resolveComponent)("CircleBadge"),h=(0,o.resolveComponent)("DropdownMenuItem"),p=(0,o.resolveComponent)("DropdownMenu"),m=(0,o.resolveComponent)("Dropdown"),v=(0,o.resolveComponent)("DeleteResourceModal"),f=(0,o.resolveComponent)("ModalHeader"),g=(0,o.resolveComponent)("ModalContent"),w=(0,o.resolveComponent)("RestoreResourceModal");return c.hasDropDownMenuItems?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(m,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{class:"px-1",width:"250"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",l,[c.shouldShowDeleteItem?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,as:"button",class:"border-none",dusk:"delete-selected-button",onClick:(0,o.withModifiers)(c.confirmDeleteSelectedResources,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(r.viaManyToMany?"Detach Selected":"Delete Selected"))+" ",1),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.selectedResourcesCount),1)])),_:1})])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),c.shouldShowRestoreItem?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,as:"button",dusk:"restore-selected-button",onClick:(0,o.withModifiers)(c.confirmRestore,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Restore Selected"))+" ",1),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.selectedResourcesCount),1)])),_:1})])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),c.shouldShowForceDeleteItem?((0,o.openBlock)(),(0,o.createBlock)(h,{key:2,as:"button",dusk:"force-delete-selected-button",onClick:(0,o.withModifiers)(c.confirmForceDeleteSelectedResources,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Force Delete Selected"))+" ",1),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.selectedResourcesCount),1)])),_:1})])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{variant:"ghost",padding:"tight",icon:"trash","trailing-icon":"chevron-down","aria-label":e.__("Trash Dropdown")},null,8,["aria-label"])])),_:1}),(0,o.createVNode)(v,{mode:r.viaManyToMany?"detach":"delete",show:r.selectedResources.length>0&&e.deleteSelectedModalOpen,onClose:c.closeDeleteSelectedModal,onConfirm:c.deleteSelectedResources},null,8,["mode","show","onClose","onConfirm"]),(0,o.createVNode)(v,{show:r.selectedResources.length>0&&e.forceDeleteSelectedModalOpen,mode:"delete",onClose:c.closeForceDeleteSelectedModal,onConfirm:c.forceDeleteSelectedResources},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{textContent:(0,o.toDisplayString)(e.__("Force Delete Resource"))},null,8,["textContent"]),(0,o.createVNode)(g,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",{class:"leading-normal",textContent:(0,o.toDisplayString)(e.__("Are you sure you want to force delete the selected resources?"))},null,8,i)])),_:1})])),_:1},8,["show","onClose","onConfirm"]),(0,o.createVNode)(w,{show:r.selectedResources.length>0&&e.restoreModalOpen,onClose:c.closeRestoreModal,onConfirm:c.restoreSelectedResources},null,8,["show","onClose","onConfirm"])])):(0,o.createCommentVNode)("",!0)}],["__file","DeleteMenu.vue"]])},54368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"block mx-auto mb-6",xmlns:"http://www.w3.org/2000/svg",width:"100",height:"2",viewBox:"0 0 100 2"},l=[(0,o.createElementVNode)("path",{fill:"#D8E3EC",d:"M0 0h100v2H0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","DividerLine.vue"]])},60104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(74032),n=r(77924),l=r(6196),i=r(10076);const a=["dusk","multiple","accept","disabled"],s={class:"space-y-4"},c={key:0,class:"grid grid-cols-4 gap-x-6 gap-y-2"},d=["onKeydown"],u={class:"flex items-center space-x-4 pointer-events-none"},h={class:"text-center pointer-events-none"},p={class:"pointer-events-none text-center text-sm text-gray-500 dark:text-gray-400 font-semibold"},m={inheritAttrs:!1},v=Object.assign(m,{__name:"DropZone",props:{files:{type:Array,default:[]},multiple:{type:Boolean,default:!1},rounded:{type:Boolean,default:!1},acceptedTypes:{type:String,default:null},disabled:{type:Boolean,default:!1}},emits:["fileChanged","fileRemoved"],setup(e,{emit:t}){const r=t,{__:m}=(0,n.C)(),v=e,{startedDrag:f,handleOnDragEnter:g,handleOnDragLeave:w}=(0,l.a)(r),k=(0,o.ref)([]),y=(0,o.ref)(),b=()=>y.value.click(),x=e=>{k.value=v.multiple?e.dataTransfer.files:[e.dataTransfer.files[0]],r("fileChanged",k.value)},C=()=>{k.value=v.multiple?y.value.files:[y.value.files[0]],r("fileChanged",k.value),y.value.files=null};return(t,n)=>{const l=(0,o.resolveComponent)("FilePreviewBlock");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createElementVNode)("input",{class:"visually-hidden",dusk:t.$attrs["input-dusk"],onChange:(0,o.withModifiers)(C,["prevent"]),type:"file",ref_key:"fileInput",ref:y,multiple:e.multiple,accept:e.acceptedTypes,disabled:e.disabled,tabindex:"-1"},null,40,a),(0,o.createElementVNode)("div",s,[e.files.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.files,((n,i)=>((0,o.openBlock)(),(0,o.createBlock)(l,{file:n,onRemoved:()=>(e=>{r("fileRemoved",e),y.value.files=null,y.value.value=null})(i),rounded:e.rounded,dusk:t.$attrs.dusk},null,8,["file","onRemoved","rounded","dusk"])))),256))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{tabindex:"0",role:"button",onClick:b,onKeydown:[(0,o.withKeys)((0,o.withModifiers)(b,["prevent"]),["space"]),(0,o.withKeys)((0,o.withModifiers)(b,["prevent"]),["enter"])],class:(0,o.normalizeClass)(["focus:outline-none focus:!border-primary-500 block cursor-pointer p-4 bg-gray-50 dark:bg-gray-900 dark:hover:bg-gray-900 border-4 border-dashed hover:border-gray-300 dark:border-gray-700 dark:hover:border-gray-600 rounded-lg",{"border-gray-300 dark:border-gray-600":(0,o.unref)(f)}]),onDragenter:n[0]||(n[0]=(0,o.withModifiers)(((...e)=>(0,o.unref)(g)&&(0,o.unref)(g)(...e)),["prevent"])),onDragleave:n[1]||(n[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(w)&&(0,o.unref)(w)(...e)),["prevent"])),onDragover:n[2]||(n[2]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:(0,o.withModifiers)(x,["prevent"])},[(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("p",h,[(0,o.createVNode)((0,o.unref)(i.c),{as:"div"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.multiple?(0,o.unref)(m)("Choose Files"):(0,o.unref)(m)("Choose File")),1)])),_:1})]),(0,o.createElementVNode)("p",p,(0,o.toDisplayString)(e.multiple?(0,o.unref)(m)("Drop files or click to choose"):(0,o.unref)(m)("Drop file or click to choose")),1)])],42,d)])])}}});const f=(0,r(18152).c)(v,[["__file","DropZone.vue"]])},27112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(74032);var n=r(77924);const l={class:"h-full flex items-start justify-center"},i={class:"relative w-full"},a={class:"bg-gray-50 dark:bg-gray-700 relative aspect-square flex items-center justify-center border-2 border-gray-200 dark:border-gray-700 overflow-hidden rounded-lg"},s={key:0,class:"absolute inset-0 flex items-center justify-center"},c=(0,o.createElementVNode)("div",{class:"bg-primary-900 opacity-5 absolute inset-0"},null,-1),d=["src"],u={key:2},h={class:"rounded bg-gray-200 border-2 border-gray-200 p-4"},p={class:"font-semibold text-xs mt-1"},m={inheritAttrs:!1},v=Object.assign(m,{__name:"FilePreviewBlock",props:{file:{type:Object},removable:{type:Boolean,default:!0}},emits:["removed"],setup(e,{emit:t}){const{__:r}=(0,n.C)(),m=t,v=e,f=(0,o.computed)((()=>v.file.processing?r("Uploading")+" ("+v.file.progress+"%)":v.file.name)),g=(0,o.computed)((()=>v.file.processing?v.file.progress:100)),{previewUrl:w,isImage:k}=function(e){const t=["image/png","image/jpeg","image/gif","image/svg+xml","image/webp"],r=(0,o.computed)((()=>t.includes(e.value.type)?"image":"other")),n=(0,o.computed)((()=>URL.createObjectURL(e.value.originalFile))),l=(0,o.computed)((()=>"image"===r.value));return{imageTypes:t,isImage:l,type:r,previewUrl:n}}((0,o.toRef)(v,"file")),y=()=>m("removed");return(t,n)=>{const m=(0,o.resolveComponent)("RemoveButton"),v=(0,o.resolveComponent)("ProgressBar"),b=(0,o.resolveComponent)("Icon"),x=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("div",i,[e.removable?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,class:"absolute z-20 top-[-10px] right-[-9px]",onClick:(0,o.withModifiers)(y,["stop"]),dusk:t.$attrs.dusk},null,8,["dusk"])),[[x,(0,o.unref)(r)("Remove")]]):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",a,[e.file.processing?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(v,{title:f.value,class:"mx-4",color:"bg-green-500",value:g.value},null,8,["title","value"]),c])):(0,o.createCommentVNode)("",!0),(0,o.unref)(k)?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,src:(0,o.unref)(w),class:"aspect-square object-scale-down"},null,8,d)):((0,o.openBlock)(),(0,o.createElementBlock)("div",u,[(0,o.createElementVNode)("div",h,[(0,o.createVNode)(b,{type:"document-text",width:"50",height:"50"})])]))]),(0,o.createElementVNode)("p",p,(0,o.toDisplayString)(e.file.name),1)])])}}});const f=(0,r(18152).c)(v,[["__file","FilePreviewBlock.vue"]])},89536:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032),n=r(77924),l=r(6196),i=r(10076);const a={class:"space-y-4"},s={key:0,class:"grid grid-cols-4 gap-x-6"},c={class:"flex items-center space-x-4"},d={class:"text-center pointer-events-none"},u={class:"pointer-events-none text-center text-sm text-gray-500 dark:text-gray-400 font-semibold"},h={__name:"SingleDropZone",props:{files:Array,handleClick:Function},emits:["fileChanged","fileRemoved"],setup(e,{emit:t}){const{__:r}=(0,n.C)(),h=t,{startedDrag:p,handleOnDragEnter:m,handleOnDragLeave:v,handleOnDrop:f}=(0,l.a)(h);return(t,n)=>{const l=(0,o.resolveComponent)("FilePreviewBlock");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[e.files.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.files,((e,t)=>((0,o.openBlock)(),(0,o.createBlock)(l,{file:e,onRemoved:()=>function(e){h("fileRemoved",e)}(t)},null,8,["file","onRemoved"])))),256))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{onClick:n[0]||(n[0]=(...t)=>e.handleClick&&e.handleClick(...t)),class:(0,o.normalizeClass)(["cursor-pointer p-4 bg-gray-50 dark:bg-gray-900 dark:hover:bg-gray-900 border-4 border-dashed hover:border-gray-300 dark:hover:border-gray-600 rounded-lg",(0,o.unref)(p)?"border-gray-300 dark:border-gray-600":"border-gray-200 dark:border-gray-700"]),onDragenter:n[1]||(n[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(m)&&(0,o.unref)(m)(...e)),["prevent"])),onDragleave:n[2]||(n[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(v)&&(0,o.unref)(v)(...e)),["prevent"])),onDragover:n[3]||(n[3]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:n[4]||(n[4]=(0,o.withModifiers)(((...e)=>(0,o.unref)(f)&&(0,o.unref)(f)(...e)),["prevent"]))},[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("p",d,[(0,o.createVNode)((0,o.unref)(i.c),{as:"div"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)((0,o.unref)(r)("Choose a file")),1)])),_:1})]),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(t.multiple?(0,o.unref)(r)("Drop files or click to choose"):(0,o.unref)(r)("Drop file or click to choose")),1)])],34)])}}};const p=(0,r(18152).c)(h,[["__file","SingleDropZone.vue"]])},47704:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032),n=r(87352),l=r(48936),i=r(10076),a=r(49844);const s={class:"px-1 divide-y divide-gray-100 dark:divide-gray-800 divide-solid"},c={key:0},d={class:"py-1"},u={__name:"ActionDropdown",props:{resourceName:{},viaResource:{},viaResourceId:{},viaRelationship:{},relationshipType:{},actions:{type:Array,default:[]},selectedResources:{type:[Array,String],default:()=>[]},endpoint:{type:String,default:null},triggerDuskAttribute:{type:String,default:null},showHeadings:{type:Boolean,default:!1}},emits:["actionExecuted"],setup(e,{emit:t}){const r=(0,l.o3)(),u=t,h=e,{errors:p,actionModalVisible:m,responseModalVisible:v,openConfirmationModal:f,closeConfirmationModal:g,closeResponseModal:w,handleActionClick:k,selectedAction:y,working:b,executeAction:x,actionResponseData:C}=(0,n.k)(h,u,r),B=()=>x((()=>u("actionExecuted"))),N=()=>{w(),u("actionExecuted")},V=()=>{w(),u("actionExecuted")};return(t,r)=>{const n=(0,o.resolveComponent)("DropdownMenuItem"),l=(0,o.resolveComponent)("ScrollWrap"),u=(0,o.resolveComponent)("DropdownMenu"),h=(0,o.resolveComponent)("Dropdown"),f=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.unref)(m)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(y)?.component),{key:0,show:(0,o.unref)(m),class:"text-left",working:(0,o.unref)(b),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(y),errors:(0,o.unref)(p),onConfirm:B,onClose:(0,o.unref)(g)},null,40,["show","working","selected-resources","resource-name","action","errors","onClose"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(v)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(C)?.modal),{key:1,show:(0,o.unref)(v),onConfirm:N,onClose:V,data:(0,o.unref)(C)},null,40,["show","data"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(h,null,{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"trigger",{},(()=>[(0,o.withDirectives)((0,o.createVNode)((0,o.unref)(i.c),{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),dusk:e.triggerDuskAttribute,variant:"ghost",icon:"ellipsis-horizontal"},null,8,["dusk"]),[[f,t.__("Actions")]])]))])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(l,{height:250},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",s,[(0,o.renderSlot)(t.$slots,"menu"),e.actions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[e.showHeadings?((0,o.openBlock)(),(0,o.createBlock)(a.default,{key:0},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(t.__("User Actions")),1)])),_:1})):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.actions,(e=>((0,o.openBlock)(),(0,o.createBlock)(n,{key:e.uriKey,"data-action-id":e.uriKey,as:"button",class:"border-none",onClick:()=>(e=>{!1!==e.authorizedToRun&&k(e.uriKey)})(e),title:e.name,disabled:!1===e.authorizedToRun},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.name),1)])),_:2},1032,["data-action-id","onClick","title","disabled"])))),128))])])):(0,o.createCommentVNode)("",!0)])])),_:3})])),_:3})])),_:3})])}}};const h=(0,r(18152).c)(u,[["__file","ActionDropdown.vue"]])},93940:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={key:0},l={class:"py-1"};var i=r(63916),a=r(48936);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;t({deleteModalOpen:!1,restoreModalOpen:!1,forceDeleteModalOpen:!1}),methods:c(c({},(0,a.ae)(["startImpersonating"])),{},{async confirmDelete(){this.deleteResources([this.resource],(e=>{Nova.success(this.__("The :resource was deleted!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),e&&e.data&&e.data.redirect?Nova.visit(e.data.redirect):this.resource.softDeletes?(this.closeDeleteModal(),this.$emit("resource-deleted")):Nova.visit(`/resources/${this.resourceName}`)}))},openDeleteModal(){this.deleteModalOpen=!0},closeDeleteModal(){this.deleteModalOpen=!1},async confirmRestore(){this.restoreResources([this.resource],(()=>{Nova.success(this.__("The :resource was restored!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),this.closeRestoreModal(),this.$emit("resource-restored")}))},openRestoreModal(){this.restoreModalOpen=!0},closeRestoreModal(){this.restoreModalOpen=!1},async confirmForceDelete(){this.forceDeleteResources([this.resource],(e=>{Nova.success(this.__("The :resource was deleted!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),e&&e.data&&e.data.redirect?Nova.visit(e.data.redirect):Nova.visit(`/resources/${this.resourceName}`)}))},openForceDeleteModal(){this.forceDeleteModalOpen=!0},closeForceDeleteModal(){this.forceDeleteModalOpen=!1}}),computed:(0,a.gV)(["currentUser"])};const h=(0,r(18152).c)(u,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("DropdownMenuHeading"),d=(0,o.resolveComponent)("DropdownMenuItem"),u=(0,o.resolveComponent)("ActionDropdown"),h=(0,o.resolveComponent)("DeleteResourceModal"),p=(0,o.resolveComponent)("RestoreResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[r.resource?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,resource:r.resource,actions:r.actions,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"resource-name":e.resourceName,onActionExecuted:t[1]||(t[1]=t=>e.$emit("actionExecuted")),"selected-resources":[r.resource.id.value],"trigger-dusk-attribute":`${r.resource.id.value}-control-selector`,"show-headings":!0},{menu:(0,o.withCtx)((()=>[r.resource.authorizedToReplicate||e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate||r.resource.authorizedToDelete&&!r.resource.softDeleted||r.resource.authorizedToRestore&&r.resource.softDeleted||r.resource.authorizedToForceDelete?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(c,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Actions")),1)])),_:1}),(0,o.createElementVNode)("div",l,[r.resource.authorizedToReplicate?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,dusk:`${r.resource.id.value}-replicate-button`,href:e.$url(`/resources/${e.resourceName}/${r.resource.id.value}/replicate`,{viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}),title:e.__("Replicate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Replicate")),1)])),_:1},8,["dusk","href","title"])):(0,o.createCommentVNode)("",!0),e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,as:"button",dusk:`${r.resource.id.value}-impersonate-button`,onClick:t[0]||(t[0]=(0,o.withModifiers)((t=>e.startImpersonating({resource:e.resourceName,resourceId:r.resource.id.value})),["prevent"])),title:e.__("Impersonate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Impersonate")),1)])),_:1},8,["dusk","title"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToDelete&&!r.resource.softDeleted?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,dusk:"open-delete-modal-button",onClick:(0,o.withModifiers)(s.openDeleteModal,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Delete Resource")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToRestore&&r.resource.softDeleted?((0,o.openBlock)(),(0,o.createBlock)(d,{key:3,as:"button",dusk:"open-restore-modal-button",onClick:(0,o.withModifiers)(s.openRestoreModal,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Restore Resource")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToForceDelete?((0,o.openBlock)(),(0,o.createBlock)(d,{key:4,as:"button",dusk:"open-force-delete-modal-button",onClick:(0,o.withModifiers)(s.openForceDeleteModal,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Force Delete Resource")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0)])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["resource","actions","via-resource","via-resource-id","via-relationship","resource-name","selected-resources","trigger-dusk-attribute"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(h,{show:e.deleteModalOpen,mode:"delete",onClose:s.closeDeleteModal,onConfirm:s.confirmDelete},null,8,["show","onClose","onConfirm"]),(0,o.createVNode)(p,{show:e.restoreModalOpen,onClose:s.closeRestoreModal,onConfirm:s.confirmRestore},null,8,["show","onClose","onConfirm"]),(0,o.createVNode)(h,{show:e.forceDeleteModalOpen,mode:"force delete",onClose:s.closeForceDeleteModal,onConfirm:s.confirmForceDelete},null,8,["show","onClose","onConfirm"])],64)}],["__file","DetailActionDropdown.vue"]])},65362:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(68104),n=r(34896),l=r(31488),i=r(74032);let a=0;function s(){return++a,a}var c=r(20208);function d(e){return e?e.flatMap((e=>e.type===i.Fragment?d(e.children):[e])):[]}var u=r(61468);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t!0===r.value&&!0===g.value)),k=()=>{g.value=!1},y=()=>{g.value=!0};var b;b=()=>r.value=!1,(0,u.KIJ)(document,"keydown",(e=>{"Escape"===e.key&&b()}));const x=(0,i.computed)((()=>`nova-ui-dropdown-button-${s()}`)),C=(0,i.computed)((()=>`nova-ui-dropdown-menu-${s()}`)),B=(0,i.computed)((()=>Nova.config("rtlEnabled")?{"auto-start":"auto-end","auto-end":"auto-start","top-start":"top-end","top-end":"top-start","bottom-start":"bottom-end","bottom-end":"bottom-start","right-start":"right-end","right-end":"right-start","left-start":"left-end","left-end":"left-start"}[e.placement]:e.placement)),{floatingStyles:N}=(0,o.gR)(a,m,{whileElementsMounted:n.kN,placement:B.value,middleware:[(0,l.E3)(e.offset),(0,n.EB)(),(0,n.CA)({padding:5}),(0,n.eC)()]});return(0,i.watch)((()=>w),(async e=>{await(0,i.nextTick)(),e?v():f()})),(0,i.onMounted)((()=>{Nova.$on("disable-focus-trap",k),Nova.$on("enable-focus-trap",y)})),(0,i.onBeforeUnmount)((()=>{Nova.$off("disable-focus-trap",k),Nova.$off("enable-focus-trap",y),g.value=!1})),()=>{const o=d(t.default()),[n,...l]=o,s=(0,i.mergeProps)(p(p({},n.props),{id:x.value,"aria-expanded":!0===r.value?"true":"false","aria-haspopup":"true","aria-controls":C.value,onClick:(0,i.withModifiers)((()=>{r.value=!r.value}),["stop"])})),c=(0,i.cloneVNode)(n,s);for(const e in s)e.startsWith("on")&&(c.props||={},c.props[e]=s[e]);return(0,i.h)("div",{dusk:e.dusk},[(0,i.h)("span",{ref:a},c),(0,i.h)(i.Teleport,{to:"body"},(0,i.h)(i.Transition,{enterActiveClass:"transition duration-0 ease-out",enterFromClass:"opacity-0",enterToClass:"opacity-100",leaveActiveClass:"transition duration-300 ease-in",leaveFromClass:"opacity-100",leaveToClass:"opacity-0"},(()=>[r.value?(0,i.h)("div",{ref:h,dusk:"dropdown-teleported"},[(0,i.h)("div",{ref:m,id:C.value,"aria-labelledby":x.value,tabindex:"0",class:"relative z-[50]",style:N.value,"data-menu-open":r.value,dusk:"dropdown-menu",onClick:()=>e.shouldCloseOnBlur?r.value=!1:null},t.menu()),(0,i.h)("div",{class:"z-[49] fixed inset-0",dusk:"dropdown-overlay",onClick:()=>r.value=!1})]):null])))])}}};const f=(0,r(18152).c)(v,[["__file","Dropdown.vue"]])},41772:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{width:{default:120}},computed:{styles(){return{width:"auto"===this.width?"auto":`${this.width}px`}}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{style:(0,o.normalizeStyle)(i.styles),class:(0,o.normalizeClass)(["select-none overflow-hidden bg-white dark:bg-gray-900 shadow-lg rounded-lg border border-gray-200 dark:border-gray-700",{"max-w-sm lg:max-w-lg":"auto"===r.width}])},[(0,o.renderSlot)(e.$slots,"default")],6)}],["__file","DropdownMenu.vue"]])},49844:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"mt-3 px-3 text-xs font-bold"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("h3",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","DropdownMenuHeading.vue"]])},59932:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["button","external","form-button","link"].includes(e)},disabled:{type:Boolean,default:!1},size:{type:String,default:"small",validator:e=>["small","large"].includes(e)}},computed:{component(){return{button:"button",external:"a",link:"Link","form-button":"FormButton"}[this.as]},defaultAttributes(){return l(l({},this.$attrs),{disabled:"button"===this.as&&!0===this.disabled||null,type:"button"===this.as?"button":null})}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(i.component),(0,o.mergeProps)(i.defaultAttributes,{class:["block w-full text-left px-3 focus:outline-none rounded truncate whitespace-nowrap",{"text-sm py-1.5":"small"===r.size,"text-sm py-2":"large"===r.size,"hover:bg-gray-50 dark:hover:bg-gray-800 focus:ring cursor-pointer":!r.disabled,"text-gray-400 dark:text-gray-700 cursor-default":r.disabled,"text-gray-500 active:text-gray-600 dark:text-gray-500 dark:hover:text-gray-400 dark:active:text-gray-600":!r.disabled}]}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["class"])}],["__file","DropdownMenuItem.vue"]])},98732:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={key:0},l={class:"py-1"};var i=r(63916),a=r(48936);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={components:{Button:r(10076).c},emits:["actionExecuted","show-preview"],props:function(e){for(var t=1;te.$emit("actionExecuted")),"selected-resources":[r.resource.id.value],"show-headings":!0},{trigger:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:"action",icon:"ellipsis-horizontal",dusk:`${r.resource.id.value}-control-selector`},null,8,["dusk"])])),menu:(0,o.withCtx)((()=>[r.resource.authorizedToView&&r.resource.previewHasFields||r.resource.authorizedToReplicate||e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(d,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Actions")),1)])),_:1}),(0,o.createElementVNode)("div",l,[r.resource.authorizedToView&&r.resource.previewHasFields?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,dusk:`${r.resource.id.value}-preview-button`,as:"button",onClick:t[0]||(t[0]=(0,o.withModifiers)((t=>e.$emit("show-preview")),["prevent"])),title:e.__("Preview")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Preview")),1)])),_:1},8,["dusk","title"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToReplicate?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,dusk:`${r.resource.id.value}-replicate-button`,href:e.$url(`/resources/${e.resourceName}/${r.resource.id.value}/replicate`,{viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}),title:e.__("Replicate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Replicate")),1)])),_:1},8,["dusk","href","title"])):(0,o.createCommentVNode)("",!0),e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate?((0,o.openBlock)(),(0,o.createBlock)(u,{key:2,as:"button",dusk:`${r.resource.id.value}-impersonate-button`,onClick:t[1]||(t[1]=(0,o.withModifiers)((t=>e.startImpersonating({resource:e.resourceName,resourceId:r.resource.id.value})),["prevent"])),title:e.__("Impersonate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Impersonate")),1)])),_:1},8,["dusk","title"])):(0,o.createCommentVNode)("",!0)])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["resource","actions","via-resource","via-resource-id","via-relationship","resource-name","selected-resources"])}],["__file","InlineActionDropdown.vue"]])},53184:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032),n=r(85676),l=r(98240),i=r(10076);const a={key:0,ref:"selectedStatus",class:"rounded-lg h-9 inline-flex items-center text-gray-600 dark:text-gray-400"},s={class:"inline-flex items-center gap-1 pl-1"},c={class:"font-bold"},d={class:"p-4 flex flex-col items-start gap-4"},u={__name:"SelectAllDropdown",props:{currentPageCount:{type:Number,default:0},allMatchingResourceCount:{type:Number,default:0}},emits:["toggle-select-all","toggle-select-all-matching","deselect"],setup(e){const t=(0,o.inject)("selectedResourcesCount"),r=(0,o.inject)("selectAllChecked"),u=(0,o.inject)("selectAllMatchingChecked"),h=(0,o.inject)("selectAllAndSelectAllMatchingChecked"),p=(0,o.inject)("selectAllOrSelectAllMatchingChecked"),m=(0,o.inject)("selectAllIndeterminate");return(v,f)=>{const g=(0,o.resolveComponent)("CircleBadge"),w=(0,o.resolveComponent)("DropdownMenu"),k=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(k,{placement:"bottom-start",dusk:"select-all-dropdown"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(w,{direction:"ltr",width:"250"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",d,[(0,o.createVNode)((0,o.unref)(l.c),{onChange:f[1]||(f[1]=e=>v.$emit("toggle-select-all")),"model-value":(0,o.unref)(r),dusk:"select-all-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(v.__("Select this page")),1),(0,o.createVNode)(g,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.currentPageCount),1)])),_:1})])),_:1},8,["model-value"]),(0,o.createVNode)((0,o.unref)(l.c),{onChange:f[2]||(f[2]=e=>v.$emit("toggle-select-all-matching")),"model-value":(0,o.unref)(u),dusk:"select-all-matching-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(v.__("Select all")),1),(0,o.createVNode)(g,{dusk:"select-all-matching-count"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.allMatchingResourceCount),1)])),_:1})])])),_:1},8,["model-value"])])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(i.c),{variant:"ghost","trailing-icon":"chevron-down",class:(0,o.normalizeClass)(["-ml-1",{"enabled:bg-gray-700/5 dark:enabled:bg-gray-950":(0,o.unref)(p)||(0,o.unref)(t)>0}]),dusk:"select-all-dropdown-trigger"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(l.c),{"aria-label":v.__("Select this page"),indeterminate:(0,o.unref)(m),"model-value":(0,o.unref)(h),class:"pointer-events-none",dusk:"select-all-indicator",tabindex:"-1"},null,8,["aria-label","indeterminate","model-value"]),(0,o.unref)(t)>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("span",s,[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(v.__(":amount selected",{amount:(0,o.unref)(u)?e.allMatchingResourceCount:(0,o.unref)(t),label:(0,o.unref)(n.Y7)((0,o.unref)(t),"resources")})),1)]),(0,o.createVNode)((0,o.unref)(i.c),{onClick:f[0]||(f[0]=(0,o.withModifiers)((e=>v.$emit("deselect")),["stop"])),variant:"link",icon:"x-circle",size:"small",state:"mellow",class:"-mr-2","aria-label":v.__("Deselect All"),dusk:"deselect-all-button"},null,8,["aria-label"])],512)):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"])])),_:1})}}};const h=(0,r(18152).c)(u,[["__file","SelectAllDropdown.vue"]])},59408:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"flex flex-col py-1 px-1"};var l=r(10076),i=r(3856);const a={components:{Button:l.c,Icon:i.c},data:()=>({theme:"system",listener:null,matcher:window.matchMedia("(prefers-color-scheme: dark)"),themes:["light","dark"]}),mounted(){Nova.config("themeSwitcherEnabled")?(this.themes.includes(localStorage.novaTheme)&&(this.theme=localStorage.novaTheme),this.listener=()=>{"system"===this.theme&&this.applyColorScheme()},this.matcher.addEventListener("change",this.listener)):localStorage.removeItem("novaTheme")},beforeUnmount(){Nova.config("themeSwitcherEnabled")&&this.matcher.removeEventListener("change",this.listener)},watch:{theme(e){"light"===e&&(localStorage.novaTheme="light",document.documentElement.classList.remove("dark")),"dark"===e&&(localStorage.novaTheme="dark",document.documentElement.classList.add("dark")),"system"===e&&(localStorage.removeItem("novaTheme"),this.applyColorScheme())}},methods:{applyColorScheme(){Nova.config("themeSwitcherEnabled")&&(window.matchMedia("(prefers-color-scheme: dark)").matches?document.documentElement.classList.add("dark"):document.documentElement.classList.remove("dark"))},toggleLightTheme(){this.theme="light"},toggleDarkTheme(){this.theme="dark"},toggleSystemTheme(){this.theme="system"}},computed:{themeSwitcherEnabled:()=>Nova.config("themeSwitcherEnabled"),themeIcon(){return{light:"sun",dark:"moon",system:"computer-desktop"}[this.theme]},themeColor(){return{light:"text-primary-500",dark:"dark:text-primary-500",system:""}[this.theme]}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Button"),c=(0,o.resolveComponent)("Icon"),d=(0,o.resolveComponent)("DropdownMenuItem"),u=(0,o.resolveComponent)("DropdownMenu"),h=(0,o.resolveComponent)("Dropdown");return a.themeSwitcherEnabled?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,placement:"bottom-end"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",n,[(0,o.createVNode)(d,{as:"button",size:"small",class:"flex items-center gap-2",onClick:a.toggleLightTheme},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{name:"sun",type:"micro"}),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Light")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(d,{as:"button",class:"flex items-center gap-2",onClick:a.toggleDarkTheme},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{name:"moon",type:"micro"}),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Dark")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(d,{as:"button",class:"flex items-center gap-2",onClick:a.toggleSystemTheme},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{name:"computer-desktop",type:"micro"}),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("System")),1)])),_:1},8,["onClick"])])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{variant:"action",icon:a.themeIcon,class:(0,o.normalizeClass)(a.themeColor)},null,8,["icon","class"])])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","ThemeDropdown.vue"]])},3944:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={key:0,class:"break-normal"},l=["innerHTML"],i={key:1,class:"break-normal"},a=["innerHTML"],s={key:2};const c={props:{plainText:{type:Boolean,default:!1},shouldShow:{type:Boolean,default:!1},content:{type:String}},data:()=>({expanded:!1}),methods:{toggle(){this.expanded=!this.expanded}},computed:{hasContent(){return""!==this.content&&null!==this.content},showHideLabel(){return this.expanded?this.__("Hide Content"):this.__("Show Content")}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,c,d,u){return r.shouldShow&&u.hasContent?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["prose prose-sm dark:prose-invert text-gray-500 dark:text-gray-400",{"whitespace-pre-wrap":r.plainText}]),innerHTML:r.content},null,10,l)])):u.hasContent?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[e.expanded?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["prose prose-sm dark:prose-invert max-w-none text-gray-500 dark:text-gray-400",{"whitespace-pre-wrap":r.plainText}]),innerHTML:r.content},null,10,a)):(0,o.createCommentVNode)("",!0),r.shouldShow?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,type:"button",onClick:t[0]||(t[0]=(...e)=>u.toggle&&u.toggle(...e)),class:(0,o.normalizeClass)(["link-default",{"mt-6":e.expanded}]),"aria-role":"button",tabindex:"0"},(0,o.toDisplayString)(u.showHideLabel),3))])):((0,o.openBlock)(),(0,o.createElementBlock)("div",s,"—"))}],["__file","Excerpt.vue"]])},42576:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"transform opacity-0","enter-to-class":"transform opacity-100","leave-active-class":"transition duration-200 ease-out","leave-from-class":"transform opacity-100","leave-to-class":"transform opacity-0",mode:"out-in"},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3})}],["__file","FadeTransition.vue"]])},81268:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{stacked:{type:Boolean,default:!1}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col",{"md:flex-row":!r.stacked}])},[(0,o.renderSlot)(e.$slots,"default")],2)}],["__file","FieldWrapper.vue"]])},53720:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={class:"divide-y divide-gray-200 dark:divide-gray-800 divide-solid"},l={key:0,class:"bg-gray-100"};var i=r(17096),a=r.n(i);const s={components:{Button:r(10076).c},emits:["filter-changed","clear-selected-filters","trashed-changed","per-page-changed"],props:{activeFilterCount:Number,filters:Array,filtersAreApplied:Boolean,lens:{type:String,default:""},perPage:[String,Number],perPageOptions:Array,resourceName:String,softDeletes:Boolean,trashed:{type:String,validator:e=>["","with","only"].includes(e)},viaResource:String},methods:{handleFilterChanged(e){if(e){const{filterClass:t,value:r}=e;t&&(Nova.log(`Updating filter state ${t}: ${r}`),this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:t,value:r}))}this.$emit("filter-changed")},handleClearSelectedFiltersClick(){Nova.$emit("clear-filter-values"),setTimeout((()=>{this.$emit("clear-selected-filters")}),500)}},computed:{trashedValue:{set(e){let t=e?.target?.value||e;this.$emit("trashed-changed",t)},get(){return this.trashed}},perPageValue:{set(e){let t=e?.target?.value||e;this.$emit("per-page-changed",t)},get(){return this.perPage}},perPageOptionsForFilter(){return a()(this.perPageOptions,(e=>({value:e,label:e})))}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("SelectControl"),u=(0,o.resolveComponent)("FilterContainer"),h=(0,o.resolveComponent)("ScrollWrap"),p=(0,o.resolveComponent)("DropdownMenu"),m=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(m,{dusk:"filter-selector","should-close-on-blur":!1},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{width:"260",dusk:"filter-menu"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{height:350,class:"bg-white dark:bg-gray-900"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[r.filtersAreApplied?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("button",{class:"py-2 w-full block text-xs uppercase tracking-wide text-center text-gray-500 dark:bg-gray-800 dark:hover:bg-gray-700 font-bold focus:outline-none focus:text-primary-500",onClick:t[0]||(t[0]=(...e)=>s.handleClearSelectedFiltersClick&&s.handleClearSelectedFiltersClick(...e))},(0,o.toDisplayString)(e.__("Reset Filters")),1)])):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.filters,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:`${e.class}-${t}`},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{"filter-key":e.class,lens:r.lens,"resource-name":r.resourceName,onChange:s.handleFilterChanged},null,40,["filter-key","lens","resource-name","onChange"]))])))),128)),r.softDeletes?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,dusk:"filter-soft-deletes"},{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{selected:s.trashedValue,"onUpdate:selected":t[1]||(t[1]=e=>s.trashedValue=e),options:[{value:"",label:"—"},{value:"with",label:e.__("With Trashed")},{value:"only",label:e.__("Only Trashed")}],dusk:"trashed-select",size:"sm",onChange:t[2]||(t[2]=e=>s.trashedValue=e)},null,8,["selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Trashed")),1)])),_:1})):(0,o.createCommentVNode)("",!0),r.viaResource?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(u,{key:2,dusk:"filter-per-page"},{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{selected:s.perPageValue,"onUpdate:selected":t[3]||(t[3]=e=>s.perPageValue=e),options:s.perPageOptionsForFilter,dusk:"per-page-select",size:"sm",onChange:t[4]||(t[4]=e=>s.perPageValue=e)},null,8,["selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Per Page")),1)])),_:1}))])])),_:1})])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:r.filtersAreApplied?"solid":"ghost",dusk:"filter-selector-button",icon:"funnel","trailing-icon":"chevron-down",padding:"tight",label:r.activeFilterCount>0?r.activeFilterCount:"","aria-label":e.__("Filter Dropdown")},null,8,["variant","label","aria-label"])])),_:1})}],["__file","FilterMenu.vue"]])},23800:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"space-y-2 mt-2"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(){this.$emit("change")}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("BooleanOption"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.options,(e=>((0,o.openBlock)(),(0,o.createBlock)(s,{dusk:`${a.filter.name}-boolean-filter-${e.value}-option`,"resource-name":r.resourceName,key:e.value,filter:a.filter,option:e,onChange:a.handleChange,label:"label"},null,8,["dusk","resource-name","filter","option","onChange"])))),128))])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","BooleanFilter.vue"]])},10408:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=["dusk","value","placeholder"];const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(e){let t=e?.target?.value??e;this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:t}),this.$emit("change")}},computed:{placeholder(){return this.filter.placeholder||this.__("Choose date")},value(){return this.filter.currentValue},filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(s,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("input",{class:"w-full flex form-control h-8 text-xs form-input form-control-bordered",type:"date",dusk:`${a.filter.name}-date-filter`,name:"date-filter",autocomplete:"off",value:a.value,placeholder:a.placeholder,onChange:t[0]||(t[0]=(...e)=>a.handleChange&&a.handleChange(...e))},null,40,n)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","DateFilter.vue"]])},38160:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"pt-2 pb-3"},l={class:"px-3 text-xs uppercase font-bold tracking-wide"},i={class:"mt-1 px-3"};const a={},s=(0,r(18152).c)(a,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("h3",l,[(0,o.renderSlot)(e.$slots,"default")]),(0,o.createElementVNode)("div",i,[(0,o.renderSlot)(e.$slots,"filter")])])}],["__file","FilterContainer.vue"]])},8832:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["selected"];var l=r(73336),i=r.n(l);const a={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(){this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:this.value}),this.$emit("change")}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("SelectControl"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{class:"w-full block",size:"sm",dusk:`${a.filter.name}-select-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:a.filter.options,label:"label"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""==e.value},(0,o.toDisplayString)(e.__("—")),9,n)])),_:1},8,["dusk","selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","SelectFilter.vue"]])},83840:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n=["action"],l=["name","value"],i=["value"];var a=r(14764),s=r.n(a);const c={inheritAttrs:!1,props:{href:{type:String,required:!0},method:{type:String,required:!0},data:{type:Object,required:!1,default:{}},headers:{type:Object,required:!1,default:null},component:{type:String,default:"button"}},methods:{handleSubmit(e){s()(this.headers)||(e.preventDefault(),this.$inertia.visit(this.href,{method:this.method,data:this.data,headers:this.headers}))}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("form",{action:r.href,method:"POST",onSubmit:t[0]||(t[0]=(...e)=>c.handleSubmit&&c.handleSubmit(...e)),dusk:"form-button"},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.data,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"hidden",name:t,value:e},null,8,l)))),256)),"POST"!==r.method?((0,o.openBlock)(),(0,o.createElementBlock)("input",{key:0,type:"hidden",name:"_method",value:r.method},null,8,i)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.component),(0,o.mergeProps)(e.$attrs,{type:"submit"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16))],40,n)}],["__file","FormButton.vue"]])},52728:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=["for"];const l={props:{labelFor:{type:String}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("label",{for:r.labelFor,class:"inline-block leading-tight"},[(0,o.renderSlot)(e.$slots,"default")],8,n)}],["__file","FormLabel.vue"]])},656:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>R});var o=r(74032);const n={class:"flex items-center w-full max-w-xs h-12"},l={class:"flex-1 relative"},i={class:"relative z-10",ref:"searchInput"},a=["placeholder","aria-label","aria-expanded"],s={ref:"results",class:"w-full max-w-lg z-10"},c={key:0,class:"bg-white dark:bg-gray-800 py-6 rounded-lg shadow-lg w-full mt-2 max-h-[calc(100vh-5em)] overflow-x-hidden overflow-y-auto"},d={key:1,dusk:"global-search-results",class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg w-full mt-2 max-h-[calc(100vh-5em)] overflow-x-hidden overflow-y-auto",ref:"container"},u={class:"text-xs font-bold uppercase tracking-wide bg-gray-300 dark:bg-gray-900 py-2 px-3"},h=["dusk","onClick"],p=["src"],m={class:"flex-auto text-left"},v={key:0,class:"text-xs mt-1"},f={key:2,dusk:"global-search-empty-results",class:"bg-white dark:bg-gray-800 overflow-hidden rounded-lg shadow-lg w-full mt-2 max-h-search overflow-y-auto"},g={class:"text-xs font-bold uppercase tracking-wide bg-40 py-4 px-3"};var w=r(92604),k=r(73736),y=r(17096),b=r.n(y),x=r(73336),C=r.n(x),B=r(54740),N=r.n(B),V=r(67120),E=r.n(V),S=r(6424),_=r.n(S);function H(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function O(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const M={data:()=>({searchFunction:null,canceller:null,showOverlay:!1,loading:!1,resultsVisible:!1,searchTerm:"",results:[],selected:0}),watch:{searchTerm(e){null!==this.canceller&&this.canceller(),""===e?(this.resultsVisible=!1,this.selected=-1,this.results=[]):this.search()},resultsVisible(e){!0!==e?document.body.classList.remove("overflow-y-hidden"):document.body.classList.add("overflow-y-hidden")}},created(){this.searchFunction=C()((async()=>{if(this.showOverlay=!0,this.$nextTick((()=>{this.popper=(0,w.uV)(this.$refs.searchInput,this.$refs.results,{placement:"bottom-start",boundary:"viewPort",modifiers:[{name:"offset",options:{offset:[0,8]}}]})})),""===this.searchTerm)return this.canceller(),this.resultsVisible=!1,void(this.results=[]);this.resultsVisible=!0,this.loading=!0,this.results=[],this.selected=0;try{const{data:r}=await(e=this.searchTerm,t=e=>this.canceller=e,Nova.request().get("/nova-api/search",{params:{search:e},cancelToken:new k.al((e=>t(e)))}));this.results=r,this.loading=!1}catch(e){if(e instanceof k.yQ)return;throw this.loading=!1,e}var e,t}),Nova.config("debounce"))},mounted(){Nova.addShortcut("/",(()=>(this.focusSearch(),!1)))},beforeUnmount(){null!==this.canceller&&this.canceller(),this.resultsVisible=!1,Nova.disableShortcut("/")},methods:{async focusSearch(){this.results.length>0&&(this.showOverlay=!0,this.resultsVisible=!0,await this.popper.update()),this.$refs.input.focus()},closeSearch(){this.$refs.input.blur(),this.resultsVisible=!1,this.showOverlay=!1},search(){this.searchFunction()},move(e){if(this.results.length){let t=this.selected+e;t<0?(this.selected=this.results.length-1,this.updateScrollPosition()):t>this.results.length-1?(this.selected=0,this.updateScrollPosition()):t>=0&&t{e&&(e[0].offsetTop>t.scrollTop+t.clientHeight-e[0].clientHeight&&(t.scrollTop=e[0].offsetTop+e[0].clientHeight-t.clientHeight),e[0].offsetTope.index===this.selected));this.goToSelectedResource(e,!1)}},goToSelectedResource(e,t=!1){null!==this.canceller&&this.canceller(),this.closeSearch();let r=Nova.url(`/resources/${e.resourceName}/${e.resourceId}`);"edit"===e.linksTo&&(r+="/edit"),t?window.open(r,"_blank"):Nova.visit({url:r,remote:!1})}},computed:{indexedResults(){return b()(this.results,((e,t)=>function(e){for(var t=1;t({resourceName:e.resourceName,resourceTitle:e.resourceTitle}))),"resourceName")},formattedResults(){return b()(this.formattedGroups,(e=>({resourceName:e.resourceName,resourceTitle:e.resourceTitle,items:N()(this.indexedResults,(t=>t.resourceName===e.resourceName))})))}}};const R=(0,r(18152).c)(M,[["render",function(e,t,r,w,k,y){const b=(0,o.resolveComponent)("Icon"),x=(0,o.resolveComponent)("Loader"),C=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(b,{type:"search",width:"20",class:"absolute ml-2 text-gray-400",style:{top:"4px"}}),(0,o.withDirectives)((0,o.createElementVNode)("input",{dusk:"global-search",ref:"input",onKeydown:[t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>y.goToCurrentlySelectedResource&&y.goToCurrentlySelectedResource(...e)),["stop"]),["enter"])),t[1]||(t[1]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>y.closeSearch&&y.closeSearch(...e)),["stop"]),["esc"])),t[2]||(t[2]=(0,o.withKeys)((0,o.withModifiers)((e=>y.move(1)),["prevent"]),["down"])),t[3]||(t[3]=(0,o.withKeys)((0,o.withModifiers)((e=>y.move(-1)),["prevent"]),["up"]))],"onUpdate:modelValue":t[4]||(t[4]=t=>e.searchTerm=t),onFocus:t[5]||(t[5]=(...e)=>y.focusSearch&&y.focusSearch(...e)),type:"search",placeholder:e.__("Press / to search"),class:"appearance-none rounded-full h-8 pl-10 w-full bg-gray-100 dark:bg-gray-900 dark:focus:bg-gray-800 focus:bg-white focus:outline-none focus:ring focus:ring-primary-200 dark:focus:ring-gray-600",role:"search","aria-label":e.__("Search"),"aria-expanded":!0===e.resultsVisible?"true":"false",spellcheck:"false"},null,40,a),[[o.vModelText,e.searchTerm]])],512),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[(0,o.createVNode)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("div",s,[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[(0,o.createVNode)(x,{class:"text-gray-300",width:"40"})])):(0,o.createCommentVNode)("",!0),e.results.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(y.formattedResults,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:t.resourceTitle},[(0,o.createElementVNode)("h3",u,(0,o.toDisplayString)(t.resourceTitle),1),(0,o.createElementVNode)("ul",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(t.items,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:t.resourceName+" "+t.index,ref_for:!0,ref:t.index===e.selected?"selected":null},[(0,o.createElementVNode)("button",{dusk:t.resourceName+" "+t.index,onClick:[(0,o.withModifiers)((e=>y.goToSelectedResource(t,!1)),["exact"]),(0,o.withModifiers)((e=>y.goToSelectedResource(t,!0)),["ctrl"]),(0,o.withModifiers)((e=>y.goToSelectedResource(t,!0)),["meta"])],class:(0,o.normalizeClass)(["w-full flex items-center hover:bg-gray-100 dark:hover:bg-gray-700 text-gray-600 hover:text-gray-500 dark:text-gray-400 dark:hover:text-gray-300 py-2 px-3 no-underline font-normal",{"bg-white dark:bg-gray-800":e.selected!==t.index,"bg-gray-100 dark:bg-gray-700":e.selected===t.index}])},[t.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:0,src:t.avatar,class:(0,o.normalizeClass)(["flex-none h-8 w-8 mr-3",{"rounded-full":t.rounded,rounded:!t.rounded}])},null,10,p)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",m,[(0,o.createElementVNode)("p",null,(0,o.toDisplayString)(t.title),1),t.subTitle?((0,o.openBlock)(),(0,o.createElementBlock)("p",v,(0,o.toDisplayString)(t.subTitle),1)):(0,o.createCommentVNode)("",!0)])],10,h)])))),128))])])))),128))],512)):(0,o.createCommentVNode)("",!0),e.loading||0!==e.results.length?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("div",f,[(0,o.createElementVNode)("h3",g,(0,o.toDisplayString)(e.__("No Results Found.")),1)]))],512),[[o.vShow,e.resultsVisible]])])),_:1}),(0,o.createVNode)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(C,{onClick:y.closeSearch,show:e.showOverlay,class:"bg-gray-500/75 dark:bg-gray-900/75 z-0"},null,8,["onClick","show"])])),_:1})]))])])}],["__file","GlobalSearch.vue"]])},3836:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={1:"font-normal text-xl md:text-xl",2:"font-normal md:text-xl",3:"uppercase tracking-wide font-bold text-xs",4:"font-normal md:text-2xl"},l={props:{dusk:{type:String,default:"heading"},level:{default:1,type:Number}},computed:{component(){return"h"+this.level},classes(){return n[this.level]}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(i.component),{class:(0,o.normalizeClass)(i.classes),dusk:r.dusk},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},8,["class","dusk"])}],["__file","Heading.vue"]])},58278:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"help-text"};const l={};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","HelpText.vue"]])},75130:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={key:0,class:"absolute right-0 bottom-0 p-2 z-20"},l=["innerHTML"];const i={props:["text","width"]};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Icon"),d=(0,o.resolveComponent)("TooltipContent"),u=(0,o.resolveComponent)("Tooltip");return r.text?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("span",{class:"sr-only",innerHTML:r.text},null,8,l),(0,o.createVNode)(u,{triggers:["click"],placement:"top-start"},{content:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{innerHTML:r.text,"max-width":r.width},null,8,["innerHTML","max-width"])])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{solid:!0,type:"question-mark-circle",class:"cursor-pointer text-gray-400 dark:text-gray-500"})])),_:1})])):(0,o.createCommentVNode)("",!0)}],["__file","HelpTextTooltip.vue"]])},70272:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M12 14l9-5-9-5-9 5 9 5z"},null,-1),(0,o.createElementVNode)("path",{d:"M12 14l6.16-3.422a12.083 12.083 0 01.665 6.479A11.952 11.952 0 0012 20.055a11.952 11.952 0 00-6.824-2.998 12.078 12.078 0 01.665-6.479L12 14z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 14l9-5-9-5-9 5 9 5zm0 0l6.16-3.422a12.083 12.083 0 01.665 6.479A11.952 11.952 0 0012 20.055a11.952 11.952 0 00-6.824-2.998 12.078 12.078 0 01.665-6.479L12 14zm-4 6v-7.5l4-2.222"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAcademicCap.vue"]])},78880:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 6V4m0 2a2 2 0 100 4m0-4a2 2 0 110 4m-6 8a2 2 0 100-4m0 4a2 2 0 110-4m0 4v2m0-6V4m6 6v10m6-2a2 2 0 100-4m0 4a2 2 0 110-4m0 4v2m0-6V4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAdjustments.vue"]])},9584:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 8h10M7 12h4m1 8l-4-4H5a2 2 0 01-2-2V6a2 2 0 012-2h14a2 2 0 012 2v8a2 2 0 01-2 2h-3l-4 4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAnnotation.vue"]])},91104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 8h14M5 8a2 2 0 110-4h14a2 2 0 110 4M5 8v10a2 2 0 002 2h10a2 2 0 002-2V8m-9 4h4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArchive.vue"]])},50228:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 13l-3 3m0 0l-3-3m3 3V8m0 13a9 9 0 110-18 9 9 0 010 18z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleDown.vue"]])},35340:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 15l-3-3m0 0l3-3m-3 3h8M3 12a9 9 0 1118 0 9 9 0 01-18 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleLeft.vue"]])},69680:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 9l3 3m0 0l-3 3m3-3H8m13 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleRight.vue"]])},45900:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 11l3-3m0 0l3 3m-3-3v8m0-13a9 9 0 110 18 9 9 0 010-18z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleUp.vue"]])},31160:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 14l-7 7m0 0l-7-7m7 7V3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowDown.vue"]])},58780:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 19l-7-7m0 0l7-7m-7 7h18"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowLeft.vue"]])},86112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 17l-4 4m0 0l-4-4m4 4V3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowDown.vue"]])},87688:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16l-4-4m0 0l4-4m-4 4h18"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowLeft.vue"]])},42600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 8l4 4m0 0l-4 4m4-4H3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowRight.vue"]])},38374:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7l4-4m0 0l4 4m-4-4v18"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowUp.vue"]])},61736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14 5l7 7m0 0l-7 7m7-7H3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowRight.vue"]])},6184:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 10l7-7m0 0l7 7m-7-7v18"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowUp.vue"]])},32976:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 8V4m0 0h4M4 4l5 5m11-1V4m0 0h-4m4 0l-5 5M4 16v4m0 0h4m-4 0l5-5m11 5l-5-5m5 5v-4m0 4h-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowsExpand.vue"]])},95868:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 12a4 4 0 10-8 0 4 4 0 008 0zm0 0v1.5a2.5 2.5 0 005 0V12a9 9 0 10-9 9m4.5-1.206a8.959 8.959 0 01-4.5 1.207"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAtSymbol.vue"]])},66832:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 14l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2M3 12l6.414 6.414a2 2 0 001.414.586H19a2 2 0 002-2V7a2 2 0 00-2-2h-8.172a2 2 0 00-1.414.586L3 12z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBackspace.vue"]])},72644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12l2 2 4-4M7.835 4.697a3.42 3.42 0 001.946-.806 3.42 3.42 0 014.438 0 3.42 3.42 0 001.946.806 3.42 3.42 0 013.138 3.138 3.42 3.42 0 00.806 1.946 3.42 3.42 0 010 4.438 3.42 3.42 0 00-.806 1.946 3.42 3.42 0 01-3.138 3.138 3.42 3.42 0 00-1.946.806 3.42 3.42 0 01-4.438 0 3.42 3.42 0 00-1.946-.806 3.42 3.42 0 01-3.138-3.138 3.42 3.42 0 00-.806-1.946 3.42 3.42 0 010-4.438 3.42 3.42 0 00.806-1.946 3.42 3.42 0 013.138-3.138z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBadgeCheck.vue"]])},27024:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0 015.636 5.636m12.728 12.728L5.636 5.636"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBan.vue"]])},5288:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19.428 15.428a2 2 0 00-1.022-.547l-2.387-.477a6 6 0 00-3.86.517l-.318.158a6 6 0 01-3.86.517L6.05 15.21a2 2 0 00-1.806.547M8 4h8l-1 1v5.172a2 2 0 00.586 1.414l5 5c1.26 1.26.367 3.414-1.415 3.414H4.828c-1.782 0-2.674-2.154-1.414-3.414l5-5A2 2 0 009 10.172V5L8 4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBeaker.vue"]])},9864:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 17h5l-1.405-1.405A2.032 2.032 0 0118 14.158V11a6.002 6.002 0 00-4-5.659V5a2 2 0 10-4 0v.341C7.67 6.165 6 8.388 6 11v3.159c0 .538-.214 1.055-.595 1.436L4 17h5m6 0v1a3 3 0 11-6 0v-1m6 0H9"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBell.vue"]])},87588:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 6.253v13m0-13C10.832 5.477 9.246 5 7.5 5S4.168 5.477 3 6.253v13C4.168 18.477 5.754 18 7.5 18s3.332.477 4.5 1.253m0-13C13.168 5.477 14.754 5 16.5 5c1.747 0 3.332.477 4.5 1.253v13C19.832 18.477 18.247 18 16.5 18c-1.746 0-3.332.477-4.5 1.253"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBookOpen.vue"]])},3328:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 5a2 2 0 012-2h10a2 2 0 012 2v16l-7-3.5L5 21V5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBookmark.vue"]])},82812:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 4v12l-4-2-4 2V4M6 20h12a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBookmarkAlt.vue"]])},81136:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 13.255A23.931 23.931 0 0112 15c-3.183 0-6.22-.62-9-1.745M16 6V4a2 2 0 00-2-2h-4a2 2 0 00-2 2v2m4 6h.01M5 20h14a2 2 0 002-2V8a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBriefcase.vue"]])},4048:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 15.546c-.523 0-1.046.151-1.5.454a2.704 2.704 0 01-3 0 2.704 2.704 0 00-3 0 2.704 2.704 0 01-3 0 2.704 2.704 0 00-3 0 2.704 2.704 0 01-3 0 2.701 2.701 0 00-1.5-.454M9 6v2m3-2v2m3-2v2M9 3h.01M12 3h.01M15 3h.01M21 21v-7a2 2 0 00-2-2H5a2 2 0 00-2 2v7h18zm-3-9v-2a2 2 0 00-2-2H8a2 2 0 00-2 2v2h12z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCake.vue"]])},63688:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 7h6m0 10v-3m-3 3h.01M9 17h.01M9 14h.01M12 14h.01M15 11h.01M12 11h.01M9 11h.01M7 21h10a2 2 0 002-2V5a2 2 0 00-2-2H7a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCalculator.vue"]])},83376:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7V3m8 4V3m-9 8h10M5 21h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCalendar.vue"]])},98861:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 9a2 2 0 012-2h.93a2 2 0 001.664-.89l.812-1.22A2 2 0 0110.07 4h3.86a2 2 0 011.664.89l.812 1.22A2 2 0 0018.07 7H19a2 2 0 012 2v9a2 2 0 01-2 2H5a2 2 0 01-2-2V9z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 13a3 3 0 11-6 0 3 3 0 016 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCamera.vue"]])},34252:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 9V7a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2m2 4h10a2 2 0 002-2v-6a2 2 0 00-2-2H9a2 2 0 00-2 2v6a2 2 0 002 2zm7-5a2 2 0 11-4 0 2 2 0 014 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCash.vue"]])},85584:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChartBar.vue"]])},85400:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 3.055A9.001 9.001 0 1020.945 13H11V3.055z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20.488 9H15V3.512A9.025 9.025 0 0120.488 9z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChartPie.vue"]])},99400:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 8v8m-4-5v5m-4-2v2m-2 4h12a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChartSquareBar.vue"]])},43588:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 12h.01M12 12h.01M16 12h.01M21 12c0 4.418-4.03 8-9 8a9.863 9.863 0 01-4.255-.949L3 20l1.395-3.72C3.512 15.042 3 13.574 3 12c0-4.418 4.03-8 9-8s9 3.582 9 8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChat.vue"]])},97748:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 10h.01M12 10h.01M16 10h.01M9 16H5a2 2 0 01-2-2V6a2 2 0 012-2h14a2 2 0 012 2v8a2 2 0 01-2 2h-5l-5 5v-5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChatAlt.vue"]])},32420:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 8h2a2 2 0 012 2v6a2 2 0 01-2 2h-2v4l-4-4H9a1.994 1.994 0 01-1.414-.586m0 0L11 14h4a2 2 0 002-2V6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2v4l.586-.586z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChatAlt2.vue"]])},91428:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 13l4 4L19 7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCheck.vue"]])},29996:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCheckCircle.vue"]])},11872:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 13l-7 7-7-7m14-8l-7 7-7-7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleDown.vue"]])},5408:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 19l-7-7 7-7m8 14l-7-7 7-7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleLeft.vue"]])},15212:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 5l7 7-7 7M5 5l7 7-7 7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleRight.vue"]])},23996:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 11l7-7 7 7M5 19l7-7 7 7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleUp.vue"]])},52156:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 9l-7 7-7-7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDown.vue"]])},19612:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 19l-7-7 7-7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronLeft.vue"]])},28620:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5l7 7-7 7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronRight.vue"]])},53144:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 15l7-7 7 7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronUp.vue"]])},9512:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 3v2m6-2v2M9 19v2m6-2v2M5 9H3m2 6H3m18-6h-2m2 6h-2M7 19h10a2 2 0 002-2V7a2 2 0 00-2-2H7a2 2 0 00-2 2v10a2 2 0 002 2zM9 9h6v6H9V9z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChip.vue"]])},42208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboard.vue"]])},62716:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2m-6 9l2 2 4-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboardCheck.vue"]])},42652:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 5H6a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2v-1M8 5a2 2 0 002 2h2a2 2 0 002-2M8 5a2 2 0 012-2h2a2 2 0 012 2m0 0h2a2 2 0 012 2v3m2 4H10m0 0l3-3m-3 3l3 3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboardCopy.vue"]])},7652:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2m-3 7h3m-3 4h3m-6-4h.01M9 16h.01"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboardList.vue"]])},96120:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v4l3 3m6-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClock.vue"]])},13719:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 15a4 4 0 004 4h9a5 5 0 10-.1-9.999 5.002 5.002 0 10-9.78 2.096A4.001 4.001 0 003 15z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCloud.vue"]])},12268:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16a4 4 0 01-.88-7.903A5 5 0 1115.9 6L16 6a5 5 0 011 9.9M9 19l3 3m0 0l3-3m-3 3V10"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCloudDownload.vue"]])},55748:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16a4 4 0 01-.88-7.903A5 5 0 1115.9 6L16 6a5 5 0 011 9.9M15 13l-3-3m0 0l-3 3m3-3v12"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCloudUpload.vue"]])},13560:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 20l4-16m4 4l4 4-4 4M6 16l-4-4 4-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCode.vue"]])},37884:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10.325 4.317c.426-1.756 2.924-1.756 3.35 0a1.724 1.724 0 002.573 1.066c1.543-.94 3.31.826 2.37 2.37a1.724 1.724 0 001.065 2.572c1.756.426 1.756 2.924 0 3.35a1.724 1.724 0 00-1.066 2.573c.94 1.543-.826 3.31-2.37 2.37a1.724 1.724 0 00-2.572 1.065c-.426 1.756-2.924 1.756-3.35 0a1.724 1.724 0 00-2.573-1.066c-1.543.94-3.31-.826-2.37-2.37a1.724 1.724 0 00-1.065-2.572c-1.756-.426-1.756-2.924 0-3.35a1.724 1.724 0 001.066-2.573c-.94-1.543.826-3.31 2.37-2.37.996.608 2.296.07 2.572-1.065z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 12a3 3 0 11-6 0 3 3 0 016 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCog.vue"]])},91888:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 11H5m14 0a2 2 0 012 2v6a2 2 0 01-2 2H5a2 2 0 01-2-2v-6a2 2 0 012-2m14 0V9a2 2 0 00-2-2M5 11V9a2 2 0 012-2m0 0V5a2 2 0 012-2h6a2 2 0 012 2v2M7 7h10"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCollection.vue"]])},52628:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 21a4 4 0 01-4-4V5a2 2 0 012-2h4a2 2 0 012 2v12a4 4 0 01-4 4zm0 0h12a2 2 0 002-2v-4a2 2 0 00-2-2h-2.343M11 7.343l1.657-1.657a2 2 0 012.828 0l2.829 2.829a2 2 0 010 2.828l-8.486 8.485M7 17h.01"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineColorSwatch.vue"]])},2120:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 10h18M7 15h1m4 0h1m-7 4h12a3 3 0 003-3V8a3 3 0 00-3-3H6a3 3 0 00-3 3v8a3 3 0 003 3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCreditCard.vue"]])},26684:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20 7l-8-4-8 4m16 0l-8 4m8-4v10l-8 4m0-10L4 7m8 4v10M4 7v10l8 4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCube.vue"]])},5696:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14 10l-2 1m0 0l-2-1m2 1v2.5M20 7l-2 1m2-1l-2-1m2 1v2.5M14 4l-2-1-2 1M4 7l2-1M4 7l2 1M4 7v2.5M12 21l-2-1m2 1l2-1m-2 1v-2.5M6 18l-2-1v-2.5M18 18l2-1v-2.5"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCubeTransparent.vue"]])},72604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 11V9a2 2 0 00-2-2m2 4v4a2 2 0 104 0v-1m-4-3H9m2 0h4m6 1a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyBangladeshi.vue"]])},93336:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8c-1.657 0-3 .895-3 2s1.343 2 3 2 3 .895 3 2-1.343 2-3 2m0-8c1.11 0 2.08.402 2.599 1M12 8V7m0 1v8m0 0v1m0-1c-1.11 0-2.08-.402-2.599-1M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyDollar.vue"]])},87752:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14.121 15.536c-1.171 1.952-3.07 1.952-4.242 0-1.172-1.953-1.172-5.119 0-7.072 1.171-1.952 3.07-1.952 4.242 0M8 10.5h4m-4 3h4m9-1.5a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyEuro.vue"]])},40096:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 9a2 2 0 10-4 0v5a2 2 0 01-2 2h6m-6-4h4m8 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyPound.vue"]])},7818:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 8h6m-5 0a3 3 0 110 6H9l3 3m-3-6h6m6 1a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyRupee.vue"]])},91200:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 8l3 5m0 0l3-5m-3 5v4m-3-5h6m-6 3h6m6-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyYen.vue"]])},23544:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 15l-2 5L9 9l11 4-5 2zm0 0l5 5M7.188 2.239l.777 2.897M5.136 7.965l-2.898-.777M13.95 4.05l-2.122 2.122m-5.657 5.656l-2.12 2.122"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCursorClick.vue"]])},60830:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-width":"2",d:"M4 7v10c0 2.21 3.582 4 8 4s8-1.79 8-4V7M4 7c0 2.21 3.582 4 8 4s8-1.79 8-4M4 7c0-2.21 3.582-4 8-4s8 1.79 8 4m0 5c0 2.21-3.582 4-8 4s-8-1.79-8-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDatabase.vue"]])},28164:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.75 17L9 20l-1 1h8l-1-1-.75-3M3 13h18M5 17h14a2 2 0 002-2V5a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDesktopComputer.vue"]])},34580:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 18h.01M8 21h8a2 2 0 002-2V5a2 2 0 00-2-2H8a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDeviceMobile.vue"]])},22500:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 18h.01M7 21h10a2 2 0 002-2V5a2 2 0 00-2-2H7a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDeviceTablet.vue"]])},51728:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 21h10a2 2 0 002-2V9.414a1 1 0 00-.293-.707l-5.414-5.414A1 1 0 0012.586 3H7a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocument.vue"]])},10924:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6m-3-3v6m5 5H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentAdd.vue"]])},7868:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 10v6m0 0l-3-3m3 3l3-3m2 8H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentDownload.vue"]])},18224:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7v8a2 2 0 002 2h6M8 7V5a2 2 0 012-2h4.586a1 1 0 01.707.293l4.414 4.414a1 1 0 01.293.707V15a2 2 0 01-2 2h-2M8 7H6a2 2 0 00-2 2v10a2 2 0 002 2h8a2 2 0 002-2v-2"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentDuplicate.vue"]])},31412:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6m2 8H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentRemove.vue"]])},96668:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 17v-2m3 2v-4m3 4v-6m2 10H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentReport.vue"]])},64528:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 21h7a2 2 0 002-2V9.414a1 1 0 00-.293-.707l-5.414-5.414A1 1 0 0012.586 3H7a2 2 0 00-2 2v11m0 5l4.879-4.879m0 0a3 3 0 104.243-4.242 3 3 0 00-4.243 4.242z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentSearch.vue"]])},68e3:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12h6m-6 4h6m2 5H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentText.vue"]])},95656:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 12h.01M12 12h.01M16 12h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDotsCircleHorizontal.vue"]])},56108:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 12h.01M12 12h.01M19 12h.01M6 12a1 1 0 11-2 0 1 1 0 012 0zm7 0a1 1 0 11-2 0 1 1 0 012 0zm7 0a1 1 0 11-2 0 1 1 0 012 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDotsHorizontal.vue"]])},28732:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 5v.01M12 12v.01M12 19v.01M12 6a1 1 0 110-2 1 1 0 010 2zm0 7a1 1 0 110-2 1 1 0 010 2zm0 7a1 1 0 110-2 1 1 0 010 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDotsVertical.vue"]])},5760:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-4l-4 4m0 0l-4-4m4 4V4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDownload.vue"]])},93420:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 16H6a2 2 0 01-2-2V6a2 2 0 012-2h8a2 2 0 012 2v2m-6 12h8a2 2 0 002-2v-8a2 2 0 00-2-2h-8a2 2 0 00-2 2v8a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDuplicate.vue"]])},86864:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14.828 14.828a4 4 0 01-5.656 0M9 10h.01M15 10h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEmojiHappy.vue"]])},43604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.172 16.172a4 4 0 015.656 0M9 10h.01M15 10h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEmojiSad.vue"]])},32096:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 9v2m0 4h.01m-6.938 4h13.856c1.54 0 2.502-1.667 1.732-3L13.732 4c-.77-1.333-2.694-1.333-3.464 0L3.34 16c-.77 1.333.192 3 1.732 3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineExclamation.vue"]])},98760:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v4m0 4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineExclamationCircle.vue"]])},16532:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 6H6a2 2 0 00-2 2v10a2 2 0 002 2h10a2 2 0 002-2v-4M14 4h6m0 0v6m0-6L10 14"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineExternalLink.vue"]])},38668:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 12a3 3 0 11-6 0 3 3 0 016 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M2.458 12C3.732 7.943 7.523 5 12 5c4.478 0 8.268 2.943 9.542 7-1.274 4.057-5.064 7-9.542 7-4.477 0-8.268-2.943-9.542-7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEye.vue"]])},12960:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13.875 18.825A10.05 10.05 0 0112 19c-4.478 0-8.268-2.943-9.543-7a9.97 9.97 0 011.563-3.029m5.858.908a3 3 0 114.243 4.243M9.878 9.878l4.242 4.242M9.88 9.88l-3.29-3.29m7.532 7.532l3.29 3.29M3 3l3.59 3.59m0 0A9.953 9.953 0 0112 5c4.478 0 8.268 2.943 9.543 7a10.025 10.025 0 01-4.132 5.411m0 0L21 21"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEyeOff.vue"]])},90203:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11.933 12.8a1 1 0 000-1.6L6.6 7.2A1 1 0 005 8v8a1 1 0 001.6.8l5.333-4zM19.933 12.8a1 1 0 000-1.6l-5.333-4A1 1 0 0013 8v8a1 1 0 001.6.8l5.333-4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFastForward.vue"]])},24664:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-width":"2",d:"M7 4v16M17 4v16M3 8h4m10 0h4M3 12h18M3 16h4m10 0h4M4 20h16a1 1 0 001-1V5a1 1 0 00-1-1H4a1 1 0 00-1 1v14a1 1 0 001 1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFilm.vue"]])},43304:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 4a1 1 0 011-1h16a1 1 0 011 1v2.586a1 1 0 01-.293.707l-6.414 6.414a1 1 0 00-.293.707V17l-4 4v-6.586a1 1 0 00-.293-.707L3.293 7.293A1 1 0 013 6.586V4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFilter.vue"]])},47072:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 11c0 3.517-1.009 6.799-2.753 9.571m-3.44-2.04l.054-.09A13.916 13.916 0 008 11a4 4 0 118 0c0 1.017-.07 2.019-.203 3m-2.118 6.844A21.88 21.88 0 0015.171 17m3.839 1.132c.645-2.266.99-4.659.99-7.132A8 8 0 008 4.07M3 15.364c.64-1.319 1-2.8 1-4.364 0-1.457.39-2.823 1.07-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFingerPrint.vue"]])},22346:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17.657 18.657A8 8 0 016.343 7.343S7 9 9 10c0-2 .5-5 2.986-7C14 5 16.09 5.777 17.656 7.343A7.975 7.975 0 0120 13a7.975 7.975 0 01-2.343 5.657z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.879 16.121A3 3 0 1012.015 11L11 14H9c0 .768.293 1.536.879 2.121z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFire.vue"]])},81856:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 21v-4m0 0V5a2 2 0 012-2h6.5l1 1H21l-3 6 3 6h-8.5l-1-1H5a2 2 0 00-2 2zm9-13.5V9"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFlag.vue"]])},71864:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 7v10a2 2 0 002 2h14a2 2 0 002-2V9a2 2 0 00-2-2h-6l-2-2H5a2 2 0 00-2 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolder.vue"]])},24604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6m-3-3v6m-9 1V7a2 2 0 012-2h6l2 2h6a2 2 0 012 2v8a2 2 0 01-2 2H5a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderAdd.vue"]])},15028:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 10v6m0 0l-3-3m3 3l3-3M3 17V7a2 2 0 012-2h6l2 2h6a2 2 0 012 2v8a2 2 0 01-2 2H5a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderDownload.vue"]])},79992:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 19a2 2 0 01-2-2V7a2 2 0 012-2h4l2 2h4a2 2 0 012 2v1M5 19h14a2 2 0 002-2v-5a2 2 0 00-2-2H9a2 2 0 00-2 2v5a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderOpen.vue"]])},6264:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6M3 17V7a2 2 0 012-2h6l2 2h6a2 2 0 012 2v8a2 2 0 01-2 2H5a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderRemove.vue"]])},94504:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v13m0-13V6a2 2 0 112 2h-2zm0 0V5.5A2.5 2.5 0 109.5 8H12zm-7 4h14M5 12a2 2 0 110-4h14a2 2 0 110 4M5 12v7a2 2 0 002 2h10a2 2 0 002-2v-7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineGift.vue"]])},91236:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3.055 11H5a2 2 0 012 2v1a2 2 0 002 2 2 2 0 012 2v2.945M8 3.935V5.5A2.5 2.5 0 0010.5 8h.5a2 2 0 012 2 2 2 0 104 0 2 2 0 012-2h1.064M15 20.488V18a2 2 0 012-2h3.064M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineGlobe.vue"]])},83280:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 12a9 9 0 01-9 9m9-9a9 9 0 00-9-9m9 9H3m9 9a9 9 0 01-9-9m9 9c1.657 0 3-4.03 3-9s-1.343-9-3-9m0 18c-1.657 0-3-4.03-3-9s1.343-9 3-9m-9 9a9 9 0 019-9"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineGlobeAlt.vue"]])},77096:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 11.5V14m0-2.5v-6a1.5 1.5 0 113 0m-3 6a1.5 1.5 0 00-3 0v2a7.5 7.5 0 0015 0v-5a1.5 1.5 0 00-3 0m-6-3V11m0-5.5v-1a1.5 1.5 0 013 0v1m0 0V11m0-5.5a1.5 1.5 0 013 0v3m0 0V11"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHand.vue"]])},47588:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 20l4-16m2 16l4-16M6 9h14M4 15h14"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHashtag.vue"]])},54208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4.318 6.318a4.5 4.5 0 000 6.364L12 20.364l7.682-7.682a4.5 4.5 0 00-6.364-6.364L12 7.636l-1.318-1.318a4.5 4.5 0 00-6.364 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHeart.vue"]])},34828:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 12l2-2m0 0l7-7 7 7M5 10v10a1 1 0 001 1h3m10-11l2 2m-2-2v10a1 1 0 01-1 1h-3m-6 0a1 1 0 001-1v-4a1 1 0 011-1h2a1 1 0 011 1v4a1 1 0 001 1m-6 0h6"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHome.vue"]])},87560:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 6H5a2 2 0 00-2 2v9a2 2 0 002 2h14a2 2 0 002-2V8a2 2 0 00-2-2h-5m-4 0V5a2 2 0 114 0v1m-4 0a2 2 0 104 0m-5 8a2 2 0 100-4 2 2 0 000 4zm0 0c1.306 0 2.417.835 2.83 2M9 14a3.001 3.001 0 00-2.83 2M15 11h3m-3 4h2"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineIdentification.vue"]])},48060:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20 13V6a2 2 0 00-2-2H6a2 2 0 00-2 2v7m16 0v5a2 2 0 01-2 2H6a2 2 0 01-2-2v-5m16 0h-2.586a1 1 0 00-.707.293l-2.414 2.414a1 1 0 01-.707.293h-3.172a1 1 0 01-.707-.293l-2.414-2.414A1 1 0 006.586 13H4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineInbox.vue"]])},87832:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 4H6a2 2 0 00-2 2v12a2 2 0 002 2h12a2 2 0 002-2V6a2 2 0 00-2-2h-2m-4-1v8m0 0l3-3m-3 3L9 8m-5 5h2.586a1 1 0 01.707.293l2.414 2.414a1 1 0 00.707.293h3.172a1 1 0 00.707-.293l2.414-2.414a1 1 0 01.707-.293H20"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineInboxIn.vue"]])},52540:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 16h-1v-4h-1m1-4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineInformationCircle.vue"]])},76880:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 7a2 2 0 012 2m4 0a6 6 0 01-7.743 5.743L11 17H9v2H7v2H4a1 1 0 01-1-1v-2.586a1 1 0 01.293-.707l5.964-5.964A6 6 0 1121 9z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineKey.vue"]])},25516:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 14v3m4-3v3m4-3v3M3 21h18M3 10h18M3 7l9-4 9 4M4 10h16v11H4V10z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLibrary.vue"]])},8880:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.663 17h4.673M12 3v1m6.364 1.636l-.707.707M21 12h-1M4 12H3m3.343-5.657l-.707-.707m2.828 9.9a5 5 0 117.072 0l-.548.547A3.374 3.374 0 0014 18.469V19a2 2 0 11-4 0v-.531c0-.895-.356-1.754-.988-2.386l-.548-.547z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLightBulb.vue"]])},71720:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 10V3L4 14h7v7l9-11h-7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLightningBolt.vue"]])},78132:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13.828 10.172a4 4 0 00-5.656 0l-4 4a4 4 0 105.656 5.656l1.102-1.101m-.758-4.899a4 4 0 005.656 0l4-4a4 4 0 00-5.656-5.656l-1.1 1.1"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLink.vue"]])},7328:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17.657 16.657L13.414 20.9a1.998 1.998 0 01-2.827 0l-4.244-4.243a8 8 0 1111.314 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 11a3 3 0 11-6 0 3 3 0 016 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLocationMarker.vue"]])},27744:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 15v2m-6 4h12a2 2 0 002-2v-6a2 2 0 00-2-2H6a2 2 0 00-2 2v6a2 2 0 002 2zm10-10V7a4 4 0 00-8 0v4h8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLockClosed.vue"]])},39904:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 11V7a4 4 0 118 0m-4 8v2m-6 4h12a2 2 0 002-2v-6a2 2 0 00-2-2H6a2 2 0 00-2 2v6a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLockOpen.vue"]])},25385:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 16l-4-4m0 0l4-4m-4 4h14m-5 4v1a3 3 0 01-3 3H6a3 3 0 01-3-3V7a3 3 0 013-3h7a3 3 0 013 3v1"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLogin.vue"]])},21100:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 16l4-4m0 0l-4-4m4 4H7m6 4v1a3 3 0 01-3 3H6a3 3 0 01-3-3V7a3 3 0 013-3h4a3 3 0 013 3v1"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLogout.vue"]])},43276:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 8l7.89 5.26a2 2 0 002.22 0L21 8M5 19h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMail.vue"]])},93312:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 19v-8.93a2 2 0 01.89-1.664l7-4.666a2 2 0 012.22 0l7 4.666A2 2 0 0121 10.07V19M3 19a2 2 0 002 2h14a2 2 0 002-2M3 19l6.75-4.5M21 19l-6.75-4.5M3 10l6.75 4.5M21 10l-6.75 4.5m0 0l-1.14.76a2 2 0 01-2.22 0l-1.14-.76"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMailOpen.vue"]])},17796:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 20l-5.447-2.724A1 1 0 013 16.382V5.618a1 1 0 011.447-.894L9 7m0 13l6-3m-6 3V7m6 10l4.553 2.276A1 1 0 0021 18.382V7.618a1 1 0 00-.553-.894L15 4m0 13V4m0 0L9 7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMap.vue"]])},57416:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h16M4 18h16"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenu.vue"]])},92728:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h8m-8 6h16"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt1.vue"]])},51355:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h16M4 18h7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt2.vue"]])},60100:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h16m-7 6h7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt3.vue"]])},51320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 8h16M4 16h16"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt4.vue"]])},57856:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 11a7 7 0 01-7 7m0 0a7 7 0 01-7-7m7 7v4m0 0H8m4 0h4m-4-8a3 3 0 01-3-3V5a3 3 0 116 0v6a3 3 0 01-3 3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMicrophone.vue"]])},26276:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18 12H6"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMinus.vue"]])},12576:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 12H9m12 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMinusCircle.vue"]])},36500:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20.354 15.354A9 9 0 018.646 3.646 9.003 9.003 0 0012 21a9.003 9.003 0 008.354-5.646z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMoon.vue"]])},37728:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 19V6l12-3v13M9 19c0 1.105-1.343 2-3 2s-3-.895-3-2 1.343-2 3-2 3 .895 3 2zm12-3c0 1.105-1.343 2-3 2s-3-.895-3-2 1.343-2 3-2 3 .895 3 2zM9 10l12-3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMusicNote.vue"]])},55184:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 20H5a2 2 0 01-2-2V6a2 2 0 012-2h10a2 2 0 012 2v1m2 13a2 2 0 01-2-2V7m2 13a2 2 0 002-2V9a2 2 0 00-2-2h-2m-4-3H9M7 16h6M7 8h6v4H7V8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineNewspaper.vue"]])},46056:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 21V5a2 2 0 00-2-2H7a2 2 0 00-2 2v16m14 0h2m-2 0h-5m-9 0H3m2 0h5M9 7h1m-1 4h1m4-4h1m-1 4h1m-5 10v-5a1 1 0 011-1h2a1 1 0 011 1v5m-4 0h4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineOfficeBuilding.vue"]])},9272:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 19l9 2-9-18-9 18 9-2zm0 0v-8"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePaperAirplane.vue"]])},69572:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15.172 7l-6.586 6.586a2 2 0 102.828 2.828l6.414-6.586a4 4 0 00-5.656-5.656l-6.415 6.585a6 6 0 108.486 8.486L20.5 13"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePaperClip.vue"]])},86956:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 9v6m4-6v6m7-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePause.vue"]])},24963:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15.232 5.232l3.536 3.536m-2.036-5.036a2.5 2.5 0 113.536 3.536L6.5 21.036H3v-3.572L16.732 3.732z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePencil.vue"]])},62456:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 5H6a2 2 0 00-2 2v11a2 2 0 002 2h11a2 2 0 002-2v-5m-1.414-9.414a2 2 0 112.828 2.828L11.828 15H9v-2.828l8.586-8.586z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePencilAlt.vue"]])},44376:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 5a2 2 0 012-2h3.28a1 1 0 01.948.684l1.498 4.493a1 1 0 01-.502 1.21l-2.257 1.13a11.042 11.042 0 005.516 5.516l1.13-2.257a1 1 0 011.21-.502l4.493 1.498a1 1 0 01.684.949V19a2 2 0 01-2 2h-1C9.716 21 3 14.284 3 6V5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhone.vue"]])},75020:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 3l-6 6m0 0V4m0 5h5M5 3a2 2 0 00-2 2v1c0 8.284 6.716 15 15 15h1a2 2 0 002-2v-3.28a1 1 0 00-.684-.948l-4.493-1.498a1 1 0 00-1.21.502l-1.13 2.257a11.042 11.042 0 01-5.516-5.517l2.257-1.128a1 1 0 00.502-1.21L9.228 3.683A1 1 0 008.279 3H5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhoneIncoming.vue"]])},35300:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 8l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2M5 3a2 2 0 00-2 2v1c0 8.284 6.716 15 15 15h1a2 2 0 002-2v-3.28a1 1 0 00-.684-.948l-4.493-1.498a1 1 0 00-1.21.502l-1.13 2.257a11.042 11.042 0 01-5.516-5.517l2.257-1.128a1 1 0 00.502-1.21L9.228 3.683A1 1 0 008.279 3H5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhoneMissedCall.vue"]])},80232:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 3h5m0 0v5m0-5l-6 6M5 3a2 2 0 00-2 2v1c0 8.284 6.716 15 15 15h1a2 2 0 002-2v-3.28a1 1 0 00-.684-.948l-4.493-1.498a1 1 0 00-1.21.502l-1.13 2.257a11.042 11.042 0 01-5.516-5.517l2.257-1.128a1 1 0 00.502-1.21L9.228 3.683A1 1 0 008.279 3H5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhoneOutgoing.vue"]])},1064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 16l4.586-4.586a2 2 0 012.828 0L16 16m-2-2l1.586-1.586a2 2 0 012.828 0L20 14m-6-6h.01M6 20h12a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhotograph.vue"]])},68992:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14.752 11.168l-3.197-2.132A1 1 0 0010 9.87v4.263a1 1 0 001.555.832l3.197-2.132a1 1 0 000-1.664z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePlay.vue"]])},22184:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 6v6m0 0v6m0-6h6m-6 0H6"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePlus.vue"]])},25600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 9v3m0 0v3m0-3h3m-3 0H9m12 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePlusCircle.vue"]])},39064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 13v-1m4 1v-3m4 3V8M8 21l4-4 4 4M3 4h18M4 4h16v12a1 1 0 01-1 1H5a1 1 0 01-1-1V4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePresentationChartBar.vue"]])},65208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 12l3-3 3 3 4-4M8 21l4-4 4 4M3 4h18M4 4h16v12a1 1 0 01-1 1H5a1 1 0 01-1-1V4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePresentationChartLine.vue"]])},48924:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 17h2a2 2 0 002-2v-4a2 2 0 00-2-2H5a2 2 0 00-2 2v4a2 2 0 002 2h2m2 4h6a2 2 0 002-2v-4a2 2 0 00-2-2H9a2 2 0 00-2 2v4a2 2 0 002 2zm8-12V5a2 2 0 00-2-2H9a2 2 0 00-2 2v4h10z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePrinter.vue"]])},5808:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 4a2 2 0 114 0v1a1 1 0 001 1h3a1 1 0 011 1v3a1 1 0 01-1 1h-1a2 2 0 100 4h1a1 1 0 011 1v3a1 1 0 01-1 1h-3a1 1 0 01-1-1v-1a2 2 0 10-4 0v1a1 1 0 01-1 1H7a1 1 0 01-1-1v-3a1 1 0 00-1-1H4a2 2 0 110-4h1a1 1 0 001-1V7a1 1 0 011-1h3a1 1 0 001-1V4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePuzzle.vue"]])},47296:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 4v1m6 11h2m-6 0h-2v4m0-11v3m0 0h.01M12 12h4.01M16 20h4M4 12h4m12 0h.01M5 8h2a1 1 0 001-1V5a1 1 0 00-1-1H5a1 1 0 00-1 1v2a1 1 0 001 1zm12 0h2a1 1 0 001-1V5a1 1 0 00-1-1h-2a1 1 0 00-1 1v2a1 1 0 001 1zM5 20h2a1 1 0 001-1v-2a1 1 0 00-1-1H5a1 1 0 00-1 1v2a1 1 0 001 1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineQrcode.vue"]])},95438:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8.228 9c.549-1.165 2.03-2 3.772-2 2.21 0 4 1.343 4 3 0 1.4-1.278 2.575-3.006 2.907-.542.104-.994.54-.994 1.093m0 3h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineQuestionMarkCircle.vue"]])},82514:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 15v-1a4 4 0 00-4-4H8m0 0l3 3m-3-3l3-3m9 14V5a2 2 0 00-2-2H6a2 2 0 00-2 2v16l4-2 4 2 4-2 4 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineReceiptRefund.vue"]])},26220:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 14l6-6m-5.5.5h.01m4.99 5h.01M19 21V5a2 2 0 00-2-2H7a2 2 0 00-2 2v16l3.5-2 3.5 2 3.5-2 3.5 2zM10 8.5a.5.5 0 11-1 0 .5.5 0 011 0zm5 5a.5.5 0 11-1 0 .5.5 0 011 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineReceiptTax.vue"]])},8652:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 4v5h.582m15.356 2A8.001 8.001 0 004.582 9m0 0H9m11 11v-5h-.581m0 0a8.003 8.003 0 01-15.357-2m15.357 2H15"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineRefresh.vue"]])},83632:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 10h10a8 8 0 018 8v2M3 10l6 6m-6-6l6-6"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineReply.vue"]])},19584:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12.066 11.2a1 1 0 000 1.6l5.334 4A1 1 0 0019 16V8a1 1 0 00-1.6-.8l-5.333 4zM4.066 11.2a1 1 0 000 1.6l5.334 4A1 1 0 0011 16V8a1 1 0 00-1.6-.8l-5.334 4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineRewind.vue"]])},10912:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 5c7.18 0 13 5.82 13 13M6 11a7 7 0 017 7m-6 0a1 1 0 11-2 0 1 1 0 012 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineRss.vue"]])},42920:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7H5a2 2 0 00-2 2v9a2 2 0 002 2h14a2 2 0 002-2V9a2 2 0 00-2-2h-3m-1 4l-3 3m0 0l-3-3m3 3V4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSave.vue"]])},42700:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 16v2a2 2 0 01-2 2H5a2 2 0 01-2-2v-7a2 2 0 012-2h2m3-4H9a2 2 0 00-2 2v7a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-1m-1 4l-3 3m0 0l-3-3m3 3V3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSaveAs.vue"]])},71620:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 6l3 1m0 0l-3 9a5.002 5.002 0 006.001 0M6 7l3 9M6 7l6-2m6 2l3-1m-3 1l-3 9a5.002 5.002 0 006.001 0M18 7l3 9m-3-9l-6-2m0-2v2m0 16V5m0 16H9m3 0h3"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineScale.vue"]])},38848:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-width":"2",d:"M14.121 14.121L19 19m-7-7l7-7m-7 7l-2.879 2.879M12 12L9.121 9.121m0 5.758a3 3 0 10-4.243 4.243 3 3 0 004.243-4.243zm0-5.758a3 3 0 10-4.243-4.243 3 3 0 004.243 4.243z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineScissors.vue"]])},43624:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSearch.vue"]])},25016:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 16l2.879-2.879m0 0a3 3 0 104.243-4.242 3 3 0 00-4.243 4.242zM21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSearchCircle.vue"]])},90233:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 9l4-4 4 4m0 6l-4 4-4-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSelector.vue"]])},87365:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 12h14M5 12a2 2 0 01-2-2V6a2 2 0 012-2h14a2 2 0 012 2v4a2 2 0 01-2 2M5 12a2 2 0 00-2 2v4a2 2 0 002 2h14a2 2 0 002-2v-4a2 2 0 00-2-2m-2-4h.01M17 16h.01"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineServer.vue"]])},38176:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8.684 13.342C8.886 12.938 9 12.482 9 12c0-.482-.114-.938-.316-1.342m0 2.684a3 3 0 110-2.684m0 2.684l6.632 3.316m-6.632-6l6.632-3.316m0 0a3 3 0 105.367-2.684 3 3 0 00-5.367 2.684zm0 9.316a3 3 0 105.368 2.684 3 3 0 00-5.368-2.684z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShare.vue"]])},14055:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12l2 2 4-4m5.618-4.016A11.955 11.955 0 0112 2.944a11.955 11.955 0 01-8.618 3.04A12.02 12.02 0 003 9c0 5.591 3.824 10.29 9 11.622 5.176-1.332 9-6.03 9-11.622 0-1.042-.133-2.052-.382-3.016z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShieldCheck.vue"]])},72228:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20.618 5.984A11.955 11.955 0 0112 2.944a11.955 11.955 0 01-8.618 3.04A12.02 12.02 0 003 9c0 5.591 3.824 10.29 9 11.622 5.176-1.332 9-6.03 9-11.622 0-1.042-.133-2.052-.382-3.016zM12 9v2m0 4h.01"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShieldExclamation.vue"]])},3212:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 11V7a4 4 0 00-8 0v4M5 9h14l1 12H4L5 9z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShoppingBag.vue"]])},89606:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 3h2l.4 2M7 13h10l4-8H5.4M7 13L5.4 5M7 13l-2.293 2.293c-.63.63-.184 1.707.707 1.707H17m0 0a2 2 0 100 4 2 2 0 000-4zm-8 2a2 2 0 11-4 0 2 2 0 014 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShoppingCart.vue"]])},51352:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 4h13M3 8h9m-9 4h6m4 0l4-4m0 0l4 4m-4-4v12"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSortAscending.vue"]])},14200:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 4h13M3 8h9m-9 4h9m5-4v12m0 0l-4-4m4 4l4-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSortDescending.vue"]])},77068:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13 21l-2.286-6.857L5 12l5.714-2.143L13 3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSparkles.vue"]])},31881:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 5.882V19.24a1.76 1.76 0 01-3.417.592l-2.147-6.15M18 13a3 3 0 100-6M5.436 13.683A4.001 4.001 0 017 6h1.832c4.1 0 7.625-1.234 9.168-3v14c-1.543-1.766-5.067-3-9.168-3H7a3.988 3.988 0 01-1.564-.317z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSpeakerphone.vue"]])},51828:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11.049 2.927c.3-.921 1.603-.921 1.902 0l1.519 4.674a1 1 0 00.95.69h4.915c.969 0 1.371 1.24.588 1.81l-3.976 2.888a1 1 0 00-.363 1.118l1.518 4.674c.3.922-.755 1.688-1.538 1.118l-3.976-2.888a1 1 0 00-1.176 0l-3.976 2.888c-.783.57-1.838-.197-1.538-1.118l1.518-4.674a1 1 0 00-.363-1.118l-3.976-2.888c-.784-.57-.38-1.81.588-1.81h4.914a1 1 0 00.951-.69l1.519-4.674z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStar.vue"]])},6544:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18.364 5.636a9 9 0 010 12.728m0 0l-2.829-2.829m2.829 2.829L21 21M15.536 8.464a5 5 0 010 7.072m0 0l-2.829-2.829m-4.243 2.829a4.978 4.978 0 01-1.414-2.83m-1.414 5.658a9 9 0 01-2.167-9.238m7.824 2.167a1 1 0 111.414 1.414m-1.414-1.414L3 3m8.293 8.293l1.414 1.414"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStatusOffline.vue"]])},63124:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5.636 18.364a9 9 0 010-12.728m12.728 0a9 9 0 010 12.728m-9.9-2.829a5 5 0 010-7.07m7.072 0a5 5 0 010 7.07M13 12a1 1 0 11-2 0 1 1 0 012 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStatusOnline.vue"]])},6836:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 10a1 1 0 011-1h4a1 1 0 011 1v4a1 1 0 01-1 1h-4a1 1 0 01-1-1v-4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStop.vue"]])},12064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 3v1m0 16v1m9-9h-1M4 12H3m15.364 6.364l-.707-.707M6.343 6.343l-.707-.707m12.728 0l-.707.707M6.343 17.657l-.707.707M16 12a4 4 0 11-8 0 4 4 0 018 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSun.vue"]])},27404:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18.364 5.636l-3.536 3.536m0 5.656l3.536 3.536M9.172 9.172L5.636 5.636m3.536 9.192l-3.536 3.536M21 12a9 9 0 11-18 0 9 9 0 0118 0zm-5 0a4 4 0 11-8 0 4 4 0 018 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSupport.vue"]])},21468:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7h12m0 0l-4-4m4 4l-4 4m0 6H4m0 0l4 4m-4-4l4-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSwitchHorizontal.vue"]])},95352:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16V4m0 0L3 8m4-4l4 4m6 0v12m0 0l4-4m-4 4l-4-4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSwitchVertical.vue"]])},61960:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-width":"2",d:"M3 10h18M3 14h18m-9-4v8m-7 0h14a2 2 0 002-2V8a2 2 0 00-2-2H5a2 2 0 00-2 2v8a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTable.vue"]])},26e3:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 7h.01M7 3h5c.512 0 1.024.195 1.414.586l7 7a2 2 0 010 2.828l-7 7a2 2 0 01-2.828 0l-7-7A1.994 1.994 0 013 12V7a4 4 0 014-4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTag.vue"]])},37368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 5a1 1 0 011-1h14a1 1 0 011 1v2a1 1 0 01-1 1H5a1 1 0 01-1-1V5zM4 13a1 1 0 011-1h6a1 1 0 011 1v6a1 1 0 01-1 1H5a1 1 0 01-1-1v-6zM16 13a1 1 0 011-1h2a1 1 0 011 1v6a1 1 0 01-1 1h-2a1 1 0 01-1-1v-6z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTemplate.vue"]])},79134:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 9l3 3-3 3m5 0h3M5 20h14a2 2 0 002-2V6a2 2 0 00-2-2H5a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTerminal.vue"]])},67856:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 14H5.236a2 2 0 01-1.789-2.894l3.5-7A2 2 0 018.736 3h4.018a2 2 0 01.485.06l3.76.94m-7 10v5a2 2 0 002 2h.096c.5 0 .905-.405.905-.904 0-.715.211-1.413.608-2.008L17 13V4m-7 10h2m5-10h2a2 2 0 012 2v6a2 2 0 01-2 2h-2.5"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineThumbDown.vue"]])},29192:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14 10h4.764a2 2 0 011.789 2.894l-3.5 7A2 2 0 0115.263 21h-4.017c-.163 0-.326-.02-.485-.06L7 20m7-10V5a2 2 0 00-2-2h-.095c-.5 0-.905.405-.905.905 0 .714-.211 1.412-.608 2.006L7 11v9m7-10h-2M7 20H5a2 2 0 01-2-2v-6a2 2 0 012-2h2.5"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineThumbUp.vue"]])},66687:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 5v2m0 4v2m0 4v2M5 5a2 2 0 00-2 2v3a2 2 0 110 4v3a2 2 0 002 2h14a2 2 0 002-2v-3a2 2 0 110-4V7a2 2 0 00-2-2H5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTicket.vue"]])},18804:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 5h12M9 3v2m1.048 9.5A18.022 18.022 0 016.412 9m6.088 9h7M11 21l5-10 5 10M12.751 5C11.783 10.77 8.07 15.61 3 18.129"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTranslate.vue"]])},92536:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 7l-.867 12.142A2 2 0 0116.138 21H7.862a2 2 0 01-1.995-1.858L5 7m5 4v6m4-6v6m1-10V4a1 1 0 00-1-1h-4a1 1 0 00-1 1v3M4 7h16"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTrash.vue"]])},340:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 17h8m0 0V9m0 8l-8-8-4 4-6-6"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTrendingDown.vue"]])},89592:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 7h8m0 0v8m0-8l-8 8-4-4-6 6"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTrendingUp.vue"]])},6904:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{fill:"#fff",d:"M9 17a2 2 0 11-4 0 2 2 0 014 0zM19 17a2 2 0 11-4 0 2 2 0 014 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 16V6a1 1 0 00-1-1H4a1 1 0 00-1 1v10a1 1 0 001 1h1m8-1a1 1 0 01-1 1H9m4-1V8a1 1 0 011-1h2.586a1 1 0 01.707.293l3.414 3.414a1 1 0 01.293.707V16a1 1 0 01-1 1h-1m-6-1a1 1 0 001 1h1M5 17a2 2 0 104 0m-4 0a2 2 0 114 0m6 0a2 2 0 104 0m-4 0a2 2 0 114 0"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTruck.vue"]])},70524:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-8l-4-4m0 0L8 8m4-4v12"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUpload.vue"]])},53232:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 7a4 4 0 11-8 0 4 4 0 018 0zM12 14a7 7 0 00-7 7h14a7 7 0 00-7-7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUser.vue"]])},52536:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18 9v3m0 0v3m0-3h3m-3 0h-3m-2-5a4 4 0 11-8 0 4 4 0 018 0zM3 20a6 6 0 0112 0v1H3v-1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserAdd.vue"]])},19416:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5.121 17.804A13.937 13.937 0 0112 16c2.5 0 4.847.655 6.879 1.804M15 10a3 3 0 11-6 0 3 3 0 016 0zm6 2a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserCircle.vue"]])},46352:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 20h5v-2a3 3 0 00-5.356-1.857M17 20H7m10 0v-2c0-.656-.126-1.283-.356-1.857M7 20H2v-2a3 3 0 015.356-1.857M7 20v-2c0-.656.126-1.283.356-1.857m0 0a5.002 5.002 0 019.288 0M15 7a3 3 0 11-6 0 3 3 0 016 0zm6 3a2 2 0 11-4 0 2 2 0 014 0zM7 10a2 2 0 11-4 0 2 2 0 014 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserGroup.vue"]])},74966:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 7a4 4 0 11-8 0 4 4 0 018 0zM9 14a6 6 0 00-6 6v1h12v-1a6 6 0 00-6-6zM21 12h-6"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserRemove.vue"]])},64868:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 4.354a4 4 0 110 5.292M15 21H3v-1a6 6 0 0112 0v1zm0 0h6v-1a6 6 0 00-9-5.197M13 7a4 4 0 11-8 0 4 4 0 018 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUsers.vue"]])},59956:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4.871 4A17.926 17.926 0 003 12c0 2.874.673 5.59 1.871 8m14.13 0a17.926 17.926 0 001.87-8c0-2.874-.673-5.59-1.87-8M9 9h1.246a1 1 0 01.961.725l1.586 5.55a1 1 0 00.961.725H15m1-7h-.08a2 2 0 00-1.519.698L9.6 15.302A2 2 0 018.08 16H8"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVariable.vue"]])},8448:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 10l4.553-2.276A1 1 0 0121 8.618v6.764a1 1 0 01-1.447.894L15 14M5 18h8a2 2 0 002-2V8a2 2 0 00-2-2H5a2 2 0 00-2 2v8a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVideoCamera.vue"]])},78076:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 17V7m0 10a2 2 0 01-2 2H5a2 2 0 01-2-2V7a2 2 0 012-2h2a2 2 0 012 2m0 10a2 2 0 002 2h2a2 2 0 002-2M9 7a2 2 0 012-2h2a2 2 0 012 2m0 10V7m0 10a2 2 0 002 2h2a2 2 0 002-2V7a2 2 0 00-2-2h-2a2 2 0 00-2 2"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewBoards.vue"]])},51992:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2H6a2 2 0 01-2-2V6zM14 6a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2V6zM4 16a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2H6a2 2 0 01-2-2v-2zM14 16a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2v-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewGrid.vue"]])},3172:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 14v6m-3-3h6M6 10h2a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v2a2 2 0 002 2zm10 0h2a2 2 0 002-2V6a2 2 0 00-2-2h-2a2 2 0 00-2 2v2a2 2 0 002 2zM6 20h2a2 2 0 002-2v-2a2 2 0 00-2-2H6a2 2 0 00-2 2v2a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewGridAdd.vue"]])},69340:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 10h16M4 14h16M4 18h16"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewList.vue"]])},87712:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5.586 15H4a1 1 0 01-1-1v-4a1 1 0 011-1h1.586l4.707-4.707C10.923 3.663 12 4.109 12 5v14c0 .891-1.077 1.337-1.707.707L5.586 15z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 14l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVolumeOff.vue"]])},22847:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15.536 8.464a5 5 0 010 7.072m2.828-9.9a9 9 0 010 12.728M5.586 15H4a1 1 0 01-1-1v-4a1 1 0 011-1h1.586l4.707-4.707C10.923 3.663 12 4.109 12 5v14c0 .891-1.077 1.337-1.707.707L5.586 15z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVolumeUp.vue"]])},84408:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8.111 16.404a5.5 5.5 0 017.778 0M12 20h.01m-7.08-7.071c3.904-3.905 10.236-3.905 14.141 0M1.394 9.393c5.857-5.857 15.355-5.857 21.213 0"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineWifi.vue"]])},77480:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 18L18 6M6 6l12 12"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineX.vue"]])},68472:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 14l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2m7-2a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineXCircle.vue"]])},37460:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0zM10 7v3m0 0v3m0-3h3m-3 0H7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineZoomIn.vue"]])},61450:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0zM13 10H7"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineZoomOut.vue"]])},5164:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10.394 2.08a1 1 0 00-.788 0l-7 3a1 1 0 000 1.84L5.25 8.051a.999.999 0 01.356-.257l4-1.714a1 1 0 11.788 1.838L7.667 9.088l1.94.831a1 1 0 00.787 0l7-3a1 1 0 000-1.838l-7-3zM3.31 9.397L5 10.12v4.102a8.969 8.969 0 00-1.05-.174 1 1 0 01-.89-.89 11.115 11.115 0 01.25-3.762zM9.3 16.573A9.026 9.026 0 007 14.935v-3.957l1.818.78a3 3 0 002.364 0l5.508-2.361a11.026 11.026 0 01.25 3.762 1 1 0 01-.89.89 8.968 8.968 0 00-5.35 2.524 1 1 0 01-1.4 0zM6 18a1 1 0 001-1v-2.065a8.935 8.935 0 00-2-.712V17a1 1 0 001 1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAcademicCap.vue"]])},22960:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 4a1 1 0 00-2 0v7.268a2 2 0 000 3.464V16a1 1 0 102 0v-1.268a2 2 0 000-3.464V4zM11 4a1 1 0 10-2 0v1.268a2 2 0 000 3.464V16a1 1 0 102 0V8.732a2 2 0 000-3.464V4zM16 3a1 1 0 011 1v7.268a2 2 0 010 3.464V16a1 1 0 11-2 0v-1.268a2 2 0 010-3.464V4a1 1 0 011-1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAdjustments.vue"]])},85903:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 13V5a2 2 0 00-2-2H4a2 2 0 00-2 2v8a2 2 0 002 2h3l3 3 3-3h3a2 2 0 002-2zM5 7a1 1 0 011-1h8a1 1 0 110 2H6a1 1 0 01-1-1zm1 3a1 1 0 100 2h3a1 1 0 100-2H6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAnnotation.vue"]])},7924:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M4 3a2 2 0 100 4h12a2 2 0 100-4H4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 8h14v7a2 2 0 01-2 2H5a2 2 0 01-2-2V8zm5 3a1 1 0 011-1h2a1 1 0 110 2H9a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArchive.vue"]])},93540:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-11a1 1 0 10-2 0v3.586L7.707 9.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 10.586V7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleDown.vue"]])},25896:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm.707-10.293a1 1 0 00-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L9.414 11H13a1 1 0 100-2H9.414l1.293-1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleLeft.vue"]])},26412:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-8.707l-3-3a1 1 0 00-1.414 1.414L10.586 9H7a1 1 0 100 2h3.586l-1.293 1.293a1 1 0 101.414 1.414l3-3a1 1 0 000-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleRight.vue"]])},812:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-8.707l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 001.414 1.414L9 9.414V13a1 1 0 102 0V9.414l1.293 1.293a1 1 0 001.414-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleUp.vue"]])},16880:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.707 10.293a1 1 0 010 1.414l-6 6a1 1 0 01-1.414 0l-6-6a1 1 0 111.414-1.414L9 14.586V3a1 1 0 012 0v11.586l4.293-4.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowDown.vue"]])},91336:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.707 16.707a1 1 0 01-1.414 0l-6-6a1 1 0 010-1.414l6-6a1 1 0 011.414 1.414L5.414 9H17a1 1 0 110 2H5.414l4.293 4.293a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowLeft.vue"]])},6080:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.707 12.293a1 1 0 010 1.414l-4 4a1 1 0 01-1.414 0l-4-4a1 1 0 111.414-1.414L9 14.586V3a1 1 0 012 0v11.586l2.293-2.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowDown.vue"]])},83812:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.707 14.707a1 1 0 01-1.414 0l-4-4a1 1 0 010-1.414l4-4a1 1 0 011.414 1.414L5.414 9H17a1 1 0 110 2H5.414l2.293 2.293a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowLeft.vue"]])},22176:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.293 5.293a1 1 0 011.414 0l4 4a1 1 0 010 1.414l-4 4a1 1 0 01-1.414-1.414L14.586 11H3a1 1 0 110-2h11.586l-2.293-2.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowRight.vue"]])},16108:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.293 7.707a1 1 0 010-1.414l4-4a1 1 0 011.414 0l4 4a1 1 0 01-1.414 1.414L11 5.414V17a1 1 0 11-2 0V5.414L6.707 7.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowUp.vue"]])},69908:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.293 3.293a1 1 0 011.414 0l6 6a1 1 0 010 1.414l-6 6a1 1 0 01-1.414-1.414L14.586 11H3a1 1 0 110-2h11.586l-4.293-4.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowRight.vue"]])},66188:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.293 9.707a1 1 0 010-1.414l6-6a1 1 0 011.414 0l6 6a1 1 0 01-1.414 1.414L11 5.414V17a1 1 0 11-2 0V5.414L4.707 9.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowUp.vue"]])},80224:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 19 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4a1 1 0 011-1h4a1 1 0 010 2H6.414l2.293 2.293a1 1 0 01-1.414 1.414L5 6.414V8a1 1 0 01-2 0V4zm9 1a1 1 0 110-2h4a1 1 0 011 1v4a1 1 0 11-2 0V6.414l-2.293 2.293a1 1 0 11-1.414-1.414L13.586 5H12zm-9 7a1 1 0 112 0v1.586l2.293-2.293a1 1 0 011.414 1.414L6.414 15H8a1 1 0 110 2H4a1 1 0 01-1-1v-4zm13-1a1 1 0 011 1v4a1 1 0 01-1 1h-4a1 1 0 110-2h1.586l-2.293-2.293a1 1 0 011.414-1.414L15 13.586V12a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowsExpand.vue"]])},20572:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.243 5.757a6 6 0 10-.986 9.284 1 1 0 111.087 1.678A8 8 0 1118 10a3 3 0 01-4.8 2.401A4 4 0 1114 10a1 1 0 102 0c0-1.537-.586-3.07-1.757-4.243zM12 10a2 2 0 10-4 0 2 2 0 004 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAtSymbol.vue"]])},71872:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.707 4.879A3 3 0 018.828 4H15a3 3 0 013 3v6a3 3 0 01-3 3H8.828a3 3 0 01-2.12-.879l-4.415-4.414a1 1 0 010-1.414l4.414-4.414zm4 2.414a1 1 0 00-1.414 1.414L10.586 10l-1.293 1.293a1 1 0 101.414 1.414L12 11.414l1.293 1.293a1 1 0 001.414-1.414L13.414 10l1.293-1.293a1 1 0 00-1.414-1.414L12 8.586l-1.293-1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBackspace.vue"]])},65080:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.267 3.455a3.066 3.066 0 001.745-.723 3.066 3.066 0 013.976 0 3.066 3.066 0 001.745.723 3.066 3.066 0 012.812 2.812c.051.643.304 1.254.723 1.745a3.066 3.066 0 010 3.976 3.066 3.066 0 00-.723 1.745 3.066 3.066 0 01-2.812 2.812 3.066 3.066 0 00-1.745.723 3.066 3.066 0 01-3.976 0 3.066 3.066 0 00-1.745-.723 3.066 3.066 0 01-2.812-2.812 3.066 3.066 0 00-.723-1.745 3.066 3.066 0 010-3.976 3.066 3.066 0 00.723-1.745 3.066 3.066 0 012.812-2.812zm7.44 5.252a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBadgeCheck.vue"]])},64240:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.477 14.89A6 6 0 015.11 6.524l8.367 8.368zm1.414-1.414L6.524 5.11a6 6 0 018.367 8.367zM18 10a8 8 0 11-16 0 8 8 0 0116 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBan.vue"]])},54848:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a1 1 0 00-.707 1.707L7 4.414v3.758a1 1 0 01-.293.707l-4 4C.817 14.769 2.156 18 4.828 18h10.343c2.673 0 4.012-3.231 2.122-5.121l-4-4A1 1 0 0113 8.172V4.414l.707-.707A1 1 0 0013 2H7zm2 6.172V4h2v4.172a3 3 0 00.879 2.12l1.027 1.028a4 4 0 00-2.171.102l-.47.156a4 4 0 01-2.53 0l-.563-.187a1.993 1.993 0 00-.114-.035l1.063-1.063A3 3 0 009 8.172z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBeaker.vue"]])},95888:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10 2a6 6 0 00-6 6v3.586l-.707.707A1 1 0 004 14h12a1 1 0 00.707-1.707L16 11.586V8a6 6 0 00-6-6zM10 18a3 3 0 01-3-3h6a3 3 0 01-3 3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBell.vue"]])},86928:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9 4.804A7.968 7.968 0 005.5 4c-1.255 0-2.443.29-3.5.804v10A7.969 7.969 0 015.5 14c1.669 0 3.218.51 4.5 1.385A7.962 7.962 0 0114.5 14c1.255 0 2.443.29 3.5.804v-10A7.968 7.968 0 0014.5 4c-1.255 0-2.443.29-3.5.804V12a1 1 0 11-2 0V4.804z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBookOpen.vue"]])},97856:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 4a2 2 0 012-2h6a2 2 0 012 2v14l-5-2.5L5 18V4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBookmark.vue"]])},40952:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a2 2 0 012-2h10a2 2 0 012 2v10a2 2 0 01-2 2H5a2 2 0 01-2-2V5zm11 1H6v8l4-2 4 2V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBookmarkAlt.vue"]])},86576:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 6V5a3 3 0 013-3h2a3 3 0 013 3v1h2a2 2 0 012 2v3.57A22.952 22.952 0 0110 13a22.95 22.95 0 01-8-1.43V8a2 2 0 012-2h2zm2-1a1 1 0 011-1h2a1 1 0 011 1v1H8V5zm1 5a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M2 13.692V16a2 2 0 002 2h12a2 2 0 002-2v-2.308A24.974 24.974 0 0110 15c-2.796 0-5.487-.46-8-1.308z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBriefcase.vue"]])},21284:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 3a1 1 0 011-1h.01a1 1 0 010 2H7a1 1 0 01-1-1zm2 3a1 1 0 00-2 0v1a2 2 0 00-2 2v1a2 2 0 00-2 2v.683a3.7 3.7 0 011.055.485 1.704 1.704 0 001.89 0 3.704 3.704 0 014.11 0 1.704 1.704 0 001.89 0 3.704 3.704 0 014.11 0 1.704 1.704 0 001.89 0A3.7 3.7 0 0118 12.683V12a2 2 0 00-2-2V9a2 2 0 00-2-2V6a1 1 0 10-2 0v1h-1V6a1 1 0 10-2 0v1H8V6zm10 8.868a3.704 3.704 0 01-4.055-.036 1.704 1.704 0 00-1.89 0 3.704 3.704 0 01-4.11 0 1.704 1.704 0 00-1.89 0A3.704 3.704 0 012 14.868V17a1 1 0 001 1h14a1 1 0 001-1v-2.132zM9 3a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1zm3 0a1 1 0 011-1h.01a1 1 0 110 2H13a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCake.vue"]])},45836:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V4a2 2 0 00-2-2H6zm1 2a1 1 0 000 2h6a1 1 0 100-2H7zm6 7a1 1 0 011 1v3a1 1 0 11-2 0v-3a1 1 0 011-1zm-3 3a1 1 0 100 2h.01a1 1 0 100-2H10zm-4 1a1 1 0 011-1h.01a1 1 0 110 2H7a1 1 0 01-1-1zm1-4a1 1 0 100 2h.01a1 1 0 100-2H7zm2 1a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1zm4-4a1 1 0 100 2h.01a1 1 0 100-2H13zM9 9a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1zM7 8a1 1 0 000 2h.01a1 1 0 000-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCalculator.vue"]])},44144:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a1 1 0 00-1 1v1H4a2 2 0 00-2 2v10a2 2 0 002 2h12a2 2 0 002-2V6a2 2 0 00-2-2h-1V3a1 1 0 10-2 0v1H7V3a1 1 0 00-1-1zm0 5a1 1 0 000 2h8a1 1 0 100-2H6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCalendar.vue"]])},8270:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 00-2 2v8a2 2 0 002 2h12a2 2 0 002-2V7a2 2 0 00-2-2h-1.586a1 1 0 01-.707-.293l-1.121-1.121A2 2 0 0011.172 3H8.828a2 2 0 00-1.414.586L6.293 4.707A1 1 0 015.586 5H4zm6 9a3 3 0 100-6 3 3 0 000 6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCamera.vue"]])},30852:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 00-2 2v4a2 2 0 002 2V6h10a2 2 0 00-2-2H4zm2 6a2 2 0 012-2h8a2 2 0 012 2v4a2 2 0 01-2 2H8a2 2 0 01-2-2v-4zm6 4a2 2 0 100-4 2 2 0 000 4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCash.vue"]])},23060:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 11a1 1 0 011-1h2a1 1 0 011 1v5a1 1 0 01-1 1H3a1 1 0 01-1-1v-5zM8 7a1 1 0 011-1h2a1 1 0 011 1v9a1 1 0 01-1 1H9a1 1 0 01-1-1V7zM14 4a1 1 0 011-1h2a1 1 0 011 1v12a1 1 0 01-1 1h-2a1 1 0 01-1-1V4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChartBar.vue"]])},72500:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 10a8 8 0 018-8v8h8a8 8 0 11-16 0z"},null,-1),(0,o.createElementVNode)("path",{d:"M12 2.252A8.014 8.014 0 0117.748 8H12V2.252z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChartPie.vue"]])},5204:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 3a2 2 0 00-2 2v10a2 2 0 002 2h10a2 2 0 002-2V5a2 2 0 00-2-2H5zm9 4a1 1 0 10-2 0v6a1 1 0 102 0V7zm-3 2a1 1 0 10-2 0v4a1 1 0 102 0V9zm-3 3a1 1 0 10-2 0v1a1 1 0 102 0v-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChartSquareBar.vue"]])},71092:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10c0 3.866-3.582 7-8 7a8.841 8.841 0 01-4.083-.98L2 17l1.338-3.123C2.493 12.767 2 11.434 2 10c0-3.866 3.582-7 8-7s8 3.134 8 7zM7 9H5v2h2V9zm8 0h-2v2h2V9zM9 9h2v2H9V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChat.vue"]])},35380:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 5v8a2 2 0 01-2 2h-5l-5 4v-4H4a2 2 0 01-2-2V5a2 2 0 012-2h12a2 2 0 012 2zM7 8H5v2h2V8zm2 0h2v2H9V8zm6 0h-2v2h2V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChatAlt.vue"]])},75272:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M2 5a2 2 0 012-2h7a2 2 0 012 2v4a2 2 0 01-2 2H9l-3 3v-3H4a2 2 0 01-2-2V5z"},null,-1),(0,o.createElementVNode)("path",{d:"M15 7v2a4 4 0 01-4 4H9.828l-1.766 1.767c.28.149.599.233.938.233h2l3 3v-3h2a2 2 0 002-2V9a2 2 0 00-2-2h-1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChatAlt2.vue"]])},44444:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCheck.vue"]])},98276:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-9.293a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCheckCircle.vue"]])},58512:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.707 4.293a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0l-5-5a1 1 0 011.414-1.414L10 8.586l4.293-4.293a1 1 0 011.414 0zm0 6a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0l-5-5a1 1 0 111.414-1.414L10 14.586l4.293-4.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleDown.vue"]])},25740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.707 15.707a1 1 0 01-1.414 0l-5-5a1 1 0 010-1.414l5-5a1 1 0 111.414 1.414L11.414 10l4.293 4.293a1 1 0 010 1.414zm-6 0a1 1 0 01-1.414 0l-5-5a1 1 0 010-1.414l5-5a1 1 0 011.414 1.414L5.414 10l4.293 4.293a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleLeft.vue"]])},30612:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.293 15.707a1 1 0 010-1.414L14.586 10l-4.293-4.293a1 1 0 111.414-1.414l5 5a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.293 15.707a1 1 0 010-1.414L8.586 10 4.293 5.707a1 1 0 011.414-1.414l5 5a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleRight.vue"]])},73280:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.293 15.707a1 1 0 010-1.414l5-5a1 1 0 011.414 0l5 5a1 1 0 01-1.414 1.414L10 11.414l-4.293 4.293a1 1 0 01-1.414 0zm0-6a1 1 0 010-1.414l5-5a1 1 0 011.414 0l5 5a1 1 0 01-1.414 1.414L10 5.414 5.707 9.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleUp.vue"]])},236:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.293 7.293a1 1 0 011.414 0L10 10.586l3.293-3.293a1 1 0 111.414 1.414l-4 4a1 1 0 01-1.414 0l-4-4a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDown.vue"]])},14132:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.707 5.293a1 1 0 010 1.414L9.414 10l3.293 3.293a1 1 0 01-1.414 1.414l-4-4a1 1 0 010-1.414l4-4a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronLeft.vue"]])},22644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.293 14.707a1 1 0 010-1.414L10.586 10 7.293 6.707a1 1 0 011.414-1.414l4 4a1 1 0 010 1.414l-4 4a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronRight.vue"]])},2330:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.707 12.707a1 1 0 01-1.414 0L10 9.414l-3.293 3.293a1 1 0 01-1.414-1.414l4-4a1 1 0 011.414 0l4 4a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronUp.vue"]])},9452:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M13 7H7v6h6V7z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a1 1 0 012 0v1h2V2a1 1 0 112 0v1h2a2 2 0 012 2v2h1a1 1 0 110 2h-1v2h1a1 1 0 110 2h-1v2a2 2 0 01-2 2h-2v1a1 1 0 11-2 0v-1H9v1a1 1 0 11-2 0v-1H5a2 2 0 01-2-2v-2H2a1 1 0 110-2h1V9H2a1 1 0 010-2h1V5a2 2 0 012-2h2V2zM5 5h10v10H5V5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChip.vue"]])},88346:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8 3a1 1 0 011-1h2a1 1 0 110 2H9a1 1 0 01-1-1z"},null,-1),(0,o.createElementVNode)("path",{d:"M6 3a2 2 0 00-2 2v11a2 2 0 002 2h8a2 2 0 002-2V5a2 2 0 00-2-2 3 3 0 01-3 3H9a3 3 0 01-3-3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboard.vue"]])},68888:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9 2a1 1 0 000 2h2a1 1 0 100-2H9z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 012-2 3 3 0 003 3h2a3 3 0 003-3 2 2 0 012 2v11a2 2 0 01-2 2H6a2 2 0 01-2-2V5zm9.707 5.707a1 1 0 00-1.414-1.414L9 12.586l-1.293-1.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboardCheck.vue"]])},24620:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M8 2a1 1 0 000 2h2a1 1 0 100-2H8z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 5a2 2 0 012-2 3 3 0 003 3h2a3 3 0 003-3 2 2 0 012 2v6h-4.586l1.293-1.293a1 1 0 00-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L10.414 13H15v3a2 2 0 01-2 2H5a2 2 0 01-2-2V5zM15 11h2a1 1 0 110 2h-2v-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboardCopy.vue"]])},58020:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9 2a1 1 0 000 2h2a1 1 0 100-2H9z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 012-2 3 3 0 003 3h2a3 3 0 003-3 2 2 0 012 2v11a2 2 0 01-2 2H6a2 2 0 01-2-2V5zm3 4a1 1 0 000 2h.01a1 1 0 100-2H7zm3 0a1 1 0 000 2h3a1 1 0 100-2h-3zm-3 4a1 1 0 100 2h.01a1 1 0 100-2H7zm3 0a1 1 0 100 2h3a1 1 0 100-2h-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboardList.vue"]])},72344:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-12a1 1 0 10-2 0v4a1 1 0 00.293.707l2.828 2.829a1 1 0 101.415-1.415L11 9.586V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClock.vue"]])},64604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M5.5 16a3.5 3.5 0 01-.369-6.98 4 4 0 117.753-1.977A4.5 4.5 0 1113.5 16h-8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCloud.vue"]])},71859:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 9.5A3.5 3.5 0 005.5 13H9v2.586l-1.293-1.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 15.586V13h2.5a4.5 4.5 0 10-.616-8.958 4.002 4.002 0 10-7.753 1.977A3.5 3.5 0 002 9.5zm9 3.5H9V8a1 1 0 012 0v5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCloudDownload.vue"]])},98840:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5.5 13a3.5 3.5 0 01-.369-6.98 4 4 0 117.753-1.977A4.5 4.5 0 1113.5 13H11V9.413l1.293 1.293a1 1 0 001.414-1.414l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 001.414 1.414L9 9.414V13H5.5z"},null,-1),(0,o.createElementVNode)("path",{d:"M9 13h2v5a1 1 0 11-2 0v-5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCloudUpload.vue"]])},99368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.316 3.051a1 1 0 01.633 1.265l-4 12a1 1 0 11-1.898-.632l4-12a1 1 0 011.265-.633zM5.707 6.293a1 1 0 010 1.414L3.414 10l2.293 2.293a1 1 0 11-1.414 1.414l-3-3a1 1 0 010-1.414l3-3a1 1 0 011.414 0zm8.586 0a1 1 0 011.414 0l3 3a1 1 0 010 1.414l-3 3a1 1 0 11-1.414-1.414L16.586 10l-2.293-2.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCode.vue"]])},78300:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.49 3.17c-.38-1.56-2.6-1.56-2.98 0a1.532 1.532 0 01-2.286.948c-1.372-.836-2.942.734-2.106 2.106.54.886.061 2.042-.947 2.287-1.561.379-1.561 2.6 0 2.978a1.532 1.532 0 01.947 2.287c-.836 1.372.734 2.942 2.106 2.106a1.532 1.532 0 012.287.947c.379 1.561 2.6 1.561 2.978 0a1.533 1.533 0 012.287-.947c1.372.836 2.942-.734 2.106-2.106a1.533 1.533 0 01.947-2.287c1.561-.379 1.561-2.6 0-2.978a1.532 1.532 0 01-.947-2.287c.836-1.372-.734-2.942-2.106-2.106a1.532 1.532 0 01-2.287-.947zM10 13a3 3 0 100-6 3 3 0 000 6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCog.vue"]])},63760:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M7 3a1 1 0 000 2h6a1 1 0 100-2H7zM4 7a1 1 0 011-1h10a1 1 0 110 2H5a1 1 0 01-1-1zM2 11a2 2 0 012-2h12a2 2 0 012 2v4a2 2 0 01-2 2H4a2 2 0 01-2-2v-4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCollection.vue"]])},93404:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a2 2 0 00-2 2v11a3 3 0 106 0V4a2 2 0 00-2-2H4zm1 14a1 1 0 100-2 1 1 0 000 2zm5-1.757l4.9-4.9a2 2 0 000-2.828L13.485 5.1a2 2 0 00-2.828 0L10 5.757v8.486zM16 18H9.071l6-6H16a2 2 0 012 2v2a2 2 0 01-2 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidColorSwatch.vue"]])},59778:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M4 4a2 2 0 00-2 2v1h16V6a2 2 0 00-2-2H4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 9H2v5a2 2 0 002 2h12a2 2 0 002-2V9zM4 13a1 1 0 011-1h1a1 1 0 110 2H5a1 1 0 01-1-1zm5-1a1 1 0 100 2h1a1 1 0 100-2H9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCreditCard.vue"]])},42064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M11 17a1 1 0 001.447.894l4-2A1 1 0 0017 15V9.236a1 1 0 00-1.447-.894l-4 2a1 1 0 00-.553.894V17zM15.211 6.276a1 1 0 000-1.788l-4.764-2.382a1 1 0 00-.894 0L4.789 4.488a1 1 0 000 1.788l4.764 2.382a1 1 0 00.894 0l4.764-2.382zM4.447 8.342A1 1 0 003 9.236V15a1 1 0 00.553.894l4 2A1 1 0 009 17v-5.764a1 1 0 00-.553-.894l-4-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCube.vue"]])},22776:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.504 1.132a1 1 0 01.992 0l1.75 1a1 1 0 11-.992 1.736L10 3.152l-1.254.716a1 1 0 11-.992-1.736l1.75-1zM5.618 4.504a1 1 0 01-.372 1.364L5.016 6l.23.132a1 1 0 11-.992 1.736L4 7.723V8a1 1 0 01-2 0V6a.996.996 0 01.52-.878l1.734-.99a1 1 0 011.364.372zm8.764 0a1 1 0 011.364-.372l1.733.99A1.002 1.002 0 0118 6v2a1 1 0 11-2 0v-.277l-.254.145a1 1 0 11-.992-1.736l.23-.132-.23-.132a1 1 0 01-.372-1.364zm-7 4a1 1 0 011.364-.372L10 8.848l1.254-.716a1 1 0 11.992 1.736L11 10.58V12a1 1 0 11-2 0v-1.42l-1.246-.712a1 1 0 01-.372-1.364zM3 11a1 1 0 011 1v1.42l1.246.712a1 1 0 11-.992 1.736l-1.75-1A1 1 0 012 14v-2a1 1 0 011-1zm14 0a1 1 0 011 1v2a1 1 0 01-.504.868l-1.75 1a1 1 0 11-.992-1.736L16 13.42V12a1 1 0 011-1zm-9.618 5.504a1 1 0 011.364-.372l.254.145V16a1 1 0 112 0v.277l.254-.145a1 1 0 11.992 1.736l-1.735.992a.995.995 0 01-1.022 0l-1.735-.992a1 1 0 01-.372-1.364z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCubeTransparent.vue"]])},68020:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 4a1 1 0 000 2 1 1 0 011 1v1H7a1 1 0 000 2h1v3a3 3 0 106 0v-1a1 1 0 10-2 0v1a1 1 0 11-2 0v-3h3a1 1 0 100-2h-3V7a3 3 0 00-3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyBangladeshi.vue"]])},81368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8.433 7.418c.155-.103.346-.196.567-.267v1.698a2.305 2.305 0 01-.567-.267C8.07 8.34 8 8.114 8 8c0-.114.07-.34.433-.582zM11 12.849v-1.698c.22.071.412.164.567.267.364.243.433.468.433.582 0 .114-.07.34-.433.582a2.305 2.305 0 01-.567.267z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-13a1 1 0 10-2 0v.092a4.535 4.535 0 00-1.676.662C6.602 6.234 6 7.009 6 8c0 .99.602 1.765 1.324 2.246.48.32 1.054.545 1.676.662v1.941c-.391-.127-.68-.317-.843-.504a1 1 0 10-1.51 1.31c.562.649 1.413 1.076 2.353 1.253V15a1 1 0 102 0v-.092a4.535 4.535 0 001.676-.662C13.398 13.766 14 12.991 14 12c0-.99-.602-1.765-1.324-2.246A4.535 4.535 0 0011 9.092V7.151c.391.127.68.317.843.504a1 1 0 101.511-1.31c-.563-.649-1.413-1.076-2.354-1.253V5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyDollar.vue"]])},32600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM8.736 6.979C9.208 6.193 9.696 6 10 6c.304 0 .792.193 1.264.979a1 1 0 001.715-1.029C12.279 4.784 11.232 4 10 4s-2.279.784-2.979 1.95c-.285.475-.507 1-.67 1.55H6a1 1 0 000 2h.013a9.358 9.358 0 000 1H6a1 1 0 100 2h.351c.163.55.385 1.075.67 1.55C7.721 15.216 8.768 16 10 16s2.279-.784 2.979-1.95a1 1 0 10-1.715-1.029c-.472.786-.96.979-1.264.979-.304 0-.792-.193-1.264-.979a4.265 4.265 0 01-.264-.521H10a1 1 0 100-2H8.017a7.36 7.36 0 010-1H10a1 1 0 100-2H8.472c.08-.185.167-.36.264-.521z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyEuro.vue"]])},60952:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-14a3 3 0 00-3 3v2H7a1 1 0 000 2h1v1a1 1 0 01-1 1 1 1 0 100 2h6a1 1 0 100-2H9.83c.11-.313.17-.65.17-1v-1h1a1 1 0 100-2h-1V7a1 1 0 112 0 1 1 0 102 0 3 3 0 00-3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyPound.vue"]])},64646:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 5a1 1 0 100 2h1a2 2 0 011.732 1H7a1 1 0 100 2h2.732A2 2 0 018 11H7a1 1 0 00-.707 1.707l3 3a1 1 0 001.414-1.414l-1.483-1.484A4.008 4.008 0 0011.874 10H13a1 1 0 100-2h-1.126a3.976 3.976 0 00-.41-1H13a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyRupee.vue"]])},82314:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7.858 5.485a1 1 0 00-1.715 1.03L7.633 9H7a1 1 0 100 2h1.834l.166.277V12H7a1 1 0 100 2h2v1a1 1 0 102 0v-1h2a1 1 0 100-2h-2v-.723l.166-.277H13a1 1 0 100-2h-.634l1.492-2.486a1 1 0 10-1.716-1.029L10.034 9h-.068L7.858 5.485z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyYen.vue"]])},85200:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.672 1.911a1 1 0 10-1.932.518l.259.966a1 1 0 001.932-.518l-.26-.966zM2.429 4.74a1 1 0 10-.517 1.932l.966.259a1 1 0 00.517-1.932l-.966-.26zm8.814-.569a1 1 0 00-1.415-1.414l-.707.707a1 1 0 101.415 1.415l.707-.708zm-7.071 7.072l.707-.707A1 1 0 003.465 9.12l-.708.707a1 1 0 001.415 1.415zm3.2-5.171a1 1 0 00-1.3 1.3l4 10a1 1 0 001.823.075l1.38-2.759 3.018 3.02a1 1 0 001.414-1.415l-3.019-3.02 2.76-1.379a1 1 0 00-.076-1.822l-10-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCursorClick.vue"]])},38924:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M3 12v3c0 1.657 3.134 3 7 3s7-1.343 7-3v-3c0 1.657-3.134 3-7 3s-7-1.343-7-3z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 7v3c0 1.657 3.134 3 7 3s7-1.343 7-3V7c0 1.657-3.134 3-7 3S3 8.657 3 7z"},null,-1),(0,o.createElementVNode)("path",{d:"M17 5c0 1.657-3.134 3-7 3S3 6.657 3 5s3.134-3 7-3 7 1.343 7 3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDatabase.vue"]])},46360:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a2 2 0 012-2h10a2 2 0 012 2v8a2 2 0 01-2 2h-2.22l.123.489.804.804A1 1 0 0113 18H7a1 1 0 01-.707-1.707l.804-.804L7.22 15H5a2 2 0 01-2-2V5zm5.771 7H5V5h10v7H8.771z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDesktopComputer.vue"]])},23604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a2 2 0 00-2 2v12a2 2 0 002 2h6a2 2 0 002-2V4a2 2 0 00-2-2H7zm3 14a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDeviceMobile.vue"]])},26208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V4a2 2 0 00-2-2H6zm4 14a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDeviceTablet.vue"]])},53256:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 012-2h4.586A2 2 0 0112 2.586L15.414 6A2 2 0 0116 7.414V16a2 2 0 01-2 2H6a2 2 0 01-2-2V4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocument.vue"]])},90532:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm5 6a1 1 0 10-2 0v2H7a1 1 0 100 2h2v2a1 1 0 102 0v-2h2a1 1 0 100-2h-2V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentAdd.vue"]])},87992:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm5 6a1 1 0 10-2 0v3.586l-1.293-1.293a1 1 0 10-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 11.586V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentDownload.vue"]])},45608:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9 2a2 2 0 00-2 2v8a2 2 0 002 2h6a2 2 0 002-2V6.414A2 2 0 0016.414 5L14 2.586A2 2 0 0012.586 2H9z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 8a2 2 0 012-2v10h8a2 2 0 01-2 2H5a2 2 0 01-2-2V8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentDuplicate.vue"]])},25208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm1 8a1 1 0 100 2h6a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentRemove.vue"]])},88444:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm2 10a1 1 0 10-2 0v3a1 1 0 102 0v-3zm2-3a1 1 0 011 1v5a1 1 0 11-2 0v-5a1 1 0 011-1zm4-1a1 1 0 10-2 0v7a1 1 0 102 0V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentReport.vue"]])},86632:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M4 4a2 2 0 012-2h4.586A2 2 0 0112 2.586L15.414 6A2 2 0 0116 7.414V16a2 2 0 01-2 2h-1.528A6 6 0 004 9.528V4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 10a4 4 0 00-3.446 6.032l-1.261 1.26a1 1 0 101.414 1.415l1.261-1.261A4 4 0 108 10zm-2 4a2 2 0 114 0 2 2 0 01-4 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentSearch.vue"]])},71316:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 012-2h4.586A2 2 0 0112 2.586L15.414 6A2 2 0 0116 7.414V16a2 2 0 01-2 2H6a2 2 0 01-2-2V4zm2 6a1 1 0 011-1h6a1 1 0 110 2H7a1 1 0 01-1-1zm1 3a1 1 0 100 2h6a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentText.vue"]])},45408:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9H5v2h2V9zm8 0h-2v2h2V9zM9 9h2v2H9V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDotsCircleHorizontal.vue"]])},35576:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M6 10a2 2 0 11-4 0 2 2 0 014 0zM12 10a2 2 0 11-4 0 2 2 0 014 0zM16 12a2 2 0 100-4 2 2 0 000 4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDotsHorizontal.vue"]])},54632:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10 6a2 2 0 110-4 2 2 0 010 4zM10 12a2 2 0 110-4 2 2 0 010 4zM10 18a2 2 0 110-4 2 2 0 010 4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDotsVertical.vue"]])},17749:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 17a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm3.293-7.707a1 1 0 011.414 0L9 10.586V3a1 1 0 112 0v7.586l1.293-1.293a1 1 0 111.414 1.414l-3 3a1 1 0 01-1.414 0l-3-3a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDownload.vue"]])},15460:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M7 9a2 2 0 012-2h6a2 2 0 012 2v6a2 2 0 01-2 2H9a2 2 0 01-2-2V9z"},null,-1),(0,o.createElementVNode)("path",{d:"M5 3a2 2 0 00-2 2v6a2 2 0 002 2V5h8a2 2 0 00-2-2H5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDuplicate.vue"]])},89096:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9a1 1 0 100-2 1 1 0 000 2zm7-1a1 1 0 11-2 0 1 1 0 012 0zm-.464 5.535a1 1 0 10-1.415-1.414 3 3 0 01-4.242 0 1 1 0 00-1.415 1.414 5 5 0 007.072 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEmojiHappy.vue"]])},48440:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9a1 1 0 100-2 1 1 0 000 2zm7-1a1 1 0 11-2 0 1 1 0 012 0zm-7.536 5.879a1 1 0 001.415 0 3 3 0 014.242 0 1 1 0 001.415-1.415 5 5 0 00-7.072 0 1 1 0 000 1.415z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEmojiSad.vue"]])},56252:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.257 3.099c.765-1.36 2.722-1.36 3.486 0l5.58 9.92c.75 1.334-.213 2.98-1.742 2.98H4.42c-1.53 0-2.493-1.646-1.743-2.98l5.58-9.92zM11 13a1 1 0 11-2 0 1 1 0 012 0zm-1-8a1 1 0 00-1 1v3a1 1 0 002 0V6a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidExclamation.vue"]])},90552:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-7 4a1 1 0 11-2 0 1 1 0 012 0zm-1-9a1 1 0 00-1 1v4a1 1 0 102 0V6a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidExclamationCircle.vue"]])},9694:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M11 3a1 1 0 100 2h2.586l-6.293 6.293a1 1 0 101.414 1.414L15 6.414V9a1 1 0 102 0V4a1 1 0 00-1-1h-5z"},null,-1),(0,o.createElementVNode)("path",{d:"M5 5a2 2 0 00-2 2v8a2 2 0 002 2h8a2 2 0 002-2v-3a1 1 0 10-2 0v3H5V7h3a1 1 0 000-2H5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidExternalLink.vue"]])},76104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10 12a2 2 0 100-4 2 2 0 000 4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.458 10C1.732 5.943 5.522 3 10 3s8.268 2.943 9.542 7c-1.274 4.057-5.064 7-9.542 7S1.732 14.057.458 10zM14 10a4 4 0 11-8 0 4 4 0 018 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEye.vue"]])},46084:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.707 2.293a1 1 0 00-1.414 1.414l14 14a1 1 0 001.414-1.414l-1.473-1.473A10.014 10.014 0 0019.542 10C18.268 5.943 14.478 3 10 3a9.958 9.958 0 00-4.512 1.074l-1.78-1.781zm4.261 4.26l1.514 1.515a2.003 2.003 0 012.45 2.45l1.514 1.514a4 4 0 00-5.478-5.478z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M12.454 16.697L9.75 13.992a4 4 0 01-3.742-3.741L2.335 6.578A9.98 9.98 0 00.458 10c1.274 4.057 5.065 7 9.542 7 .847 0 1.669-.105 2.454-.303z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEyeOff.vue"]])},53036:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M4.555 5.168A1 1 0 003 6v8a1 1 0 001.555.832L10 11.202V14a1 1 0 001.555.832l6-4a1 1 0 000-1.664l-6-4A1 1 0 0010 6v2.798l-5.445-3.63z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFastForward.vue"]])},8208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 3a2 2 0 00-2 2v10a2 2 0 002 2h12a2 2 0 002-2V5a2 2 0 00-2-2H4zm3 2h6v4H7V5zm8 8v2h1v-2h-1zm-2-2H7v4h6v-4zm2 0h1V9h-1v2zm1-4V5h-1v2h1zM5 5v2H4V5h1zm0 4H4v2h1V9zm-1 4h1v2H4v-2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFilm.vue"]])},43800:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 011-1h12a1 1 0 011 1v3a1 1 0 01-.293.707L12 11.414V15a1 1 0 01-.293.707l-2 2A1 1 0 018 17v-5.586L3.293 6.707A1 1 0 013 6V3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFilter.vue"]])},31032:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.625 2.655A9 9 0 0119 11a1 1 0 11-2 0 7 7 0 00-9.625-6.492 1 1 0 11-.75-1.853zM4.662 4.959A1 1 0 014.75 6.37 6.97 6.97 0 003 11a1 1 0 11-2 0 8.97 8.97 0 012.25-5.953 1 1 0 011.412-.088z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 11a5 5 0 1110 0 1 1 0 11-2 0 3 3 0 10-6 0c0 1.677-.345 3.276-.968 4.729a1 1 0 11-1.838-.789A9.964 9.964 0 005 11zm8.921 2.012a1 1 0 01.831 1.145 19.86 19.86 0 01-.545 2.436 1 1 0 11-1.92-.558c.207-.713.371-1.445.49-2.192a1 1 0 011.144-.83z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 10a1 1 0 011 1c0 2.236-.46 4.368-1.29 6.304a1 1 0 01-1.838-.789A13.952 13.952 0 009 11a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFingerPrint.vue"]])},5680:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.395 2.553a1 1 0 00-1.45-.385c-.345.23-.614.558-.822.88-.214.33-.403.713-.57 1.116-.334.804-.614 1.768-.84 2.734a31.365 31.365 0 00-.613 3.58 2.64 2.64 0 01-.945-1.067c-.328-.68-.398-1.534-.398-2.654A1 1 0 005.05 6.05 6.981 6.981 0 003 11a7 7 0 1011.95-4.95c-.592-.591-.98-.985-1.348-1.467-.363-.476-.724-1.063-1.207-2.03zM12.12 15.12A3 3 0 017 13s.879.5 2.5.5c0-1 .5-4 1.25-4.5.5 1 .786 1.293 1.371 1.879A2.99 2.99 0 0113 13a2.99 2.99 0 01-.879 2.121z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFire.vue"]])},29768:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 013-3h10a1 1 0 01.8 1.6L14.25 8l2.55 3.4A1 1 0 0116 13H6a1 1 0 00-1 1v3a1 1 0 11-2 0V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFlag.vue"]])},18828:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolder.vue"]])},66036:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1),(0,o.createElementVNode)("path",{stroke:"#fff","stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 11h4m-2-2v4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderAdd.vue"]])},19608:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1),(0,o.createElementVNode)("path",{stroke:"#fff","stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 9v4m0 0l-2-2m2 2l2-2"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderDownload.vue"]])},65996:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 6a2 2 0 012-2h4l2 2h4a2 2 0 012 2v1H8a3 3 0 00-3 3v1.5a1.5 1.5 0 01-3 0V6z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M6 12a2 2 0 012-2h8a2 2 0 012 2v2a2 2 0 01-2 2H2h2a2 2 0 002-2v-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderOpen.vue"]])},24352:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1),(0,o.createElementVNode)("path",{stroke:"#fff","stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 11h4"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderRemove.vue"]])},50812:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 5a3 3 0 015-2.236A3 3 0 0114.83 6H16a2 2 0 110 4h-5V9a1 1 0 10-2 0v1H4a2 2 0 110-4h1.17C5.06 5.687 5 5.35 5 5zm4 1V5a1 1 0 10-1 1h1zm3 0a1 1 0 10-1-1v1h1z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M9 11H3v5a2 2 0 002 2h4v-7zM11 18h4a2 2 0 002-2v-5h-6v7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidGift.vue"]])},15152:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM4.332 8.027a6.012 6.012 0 011.912-2.706C6.512 5.73 6.974 6 7.5 6A1.5 1.5 0 019 7.5V8a2 2 0 004 0 2 2 0 011.523-1.943A5.977 5.977 0 0116 10c0 .34-.028.675-.083 1H15a2 2 0 00-2 2v2.197A5.973 5.973 0 0110 16v-2a2 2 0 00-2-2 2 2 0 01-2-2 2 2 0 00-1.668-1.973z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidGlobe.vue"]])},31388:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.083 9h1.946c.089-1.546.383-2.97.837-4.118A6.004 6.004 0 004.083 9zM10 2a8 8 0 100 16 8 8 0 000-16zm0 2c-.076 0-.232.032-.465.262-.238.234-.497.623-.737 1.182-.389.907-.673 2.142-.766 3.556h3.936c-.093-1.414-.377-2.649-.766-3.556-.24-.56-.5-.948-.737-1.182C10.232 4.032 10.076 4 10 4zm3.971 5c-.089-1.546-.383-2.97-.837-4.118A6.004 6.004 0 0115.917 9h-1.946zm-2.003 2H8.032c.093 1.414.377 2.649.766 3.556.24.56.5.948.737 1.182.233.23.389.262.465.262.076 0 .232-.032.465-.262.238-.234.498-.623.737-1.182.389-.907.673-2.142.766-3.556zm1.166 4.118c.454-1.147.748-2.572.837-4.118h1.946a6.004 6.004 0 01-2.783 4.118zm-6.268 0C6.412 13.97 6.118 12.546 6.03 11H4.083a6.004 6.004 0 002.783 4.118z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidGlobeAlt.vue"]])},89896:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 3a1 1 0 012 0v5.5a.5.5 0 001 0V4a1 1 0 112 0v4.5a.5.5 0 001 0V6a1 1 0 112 0v5a7 7 0 11-14 0V9a1 1 0 012 0v2.5a.5.5 0 001 0V4a1 1 0 012 0v4.5a.5.5 0 001 0V3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHand.vue"]])},37496:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.243 3.03a1 1 0 01.727 1.213L9.53 6h2.94l.56-2.243a1 1 0 111.94.486L14.53 6H17a1 1 0 110 2h-2.97l-1 4H15a1 1 0 110 2h-2.47l-.56 2.242a1 1 0 11-1.94-.485L10.47 14H7.53l-.56 2.242a1 1 0 11-1.94-.485L5.47 14H3a1 1 0 110-2h2.97l1-4H5a1 1 0 110-2h2.47l.56-2.243a1 1 0 011.213-.727zM9.03 8l-1 4h2.938l1-4H9.031z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHashtag.vue"]])},84108:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.172 5.172a4 4 0 015.656 0L10 6.343l1.172-1.171a4 4 0 115.656 5.656L10 17.657l-6.828-6.829a4 4 0 010-5.656z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHeart.vue"]])},47208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10.707 2.293a1 1 0 00-1.414 0l-7 7a1 1 0 001.414 1.414L4 10.414V17a1 1 0 001 1h2a1 1 0 001-1v-2a1 1 0 011-1h2a1 1 0 011 1v2a1 1 0 001 1h2a1 1 0 001-1v-6.586l.293.293a1 1 0 001.414-1.414l-7-7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHome.vue"]])},16168:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1 1 0 00-1 1v1a1 1 0 002 0V3a1 1 0 00-1-1zM4 4h3a3 3 0 006 0h3a2 2 0 012 2v9a2 2 0 01-2 2H4a2 2 0 01-2-2V6a2 2 0 012-2zm2.5 7a1.5 1.5 0 100-3 1.5 1.5 0 000 3zm2.45 4a2.5 2.5 0 10-4.9 0h4.9zM12 9a1 1 0 100 2h3a1 1 0 100-2h-3zm-1 4a1 1 0 011-1h2a1 1 0 110 2h-2a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidIdentification.vue"]])},91288:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 3a2 2 0 00-2 2v10a2 2 0 002 2h10a2 2 0 002-2V5a2 2 0 00-2-2H5zm0 2h10v7h-2l-1 2H8l-1-2H5V5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidInbox.vue"]])},93064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M8.707 7.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l2-2a1 1 0 00-1.414-1.414L11 7.586V3a1 1 0 10-2 0v4.586l-.293-.293z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 5a2 2 0 012-2h1a1 1 0 010 2H5v7h2l1 2h4l1-2h2V5h-1a1 1 0 110-2h1a2 2 0 012 2v10a2 2 0 01-2 2H5a2 2 0 01-2-2V5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidInboxIn.vue"]])},79692:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-7-4a1 1 0 11-2 0 1 1 0 012 0zM9 9a1 1 0 000 2v3a1 1 0 001 1h1a1 1 0 100-2v-3a1 1 0 00-1-1H9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidInformationCircle.vue"]])},33060:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 8a6 6 0 01-7.743 5.743L10 14l-1 1-1 1H6v2H2v-4l4.257-4.257A6 6 0 1118 8zm-6-4a1 1 0 100 2 2 2 0 012 2 1 1 0 102 0 4 4 0 00-4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidKey.vue"]])},85384:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.496 2.132a1 1 0 00-.992 0l-7 4A1 1 0 003 8v7a1 1 0 100 2h14a1 1 0 100-2V8a1 1 0 00.496-1.868l-7-4zM6 9a1 1 0 00-1 1v3a1 1 0 102 0v-3a1 1 0 00-1-1zm3 1a1 1 0 012 0v3a1 1 0 11-2 0v-3zm5-1a1 1 0 00-1 1v3a1 1 0 102 0v-3a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLibrary.vue"]])},27248:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M11 3a1 1 0 10-2 0v1a1 1 0 102 0V3zM15.657 5.757a1 1 0 00-1.414-1.414l-.707.707a1 1 0 001.414 1.414l.707-.707zM18 10a1 1 0 01-1 1h-1a1 1 0 110-2h1a1 1 0 011 1zM5.05 6.464A1 1 0 106.464 5.05l-.707-.707a1 1 0 00-1.414 1.414l.707.707zM5 10a1 1 0 01-1 1H3a1 1 0 110-2h1a1 1 0 011 1zM8 16v-1h4v1a2 2 0 11-4 0zM12 14c.015-.34.208-.646.477-.859a4 4 0 10-4.954 0c.27.213.462.519.476.859h4.002z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLightBulb.vue"]])},44556:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.3 1.046A1 1 0 0112 2v5h4a1 1 0 01.82 1.573l-7 10A1 1 0 018 18v-5H4a1 1 0 01-.82-1.573l7-10a1 1 0 011.12-.38z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLightningBolt.vue"]])},37664:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.586 4.586a2 2 0 112.828 2.828l-3 3a2 2 0 01-2.828 0 1 1 0 00-1.414 1.414 4 4 0 005.656 0l3-3a4 4 0 00-5.656-5.656l-1.5 1.5a1 1 0 101.414 1.414l1.5-1.5zm-5 5a2 2 0 012.828 0 1 1 0 101.414-1.414 4 4 0 00-5.656 0l-3 3a4 4 0 105.656 5.656l1.5-1.5a1 1 0 10-1.414-1.414l-1.5 1.5a2 2 0 11-2.828-2.828l3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLink.vue"]])},64412:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.05 4.05a7 7 0 119.9 9.9L10 18.9l-4.95-4.95a7 7 0 010-9.9zM10 11a2 2 0 100-4 2 2 0 000 4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLocationMarker.vue"]])},72544:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 9V7a5 5 0 0110 0v2a2 2 0 012 2v5a2 2 0 01-2 2H5a2 2 0 01-2-2v-5a2 2 0 012-2zm8-2v2H7V7a3 3 0 016 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLockClosed.vue"]])},75268:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10 2a5 5 0 00-5 5v2a2 2 0 00-2 2v5a2 2 0 002 2h10a2 2 0 002-2v-5a2 2 0 00-2-2H7V7a3 3 0 015.905-.75 1 1 0 001.937-.5A5.002 5.002 0 0010 2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLockOpen.vue"]])},33927:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 011 1v12a1 1 0 11-2 0V4a1 1 0 011-1zm7.707 3.293a1 1 0 010 1.414L9.414 9H17a1 1 0 110 2H9.414l1.293 1.293a1 1 0 01-1.414 1.414l-3-3a1 1 0 010-1.414l3-3a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLogin.vue"]])},7620:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 00-1 1v12a1 1 0 102 0V4a1 1 0 00-1-1zm10.293 9.293a1 1 0 001.414 1.414l3-3a1 1 0 000-1.414l-3-3a1 1 0 10-1.414 1.414L14.586 9H7a1 1 0 100 2h7.586l-1.293 1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLogout.vue"]])},26828:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2.003 5.884L10 9.882l7.997-3.998A2 2 0 0016 4H4a2 2 0 00-1.997 1.884z"},null,-1),(0,o.createElementVNode)("path",{d:"M18 8.118l-8 4-8-4V14a2 2 0 002 2h12a2 2 0 002-2V8.118z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMail.vue"]])},69384:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.94 6.412A2 2 0 002 8.108V16a2 2 0 002 2h12a2 2 0 002-2V8.108a2 2 0 00-.94-1.696l-6-3.75a2 2 0 00-2.12 0l-6 3.75zm2.615 2.423a1 1 0 10-1.11 1.664l5 3.333a1 1 0 001.11 0l5-3.333a1 1 0 00-1.11-1.664L10 11.798 5.555 8.835z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMailOpen.vue"]])},83598:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.586l-4 4v12.828l4-4V1.586zM3.707 3.293A1 1 0 002 4v10a1 1 0 00.293.707L6 18.414V5.586L3.707 3.293zM17.707 5.293L14 1.586v12.828l2.293 2.293A1 1 0 0018 16V6a1 1 0 00-.293-.707z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMap.vue"]])},32828:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 15a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenu.vue"]])},45580:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h6a1 1 0 110 2H4a1 1 0 01-1-1zM3 15a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt1.vue"]])},93208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 15a1 1 0 011-1h6a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt2.vue"]])},30140:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM9 15a1 1 0 011-1h6a1 1 0 110 2h-6a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt3.vue"]])},35248:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 7a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 13a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt4.vue"]])},50520:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 4a3 3 0 016 0v4a3 3 0 11-6 0V4zm4 10.93A7.001 7.001 0 0017 8a1 1 0 10-2 0A5 5 0 015 8a1 1 0 00-2 0 7.001 7.001 0 006 6.93V17H6a1 1 0 100 2h8a1 1 0 100-2h-3v-2.07z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMicrophone.vue"]])},4028:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 10a1 1 0 011-1h8a1 1 0 110 2H6a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMinus.vue"]])},1188:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9a1 1 0 000 2h6a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMinusCircle.vue"]])},54820:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M17.293 13.293A8 8 0 016.707 2.707a8.001 8.001 0 1010.586 10.586z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMoon.vue"]])},47356:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M18 3a1 1 0 00-1.196-.98l-10 2A1 1 0 006 5v9.114A4.369 4.369 0 005 14c-1.657 0-3 .895-3 2s1.343 2 3 2 3-.895 3-2V7.82l8-1.6v5.894A4.37 4.37 0 0015 12c-1.657 0-3 .895-3 2s1.343 2 3 2 3-.895 3-2V3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMusicNote.vue"]])},92195:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 5a2 2 0 012-2h8a2 2 0 012 2v10a2 2 0 002 2H4a2 2 0 01-2-2V5zm3 1h6v4H5V6zm6 6H5v2h6v-2z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M15 7h1a2 2 0 012 2v5.5a1.5 1.5 0 01-3 0V7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidNewspaper.vue"]])},34460:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 012-2h8a2 2 0 012 2v12a1 1 0 110 2h-3a1 1 0 01-1-1v-2a1 1 0 00-1-1H9a1 1 0 00-1 1v2a1 1 0 01-1 1H4a1 1 0 110-2V4zm3 1h2v2H7V5zm2 4H7v2h2V9zm2-4h2v2h-2V5zm2 4h-2v2h2V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidOfficeBuilding.vue"]])},27936:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10.894 2.553a1 1 0 00-1.788 0l-7 14a1 1 0 001.169 1.409l5-1.429A1 1 0 009 15.571V11a1 1 0 112 0v4.571a1 1 0 00.725.962l5 1.428a1 1 0 001.17-1.408l-7-14z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPaperAirplane.vue"]])},63412:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 4a3 3 0 00-3 3v4a5 5 0 0010 0V7a1 1 0 112 0v4a7 7 0 11-14 0V7a5 5 0 0110 0v4a3 3 0 11-6 0V7a1 1 0 012 0v4a1 1 0 102 0V7a3 3 0 00-3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPaperClip.vue"]])},89840:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zM7 8a1 1 0 012 0v4a1 1 0 11-2 0V8zm5-1a1 1 0 00-1 1v4a1 1 0 102 0V8a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPause.vue"]])},78253:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M13.586 3.586a2 2 0 112.828 2.828l-.793.793-2.828-2.828.793-.793zM11.379 5.793L3 14.172V17h2.828l8.38-8.379-2.83-2.828z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPencil.vue"]])},84496:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M17.414 2.586a2 2 0 00-2.828 0L7 10.172V13h2.828l7.586-7.586a2 2 0 000-2.828z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 6a2 2 0 012-2h4a1 1 0 010 2H4v10h10v-4a1 1 0 112 0v4a2 2 0 01-2 2H4a2 2 0 01-2-2V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPencilAlt.vue"]])},91964:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhone.vue"]])},35264:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M14.414 7l3.293-3.293a1 1 0 00-1.414-1.414L13 5.586V4a1 1 0 10-2 0v4.003a.996.996 0 00.617.921A.997.997 0 0012 9h4a1 1 0 100-2h-1.586z"},null,-1),(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhoneIncoming.vue"]])},25536:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1),(0,o.createElementVNode)("path",{d:"M16.707 3.293a1 1 0 010 1.414L15.414 6l1.293 1.293a1 1 0 01-1.414 1.414L14 7.414l-1.293 1.293a1 1 0 11-1.414-1.414L12.586 6l-1.293-1.293a1 1 0 011.414-1.414L14 4.586l1.293-1.293a1 1 0 011.414 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhoneMissedCall.vue"]])},95424:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M17.924 2.617a.997.997 0 00-.215-.322l-.004-.004A.997.997 0 0017 2h-4a1 1 0 100 2h1.586l-3.293 3.293a1 1 0 001.414 1.414L16 5.414V7a1 1 0 102 0V3a.997.997 0 00-.076-.383z"},null,-1),(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhoneOutgoing.vue"]])},33252:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 3a2 2 0 00-2 2v10a2 2 0 002 2h12a2 2 0 002-2V5a2 2 0 00-2-2H4zm12 12H4l4-8 3 6 2-4 3 6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhotograph.vue"]])},71052:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM9.555 7.168A1 1 0 008 8v4a1 1 0 001.555.832l3-2a1 1 0 000-1.664l-3-2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPlay.vue"]])},72196:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 5a1 1 0 011 1v3h3a1 1 0 110 2h-3v3a1 1 0 11-2 0v-3H6a1 1 0 110-2h3V6a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPlus.vue"]])},41144:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-11a1 1 0 10-2 0v2H7a1 1 0 100 2h2v2a1 1 0 102 0v-2h2a1 1 0 100-2h-2V7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPlusCircle.vue"]])},40068:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 000 2v8a2 2 0 002 2h2.586l-1.293 1.293a1 1 0 101.414 1.414L10 15.414l2.293 2.293a1 1 0 001.414-1.414L12.414 15H15a2 2 0 002-2V5a1 1 0 100-2H3zm11 4a1 1 0 10-2 0v4a1 1 0 102 0V7zm-3 1a1 1 0 10-2 0v3a1 1 0 102 0V8zM8 9a1 1 0 00-2 0v2a1 1 0 102 0V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPresentationChartBar.vue"]])},59112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 000 2v8a2 2 0 002 2h2.586l-1.293 1.293a1 1 0 101.414 1.414L10 15.414l2.293 2.293a1 1 0 001.414-1.414L12.414 15H15a2 2 0 002-2V5a1 1 0 100-2H3zm11.707 4.707a1 1 0 00-1.414-1.414L10 9.586 8.707 8.293a1 1 0 00-1.414 0l-2 2a1 1 0 101.414 1.414L8 10.414l1.293 1.293a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPresentationChartLine.vue"]])},38112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4v3H4a2 2 0 00-2 2v3a2 2 0 002 2h1v2a2 2 0 002 2h6a2 2 0 002-2v-2h1a2 2 0 002-2V9a2 2 0 00-2-2h-1V4a2 2 0 00-2-2H7a2 2 0 00-2 2zm8 0H7v3h6V4zm0 8H7v4h6v-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPrinter.vue"]])},83332:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10 3.5a1.5 1.5 0 013 0V4a1 1 0 001 1h3a1 1 0 011 1v3a1 1 0 01-1 1h-.5a1.5 1.5 0 000 3h.5a1 1 0 011 1v3a1 1 0 01-1 1h-3a1 1 0 01-1-1v-.5a1.5 1.5 0 00-3 0v.5a1 1 0 01-1 1H6a1 1 0 01-1-1v-3a1 1 0 00-1-1h-.5a1.5 1.5 0 010-3H4a1 1 0 001-1V6a1 1 0 011-1h3a1 1 0 001-1v-.5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPuzzle.vue"]])},49748:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4a1 1 0 011-1h3a1 1 0 011 1v3a1 1 0 01-1 1H4a1 1 0 01-1-1V4zm2 2V5h1v1H5zM3 13a1 1 0 011-1h3a1 1 0 011 1v3a1 1 0 01-1 1H4a1 1 0 01-1-1v-3zm2 2v-1h1v1H5zM13 3a1 1 0 00-1 1v3a1 1 0 001 1h3a1 1 0 001-1V4a1 1 0 00-1-1h-3zm1 2v1h1V5h-1z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M11 4a1 1 0 10-2 0v1a1 1 0 002 0V4zM10 7a1 1 0 011 1v1h2a1 1 0 110 2h-3a1 1 0 01-1-1V8a1 1 0 011-1zM16 9a1 1 0 100 2 1 1 0 000-2zM9 13a1 1 0 011-1h1a1 1 0 110 2v2a1 1 0 11-2 0v-3zM7 11a1 1 0 100-2H4a1 1 0 100 2h3zM17 13a1 1 0 01-1 1h-2a1 1 0 110-2h2a1 1 0 011 1zM16 17a1 1 0 100-2h-3a1 1 0 100 2h3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidQrcode.vue"]])},89160:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-8-3a1 1 0 00-.867.5 1 1 0 11-1.731-1A3 3 0 0113 8a3.001 3.001 0 01-2 2.83V11a1 1 0 11-2 0v-1a1 1 0 011-1 1 1 0 100-2zm0 8a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidQuestionMarkCircle.vue"]])},86280:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2a2 2 0 00-2 2v14l3.5-2 3.5 2 3.5-2 3.5 2V4a2 2 0 00-2-2H5zm4.707 3.707a1 1 0 00-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L8.414 9H10a3 3 0 013 3v1a1 1 0 102 0v-1a5 5 0 00-5-5H8.414l1.293-1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidReceiptRefund.vue"]])},24192:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2a2 2 0 00-2 2v14l3.5-2 3.5 2 3.5-2 3.5 2V4a2 2 0 00-2-2H5zm2.5 3a1.5 1.5 0 100 3 1.5 1.5 0 000-3zm6.207.293a1 1 0 00-1.414 0l-6 6a1 1 0 101.414 1.414l6-6a1 1 0 000-1.414zM12.5 10a1.5 1.5 0 100 3 1.5 1.5 0 000-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidReceiptTax.vue"]])},90720:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1 1 0 011 1v2.101a7.002 7.002 0 0111.601 2.566 1 1 0 11-1.885.666A5.002 5.002 0 005.999 7H9a1 1 0 010 2H4a1 1 0 01-1-1V3a1 1 0 011-1zm.008 9.057a1 1 0 011.276.61A5.002 5.002 0 0014.001 13H11a1 1 0 110-2h5a1 1 0 011 1v5a1 1 0 11-2 0v-2.101a7.002 7.002 0 01-11.601-2.566 1 1 0 01.61-1.276z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidRefresh.vue"]])},88376:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.707 3.293a1 1 0 010 1.414L5.414 7H11a7 7 0 017 7v2a1 1 0 11-2 0v-2a5 5 0 00-5-5H5.414l2.293 2.293a1 1 0 11-1.414 1.414l-4-4a1 1 0 010-1.414l4-4a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidReply.vue"]])},46324:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8.445 14.832A1 1 0 0010 14v-2.798l5.445 3.63A1 1 0 0017 14V6a1 1 0 00-1.555-.832L10 8.798V6a1 1 0 00-1.555-.832l-6 4a1 1 0 000 1.664l6 4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidRewind.vue"]])},59472:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 3a1 1 0 000 2c5.523 0 10 4.477 10 10a1 1 0 102 0C17 8.373 11.627 3 5 3z"},null,-1),(0,o.createElementVNode)("path",{d:"M4 9a1 1 0 011-1 7 7 0 017 7 1 1 0 11-2 0 5 5 0 00-5-5 1 1 0 01-1-1zM3 15a2 2 0 114 0 2 2 0 01-4 0z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidRss.vue"]])},12800:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M7.707 10.293a1 1 0 10-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 11.586V6h5a2 2 0 012 2v7a2 2 0 01-2 2H4a2 2 0 01-2-2V8a2 2 0 012-2h5v5.586l-1.293-1.293zM9 4a1 1 0 012 0v2H9V4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSave.vue"]])},11727:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9.707 7.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L13 8.586V5h3a2 2 0 012 2v5a2 2 0 01-2 2H8a2 2 0 01-2-2V7a2 2 0 012-2h3v3.586L9.707 7.293zM11 3a1 1 0 112 0v2h-2V3z"},null,-1),(0,o.createElementVNode)("path",{d:"M4 9a2 2 0 00-2 2v5a2 2 0 002 2h8a2 2 0 002-2H4V9z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSaveAs.vue"]])},70208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1 1 0 011 1v1.323l3.954 1.582 1.599-.8a1 1 0 01.894 1.79l-1.233.616 1.738 5.42a1 1 0 01-.285 1.05A3.989 3.989 0 0115 15a3.989 3.989 0 01-2.667-1.019 1 1 0 01-.285-1.05l1.715-5.349L11 6.477V16h2a1 1 0 110 2H7a1 1 0 110-2h2V6.477L6.237 7.582l1.715 5.349a1 1 0 01-.285 1.05A3.989 3.989 0 015 15a3.989 3.989 0 01-2.667-1.019 1 1 0 01-.285-1.05l1.738-5.42-1.233-.617a1 1 0 01.894-1.788l1.599.799L9 4.323V3a1 1 0 011-1zm-5 8.274l-.818 2.552c.25.112.526.174.818.174.292 0 .569-.062.818-.174L5 10.274zm10 0l-.818 2.552c.25.112.526.174.818.174.292 0 .569-.062.818-.174L15 10.274z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidScale.vue"]])},98968:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.5 2a3.5 3.5 0 101.665 6.58L8.585 10l-1.42 1.42a3.5 3.5 0 101.414 1.414l8.128-8.127a1 1 0 00-1.414-1.414L10 8.586l-1.42-1.42A3.5 3.5 0 005.5 2zM4 5.5a1.5 1.5 0 113 0 1.5 1.5 0 01-3 0zm0 9a1.5 1.5 0 113 0 1.5 1.5 0 01-3 0z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M12.828 11.414a1 1 0 00-1.414 1.414l3.879 3.88a1 1 0 001.414-1.415l-3.879-3.879z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidScissors.vue"]])},44662:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 4a4 4 0 100 8 4 4 0 000-8zM2 8a6 6 0 1110.89 3.476l4.817 4.817a1 1 0 01-1.414 1.414l-4.816-4.816A6 6 0 012 8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSearch.vue"]])},76608:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9 9a2 2 0 114 0 2 2 0 01-4 0z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-13a4 4 0 00-3.446 6.032l-2.261 2.26a1 1 0 101.414 1.415l2.261-2.261A4 4 0 1011 5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSearchCircle.vue"]])},11368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3a1 1 0 01.707.293l3 3a1 1 0 01-1.414 1.414L10 5.414 7.707 7.707a1 1 0 01-1.414-1.414l3-3A1 1 0 0110 3zm-3.707 9.293a1 1 0 011.414 0L10 14.586l2.293-2.293a1 1 0 011.414 1.414l-3 3a1 1 0 01-1.414 0l-3-3a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSelector.vue"]])},56912:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 5a2 2 0 012-2h12a2 2 0 012 2v2a2 2 0 01-2 2H4a2 2 0 01-2-2V5zm14 1a1 1 0 11-2 0 1 1 0 012 0zM2 13a2 2 0 012-2h12a2 2 0 012 2v2a2 2 0 01-2 2H4a2 2 0 01-2-2v-2zm14 1a1 1 0 11-2 0 1 1 0 012 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidServer.vue"]])},65040:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M15 8a3 3 0 10-2.977-2.63l-4.94 2.47a3 3 0 100 4.319l4.94 2.47a3 3 0 10.895-1.789l-4.94-2.47a3.027 3.027 0 000-.74l4.94-2.47C13.456 7.68 14.19 8 15 8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShare.vue"]])},14668:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.166 4.999A11.954 11.954 0 0010 1.944 11.954 11.954 0 0017.834 5c.11.65.166 1.32.166 2.001 0 5.225-3.34 9.67-8 11.317C5.34 16.67 2 12.225 2 7c0-.682.057-1.35.166-2.001zm11.541 3.708a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShieldCheck.vue"]])},15032:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1.944A11.954 11.954 0 012.166 5C2.056 5.649 2 6.319 2 7c0 5.225 3.34 9.67 8 11.317C14.66 16.67 18 12.225 18 7c0-.682-.057-1.35-.166-2.001A11.954 11.954 0 0110 1.944zM11 14a1 1 0 11-2 0 1 1 0 012 0zm0-7a1 1 0 10-2 0v3a1 1 0 102 0V7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShieldExclamation.vue"]])},25072:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a4 4 0 00-4 4v1H5a1 1 0 00-.994.89l-1 9A1 1 0 004 18h12a1 1 0 00.994-1.11l-1-9A1 1 0 0015 7h-1V6a4 4 0 00-4-4zm2 5V6a2 2 0 10-4 0v1h4zm-6 3a1 1 0 112 0 1 1 0 01-2 0zm7-1a1 1 0 100 2 1 1 0 000-2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShoppingBag.vue"]])},95528:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M3 1a1 1 0 000 2h1.22l.305 1.222a.997.997 0 00.01.042l1.358 5.43-.893.892C3.74 11.846 4.632 14 6.414 14H15a1 1 0 000-2H6.414l1-1H14a1 1 0 00.894-.553l3-6A1 1 0 0017 3H6.28l-.31-1.243A1 1 0 005 1H3zM16 16.5a1.5 1.5 0 11-3 0 1.5 1.5 0 013 0zM6.5 18a1.5 1.5 0 100-3 1.5 1.5 0 000 3z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShoppingCart.vue"]])},49988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M3 3a1 1 0 000 2h11a1 1 0 100-2H3zM3 7a1 1 0 000 2h5a1 1 0 000-2H3zM3 11a1 1 0 100 2h4a1 1 0 100-2H3zM13 16a1 1 0 102 0v-5.586l1.293 1.293a1 1 0 001.414-1.414l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 101.414 1.414L13 10.414V16z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSortAscending.vue"]])},49324:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M3 3a1 1 0 000 2h11a1 1 0 100-2H3zM3 7a1 1 0 000 2h7a1 1 0 100-2H3zM3 11a1 1 0 100 2h4a1 1 0 100-2H3zM15 8a1 1 0 10-2 0v5.586l-1.293-1.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L15 13.586V8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSortDescending.vue"]])},32716:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2a1 1 0 011 1v1h1a1 1 0 010 2H6v1a1 1 0 01-2 0V6H3a1 1 0 010-2h1V3a1 1 0 011-1zm0 10a1 1 0 011 1v1h1a1 1 0 110 2H6v1a1 1 0 11-2 0v-1H3a1 1 0 110-2h1v-1a1 1 0 011-1zM12 2a1 1 0 01.967.744L14.146 7.2 17.5 9.134a1 1 0 010 1.732l-3.354 1.935-1.18 4.455a1 1 0 01-1.933 0L9.854 12.8 6.5 10.866a1 1 0 010-1.732l3.354-1.935 1.18-4.455A1 1 0 0112 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSparkles.vue"]])},93796:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 3a1 1 0 00-1.447-.894L8.763 6H5a3 3 0 000 6h.28l1.771 5.316A1 1 0 008 18h1a1 1 0 001-1v-4.382l6.553 3.276A1 1 0 0018 15V3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSpeakerphone.vue"]])},86532:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9.049 2.927c.3-.921 1.603-.921 1.902 0l1.07 3.292a1 1 0 00.95.69h3.462c.969 0 1.371 1.24.588 1.81l-2.8 2.034a1 1 0 00-.364 1.118l1.07 3.292c.3.921-.755 1.688-1.54 1.118l-2.8-2.034a1 1 0 00-1.175 0l-2.8 2.034c-.784.57-1.838-.197-1.539-1.118l1.07-3.292a1 1 0 00-.364-1.118L2.98 8.72c-.783-.57-.38-1.81.588-1.81h3.461a1 1 0 00.951-.69l1.07-3.292z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStar.vue"]])},93134:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M3.707 2.293a1 1 0 00-1.414 1.414l6.921 6.922c.05.062.105.118.168.167l6.91 6.911a1 1 0 001.415-1.414l-.675-.675a9.001 9.001 0 00-.668-11.982A1 1 0 1014.95 5.05a7.002 7.002 0 01.657 9.143l-1.435-1.435a5.002 5.002 0 00-.636-6.294A1 1 0 0012.12 7.88c.924.923 1.12 2.3.587 3.415l-1.992-1.992a.922.922 0 00-.018-.018l-6.99-6.991zM3.238 8.187a1 1 0 00-1.933-.516c-.8 3-.025 6.336 2.331 8.693a1 1 0 001.414-1.415 6.997 6.997 0 01-1.812-6.762zM7.4 11.5a1 1 0 10-1.73 1c.214.371.48.72.795 1.035a1 1 0 001.414-1.414c-.191-.191-.35-.4-.478-.622z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStatusOffline.vue"]])},73800:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.05 3.636a1 1 0 010 1.414 7 7 0 000 9.9 1 1 0 11-1.414 1.414 9 9 0 010-12.728 1 1 0 011.414 0zm9.9 0a1 1 0 011.414 0 9 9 0 010 12.728 1 1 0 11-1.414-1.414 7 7 0 000-9.9 1 1 0 010-1.414zM7.879 6.464a1 1 0 010 1.414 3 3 0 000 4.243 1 1 0 11-1.415 1.414 5 5 0 010-7.07 1 1 0 011.415 0zm4.242 0a1 1 0 011.415 0 5 5 0 010 7.072 1 1 0 01-1.415-1.415 3 3 0 000-4.242 1 1 0 010-1.415zM10 9a1 1 0 011 1v.01a1 1 0 11-2 0V10a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStatusOnline.vue"]])},43081:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM8 7a1 1 0 00-1 1v4a1 1 0 001 1h4a1 1 0 001-1V8a1 1 0 00-1-1H8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStop.vue"]])},10880:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1 1 0 011 1v1a1 1 0 11-2 0V3a1 1 0 011-1zm4 8a4 4 0 11-8 0 4 4 0 018 0zm-.464 4.95l.707.707a1 1 0 001.414-1.414l-.707-.707a1 1 0 00-1.414 1.414zm2.12-10.607a1 1 0 010 1.414l-.706.707a1 1 0 11-1.414-1.414l.707-.707a1 1 0 011.414 0zM17 11a1 1 0 100-2h-1a1 1 0 100 2h1zm-7 4a1 1 0 011 1v1a1 1 0 11-2 0v-1a1 1 0 011-1zM5.05 6.464A1 1 0 106.465 5.05l-.708-.707a1 1 0 00-1.414 1.414l.707.707zm1.414 8.486l-.707.707a1 1 0 01-1.414-1.414l.707-.707a1 1 0 011.414 1.414zM4 11a1 1 0 100-2H3a1 1 0 000 2h1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSun.vue"]])},11112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-2 0c0 .993-.241 1.929-.668 2.754l-1.524-1.525a3.997 3.997 0 00.078-2.183l1.562-1.562C15.802 8.249 16 9.1 16 10zm-5.165 3.913l1.58 1.58A5.98 5.98 0 0110 16a5.976 5.976 0 01-2.516-.552l1.562-1.562a4.006 4.006 0 001.789.027zm-4.677-2.796a4.002 4.002 0 01-.041-2.08l-.08.08-1.53-1.533A5.98 5.98 0 004 10c0 .954.223 1.856.619 2.657l1.54-1.54zm1.088-6.45A5.974 5.974 0 0110 4c.954 0 1.856.223 2.657.619l-1.54 1.54a4.002 4.002 0 00-2.346.033L7.246 4.668zM12 10a2 2 0 11-4 0 2 2 0 014 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSupport.vue"]])},74748:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8 5a1 1 0 100 2h5.586l-1.293 1.293a1 1 0 001.414 1.414l3-3a1 1 0 000-1.414l-3-3a1 1 0 10-1.414 1.414L13.586 5H8zM12 15a1 1 0 100-2H6.414l1.293-1.293a1 1 0 10-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L6.414 15H12z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSwitchHorizontal.vue"]])},94332:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 12a1 1 0 102 0V6.414l1.293 1.293a1 1 0 001.414-1.414l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 001.414 1.414L5 6.414V12zM15 8a1 1 0 10-2 0v5.586l-1.293-1.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L15 13.586V8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSwitchVertical.vue"]])},39880:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4a3 3 0 00-3 3v6a3 3 0 003 3h10a3 3 0 003-3V7a3 3 0 00-3-3H5zm-1 9v-1h5v2H5a1 1 0 01-1-1zm7 1h4a1 1 0 001-1v-1h-5v2zm0-4h5V8h-5v2zM9 8H4v2h5V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTable.vue"]])},81256:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.707 9.293a1 1 0 010 1.414l-7 7a1 1 0 01-1.414 0l-7-7A.997.997 0 012 10V5a3 3 0 013-3h5c.256 0 .512.098.707.293l7 7zM5 6a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTag.vue"]])},86776:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M3 4a1 1 0 011-1h12a1 1 0 011 1v2a1 1 0 01-1 1H4a1 1 0 01-1-1V4zM3 10a1 1 0 011-1h6a1 1 0 011 1v6a1 1 0 01-1 1H4a1 1 0 01-1-1v-6zM14 9a1 1 0 00-1 1v6a1 1 0 001 1h2a1 1 0 001-1v-6a1 1 0 00-1-1h-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTemplate.vue"]])},14908:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 5a2 2 0 012-2h12a2 2 0 012 2v10a2 2 0 01-2 2H4a2 2 0 01-2-2V5zm3.293 1.293a1 1 0 011.414 0l3 3a1 1 0 010 1.414l-3 3a1 1 0 01-1.414-1.414L7.586 10 5.293 7.707a1 1 0 010-1.414zM11 12a1 1 0 100 2h3a1 1 0 100-2h-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTerminal.vue"]])},18912:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M18 9.5a1.5 1.5 0 11-3 0v-6a1.5 1.5 0 013 0v6zM14 9.667v-5.43a2 2 0 00-1.105-1.79l-.05-.025A4 4 0 0011.055 2H5.64a2 2 0 00-1.962 1.608l-1.2 6A2 2 0 004.44 12H8v4a2 2 0 002 2 1 1 0 001-1v-.667a4 4 0 01.8-2.4l1.4-1.866a4 4 0 00.8-2.4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidThumbDown.vue"]])},16384:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 10.5a1.5 1.5 0 113 0v6a1.5 1.5 0 01-3 0v-6zM6 10.333v5.43a2 2 0 001.106 1.79l.05.025A4 4 0 008.943 18h5.416a2 2 0 001.962-1.608l1.2-6A2 2 0 0015.56 8H12V4a2 2 0 00-2-2 1 1 0 00-1 1v.667a4 4 0 01-.8 2.4L6.8 7.933a4 4 0 00-.8 2.4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidThumbUp.vue"]])},13518:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h12a2 2 0 012 2v2a2 2 0 100 4v2a2 2 0 01-2 2H4a2 2 0 01-2-2v-2a2 2 0 100-4V6z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTicket.vue"]])},35660:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a1 1 0 011 1v1h3a1 1 0 110 2H9.578a18.87 18.87 0 01-1.724 4.78c.29.354.596.696.914 1.026a1 1 0 11-1.44 1.389c-.188-.196-.373-.396-.554-.6a19.098 19.098 0 01-3.107 3.567 1 1 0 01-1.334-1.49 17.087 17.087 0 003.13-3.733 18.992 18.992 0 01-1.487-2.494 1 1 0 111.79-.89c.234.47.489.928.764 1.372.417-.934.752-1.913.997-2.927H3a1 1 0 110-2h3V3a1 1 0 011-1zm6 6a1 1 0 01.894.553l2.991 5.982a.869.869 0 01.02.037l.99 1.98a1 1 0 11-1.79.895L15.383 16h-4.764l-.724 1.447a1 1 0 11-1.788-.894l.99-1.98.019-.038 2.99-5.982A1 1 0 0113 8zm-1.382 6h2.764L13 11.236 11.618 14z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTranslate.vue"]])},65388:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 2a1 1 0 00-.894.553L7.382 4H4a1 1 0 000 2v10a2 2 0 002 2h8a2 2 0 002-2V6a1 1 0 100-2h-3.382l-.724-1.447A1 1 0 0011 2H9zM7 8a1 1 0 012 0v6a1 1 0 11-2 0V8zm5-1a1 1 0 00-1 1v6a1 1 0 102 0V8a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTrash.vue"]])},96148:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 13a1 1 0 100 2h5a1 1 0 001-1V9a1 1 0 10-2 0v2.586l-4.293-4.293a1 1 0 00-1.414 0L8 9.586 3.707 5.293a1 1 0 00-1.414 1.414l5 5a1 1 0 001.414 0L11 9.414 14.586 13H12z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTrendingDown.vue"]])},47860:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 7a1 1 0 110-2h5a1 1 0 011 1v5a1 1 0 11-2 0V8.414l-4.293 4.293a1 1 0 01-1.414 0L8 10.414l-4.293 4.293a1 1 0 01-1.414-1.414l5-5a1 1 0 011.414 0L11 10.586 14.586 7H12z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTrendingUp.vue"]])},85340:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M8 16.5a1.5 1.5 0 11-3 0 1.5 1.5 0 013 0zM15 16.5a1.5 1.5 0 11-3 0 1.5 1.5 0 013 0z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 4a1 1 0 00-1 1v10a1 1 0 001 1h1.05a2.5 2.5 0 014.9 0H10a1 1 0 001-1V5a1 1 0 00-1-1H3zM14 7a1 1 0 00-1 1v6.05A2.5 2.5 0 0115.95 16H17a1 1 0 001-1v-5a1 1 0 00-.293-.707l-2-2A1 1 0 0015 7h-1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTruck.vue"]])},47464:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 17a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM6.293 6.707a1 1 0 010-1.414l3-3a1 1 0 011.414 0l3 3a1 1 0 01-1.414 1.414L11 5.414V13a1 1 0 11-2 0V5.414L7.707 6.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUpload.vue"]])},56936:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 9a3 3 0 100-6 3 3 0 000 6zm-7 9a7 7 0 1114 0H3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUser.vue"]])},12032:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8 9a3 3 0 100-6 3 3 0 000 6zM8 11a6 6 0 016 6H2a6 6 0 016-6zM16 7a1 1 0 10-2 0v1h-1a1 1 0 100 2h1v1a1 1 0 102 0v-1h1a1 1 0 100-2h-1V7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserAdd.vue"]])},22516:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-6-3a2 2 0 11-4 0 2 2 0 014 0zm-2 4a5 5 0 00-4.546 2.916A5.986 5.986 0 0010 16a5.986 5.986 0 004.546-2.084A5 5 0 0010 11z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserCircle.vue"]])},11948:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M13 6a3 3 0 11-6 0 3 3 0 016 0zM18 8a2 2 0 11-4 0 2 2 0 014 0zM14 15a4 4 0 00-8 0v3h8v-3zM6 8a2 2 0 11-4 0 2 2 0 014 0zM16 18v-3a5.972 5.972 0 00-.75-2.906A3.005 3.005 0 0119 15v3h-3zM4.75 12.094A5.973 5.973 0 004 15v3H1v-3a3 3 0 013.75-2.906z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserGroup.vue"]])},51804:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M11 6a3 3 0 11-6 0 3 3 0 016 0zM14 17a6 6 0 00-12 0h12zM13 8a1 1 0 100 2h4a1 1 0 100-2h-4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserRemove.vue"]])},57192:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9 6a3 3 0 11-6 0 3 3 0 016 0zM17 6a3 3 0 11-6 0 3 3 0 016 0zM12.93 17c.046-.327.07-.66.07-1a6.97 6.97 0 00-1.5-4.33A5 5 0 0119 16v1h-6.07zM6 11a5 5 0 015 5v1H1v-1a5 5 0 015-5z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUsers.vue"]])},83859:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.649 3.084A1 1 0 015.163 4.4 13.95 13.95 0 004 10c0 1.993.416 3.886 1.164 5.6a1 1 0 01-1.832.8A15.95 15.95 0 012 10c0-2.274.475-4.44 1.332-6.4a1 1 0 011.317-.516zM12.96 7a3 3 0 00-2.342 1.126l-.328.41-.111-.279A2 2 0 008.323 7H8a1 1 0 000 2h.323l.532 1.33-1.035 1.295a1 1 0 01-.781.375H7a1 1 0 100 2h.039a3 3 0 002.342-1.126l.328-.41.111.279A2 2 0 0011.677 14H12a1 1 0 100-2h-.323l-.532-1.33 1.035-1.295A1 1 0 0112.961 9H13a1 1 0 100-2h-.039zm1.874-2.6a1 1 0 011.833-.8A15.95 15.95 0 0118 10c0 2.274-.475 4.44-1.332 6.4a1 1 0 11-1.832-.8A13.949 13.949 0 0016 10c0-1.993-.416-3.886-1.165-5.6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVariable.vue"]])},25456:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h6a2 2 0 012 2v8a2 2 0 01-2 2H4a2 2 0 01-2-2V6zM14.553 7.106A1 1 0 0014 8v4a1 1 0 00.553.894l2 1A1 1 0 0018 13V7a1 1 0 00-1.447-.894l-2 1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVideoCamera.vue"]])},12872:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 4a1 1 0 011-1h2a1 1 0 011 1v12a1 1 0 01-1 1H3a1 1 0 01-1-1V4zM8 4a1 1 0 011-1h2a1 1 0 011 1v12a1 1 0 01-1 1H9a1 1 0 01-1-1V4zM15 3a1 1 0 00-1 1v12a1 1 0 001 1h2a1 1 0 001-1V4a1 1 0 00-1-1h-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewBoards.vue"]])},58368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M5 3a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2V5a2 2 0 00-2-2H5zM5 11a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2v-2a2 2 0 00-2-2H5zM11 5a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2V5zM11 13a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2v-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewGrid.vue"]])},13526:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M5 3a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2V5a2 2 0 00-2-2H5zM5 11a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2v-2a2 2 0 00-2-2H5zM11 5a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2V5zM14 11a1 1 0 011 1v1h1a1 1 0 110 2h-1v1a1 1 0 11-2 0v-1h-1a1 1 0 110-2h1v-1a1 1 0 011-1z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewGridAdd.vue"]])},29552:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm0 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm0 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm0 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewList.vue"]])},81752:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.383 3.076A1 1 0 0110 4v12a1 1 0 01-1.707.707L4.586 13H2a1 1 0 01-1-1V8a1 1 0 011-1h2.586l3.707-3.707a1 1 0 011.09-.217zM12.293 7.293a1 1 0 011.414 0L15 8.586l1.293-1.293a1 1 0 111.414 1.414L16.414 10l1.293 1.293a1 1 0 01-1.414 1.414L15 11.414l-1.293 1.293a1 1 0 01-1.414-1.414L13.586 10l-1.293-1.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVolumeOff.vue"]])},7244:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.383 3.076A1 1 0 0110 4v12a1 1 0 01-1.707.707L4.586 13H2a1 1 0 01-1-1V8a1 1 0 011-1h2.586l3.707-3.707a1 1 0 011.09-.217zM14.657 2.929a1 1 0 011.414 0A9.972 9.972 0 0119 10a9.972 9.972 0 01-2.929 7.071 1 1 0 01-1.414-1.414A7.971 7.971 0 0017 10c0-2.21-.894-4.208-2.343-5.657a1 1 0 010-1.414zm-2.829 2.828a1 1 0 011.415 0A5.983 5.983 0 0115 10a5.984 5.984 0 01-1.757 4.243 1 1 0 01-1.415-1.415A3.984 3.984 0 0013 10a3.983 3.983 0 00-1.172-2.828 1 1 0 010-1.415z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVolumeUp.vue"]])},64720:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.778 8.222c-4.296-4.296-11.26-4.296-15.556 0A1 1 0 01.808 6.808c5.076-5.077 13.308-5.077 18.384 0a1 1 0 01-1.414 1.414zM14.95 11.05a7 7 0 00-9.9 0 1 1 0 01-1.414-1.414 9 9 0 0112.728 0 1 1 0 01-1.414 1.414zM12.12 13.88a3 3 0 00-4.242 0 1 1 0 01-1.415-1.415 5 5 0 017.072 0 1 1 0 01-1.415 1.415zM9 16a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidWifi.vue"]])},24392:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.293 4.293a1 1 0 011.414 0L10 8.586l4.293-4.293a1 1 0 111.414 1.414L11.414 10l4.293 4.293a1 1 0 01-1.414 1.414L10 11.414l-4.293 4.293a1 1 0 01-1.414-1.414L8.586 10 4.293 5.707a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidX.vue"]])},5172:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidXCircle.vue"]])},87420:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 8a1 1 0 011-1h1V6a1 1 0 012 0v1h1a1 1 0 110 2H9v1a1 1 0 11-2 0V9H6a1 1 0 01-1-1z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8a6 6 0 1110.89 3.476l4.817 4.817a1 1 0 01-1.414 1.414l-4.816-4.816A6 6 0 012 8zm6-4a4 4 0 100 8 4 4 0 000-8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidZoomIn.vue"]])},24440:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 4a4 4 0 100 8 4 4 0 000-8zM2 8a6 6 0 1110.89 3.476l4.817 4.817a1 1 0 01-1.414 1.414l-4.816-4.816A6 6 0 012 8z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 8a1 1 0 011-1h4a1 1 0 110 2H6a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidZoomOut.vue"]])},56528:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={class:"ml-2"};var l=r(14764),i=r.n(l);function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;ta.updateCheckedState(r.option.value,a.nextValue))},[(0,o.createVNode)(s,{value:a.currentValue,nullable:!0},null,8,["value"]),(0,o.createElementVNode)("span",n,(0,o.toDisplayString)(a.labelFor(r.option)),1)])}],["__file","IconBooleanOption.vue"]])},1036:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={__name:"CopyIcon",props:["copied"],setup:e=>(t,r)=>{const n=(0,o.resolveComponent)("Icon");return e.copied?((0,o.openBlock)(),(0,o.createBlock)(n,{key:0,class:"text-green-500",solid:!0,type:"check-circle",width:"14"})):((0,o.openBlock)(),(0,o.createBlock)(n,{key:1,class:"text-gray-400 dark:text-gray-500",solid:!0,type:"clipboard",width:"14"}))}};const l=(0,r(18152).c)(n,[["__file","CopyIcon.vue"]])},74396:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M3 19V1h8a5 5 0 0 1 3.88 8.16A5.5 5.5 0 0 1 11.5 19H3zm7.5-8H7v5h3.5a2.5 2.5 0 1 0 0-5zM7 4v4h3a2 2 0 1 0 0-4H7z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconBold.vue"]])},35052:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M2.8 15.8L0 13v7h7l-2.8-2.8 4.34-4.32-1.42-1.42L2.8 15.8zM17.2 4.2L20 7V0h-7l2.8 2.8-4.34 4.32 1.42 1.42L17.2 4.2zm-1.4 13L13 20h7v-7l-2.8 2.8-4.32-4.34-1.42 1.42 4.33 4.33zM4.2 2.8L7 0H0v7l2.8-2.8 4.32 4.34 1.42-1.42L4.2 2.8z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconFullScreen.vue"]])},10560:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M0 4c0-1.1.9-2 2-2h16a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm11 9l-3-3-6 6h16l-5-5-2 2zm4-4a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconImage.vue"]])},67236:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M8 1h9v2H8V1zm3 2h3L8 17H5l6-14zM2 17h9v2H2v-2z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconItalic.vue"]])},90784:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M9.26 13a2 2 0 0 1 .01-2.01A3 3 0 0 0 9 5H5a3 3 0 0 0 0 6h.08a6.06 6.06 0 0 0 0 2H5A5 5 0 0 1 5 3h4a5 5 0 0 1 .26 10zm1.48-6a2 2 0 0 1-.01 2.01A3 3 0 0 0 11 15h4a3 3 0 0 0 0-6h-.08a6.06 6.06 0 0 0 0-2H15a5 5 0 0 1 0 10h-4a5 5 0 0 1-.26-10z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconLink.vue"]])},2596:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 530 560"},l=[(0,o.createStaticVNode)('',1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","ErrorPageIcon.vue"]])},41908:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{type:{type:String,default:"delete"},solid:{type:Boolean,default:!1}},computed:{style(){return this.solid?"solid":"outline"},iconName(){return`heroicons-${this.style}-${this.type}`},viewBox(){return this.solid?"0 0 20 20":"0 0 24 24"},width(){return this.solid?20:24},height(){return this.solid?20:24}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(i.iconName),{class:"inline-block",role:"presentation",width:i.width,height:i.height,viewBox:i.viewBox},null,8,["width","height","viewBox"])}],["__file","Icon.vue"]])},29392:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M17 11a1 1 0 0 1 0 2h-4v4a1 1 0 0 1-2 0v-4H7a1 1 0 0 1 0-2h4V7a1 1 0 0 1 2 0v4h4z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconAdd.vue"]])},43064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"shrink-0 text-gray-700",xmlns:"http://www.w3.org/2000/svg",width:"10",height:"6",viewBox:"0 0 10 6"},l=[(0,o.createElementVNode)("path",{class:"fill-current",d:"M8.292893.292893c.390525-.390524 1.023689-.390524 1.414214 0 .390524.390525.390524 1.023689 0 1.414214l-4 4c-.390525.390524-1.023689.390524-1.414214 0l-4-4c-.390524-.390525-.390524-1.023689 0-1.414214.390525-.390524 1.023689-.390524 1.414214 0L5 3.585786 8.292893.292893z"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconArrow.vue"]])},91996:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{value:{type:Boolean,default:!1},viewBox:{default:"0 0 24 24"},height:{default:24},width:{default:24},nullable:{type:Boolean,default:!1}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Icon");return r.value?((0,o.openBlock)(),(0,o.createBlock)(a,{key:0,viewBox:r.viewBox,width:r.width,height:r.height,type:"check-circle",class:"text-green-500"},null,8,["viewBox","width","height"])):r.nullable&&null==r.value?((0,o.openBlock)(),(0,o.createBlock)(a,{key:1,viewBox:r.viewBox,width:r.width,height:r.height,type:"minus-circle",class:"text-gray-200 dark:text-gray-800"},null,8,["viewBox","width","height"])):((0,o.openBlock)(),(0,o.createBlock)(a,{key:2,viewBox:r.viewBox,width:r.width,height:r.height,type:"x-circle",class:"text-red-500"},null,8,["viewBox","width","height"]))}],["__file","IconBoolean.vue"]])},37388:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M12 22a10 10 0 1 1 0-20 10 10 0 0 1 0 20zm0-2a8 8 0 1 0 0-16 8 8 0 0 0 0 16zm-2.3-8.7l1.3 1.29 3.3-3.3a1 1 0 0 1 1.4 1.42l-4 4a1 1 0 0 1-1.4 0l-2-2a1 1 0 0 1 1.4-1.42z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconCheckCircle.vue"]])},35320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={"fill-rule":"nonzero",d:"M6 4V2a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2v2h5a1 1 0 0 1 0 2h-1v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V6H1a1 1 0 1 1 0-2h5zM4 6v12h12V6H4zm8-2V2H8v2h4zM8 8a1 1 0 0 1 1 1v6a1 1 0 0 1-2 0V9a1 1 0 0 1 1-1zm4 0a1 1 0 0 1 1 1v6a1 1 0 0 1-2 0V9a1 1 0 0 1 1-1z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconDelete.vue"]])},95064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M11 14.59V3a1 1 0 0 1 2 0v11.59l3.3-3.3a1 1 0 0 1 1.4 1.42l-5 5a1 1 0 0 1-1.4 0l-5-5a1 1 0 0 1 1.4-1.42l3.3 3.3zM3 17a1 1 0 0 1 2 0v3h14v-3a1 1 0 0 1 2 0v3a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2v-3z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconDownload.vue"]])},8968:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M4.3 10.3l10-10a1 1 0 0 1 1.4 0l4 4a1 1 0 0 1 0 1.4l-10 10a1 1 0 0 1-.7.3H5a1 1 0 0 1-1-1v-4a1 1 0 0 1 .3-.7zM6 14h2.59l9-9L15 2.41l-9 9V14zm10-2a1 1 0 0 1 2 0v6a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4c0-1.1.9-2 2-2h6a1 1 0 1 1 0 2H2v14h14v-6z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconEdit.vue"]])},15232:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={"fill-rule":"nonzero",d:"M.293 5.707A1 1 0 0 1 0 4.999V1A1 1 0 0 1 1 0h18a1 1 0 0 1 1 1v4a1 1 0 0 1-.293.707L13 12.413v2.585a1 1 0 0 1-.293.708l-4 4c-.63.629-1.707.183-1.707-.708v-6.585L.293 5.707zM2 2v2.585l6.707 6.707a1 1 0 0 1 .293.707v4.585l2-2V12a1 1 0 0 1 .293-.707L18 4.585V2H2z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconFilter.vue"]])},73172:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={"fill-rule":"nonzero",d:"M6 4V2a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2v2h5a1 1 0 0 1 0 2h-1v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V6H1a1 1 0 1 1 0-2h5zM4 6v12h12V6H4zm8-2V2H8v2h4zm-2 4a1 1 0 0 1 1 1v3a1 1 0 0 1-2 0V9a1 1 0 0 1 1-1zm0 6a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconForceDelete.vue"]])},64072:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={fill:"none","fill-rule":"evenodd"},l=[(0,o.createElementVNode)("circle",{class:"fill-current",cx:"8.5",cy:"8.5",r:"8.5"},null,-1),(0,o.createElementVNode)("path",{d:"M8.568 10.253c-.225 0-.4-.074-.527-.221-.125-.147-.188-.355-.188-.624 0-.407.078-.747.234-1.02.156-.274.373-.553.65-.839.2-.217.349-.403.448-.559.1-.156.15-.33.15-.52s-.07-.342-.208-.455c-.139-.113-.33-.169-.572-.169-.2 0-.396.037-.591.11-.196.074-.414.18-.657.319l-.312.156c-.295.165-.533.247-.715.247a.69.69 0 01-.553-.28 1.046 1.046 0 01-.227-.682c0-.182.032-.334.098-.455.065-.121.17-.238.318-.351.39-.286.834-.51 1.332-.67.499-.16 1-.24 1.502-.24.563 0 1.066.097 1.508.293.442.195.789.463 1.04.805.251.343.377.73.377 1.164 0 .32-.067.615-.202.884a2.623 2.623 0 01-.487.689c-.19.19-.438.42-.741.689a6.068 6.068 0 00-.656.605c-.152.169-.25.344-.293.526a.691.691 0 01-.253.442.753.753 0 01-.475.156zm.026 3.107c-.355 0-.652-.121-.89-.364a1.23 1.23 0 01-.358-.897c0-.355.12-.654.357-.897.239-.243.536-.364.891-.364a1.23 1.23 0 011.261 1.261 1.23 1.23 0 01-1.261 1.261z",fill:"#FFF","fill-rule":"nonzero"},null,-1)];const i={},a=(0,r(18152).c)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("g",n,l)}],["__file","IconHelp.vue"]])},69432:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M4 5h16a1 1 0 0 1 0 2H4a1 1 0 1 1 0-2zm0 6h16a1 1 0 0 1 0 2H4a1 1 0 0 1 0-2zm0 6h16a1 1 0 0 1 0 2H4a1 1 0 0 1 0-2z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconMenu.vue"]])},77940:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M4 15a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0-2a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm8 2a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0-2a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm8 2a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0-2a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconMore.vue"]])},59476:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={"fill-rule":"nonzero",d:"M0 .213l15.925 9.77L0 19.79V.213zm2 3.574V16.21l10.106-6.224L2 3.786z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconPlay.vue"]])},78296:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M6 18.7V21a1 1 0 0 1-2 0v-5a1 1 0 0 1 1-1h5a1 1 0 1 1 0 2H7.1A7 7 0 0 0 19 12a1 1 0 1 1 2 0 9 9 0 0 1-15 6.7zM18 5.3V3a1 1 0 0 1 2 0v5a1 1 0 0 1-1 1h-5a1 1 0 0 1 0-2h2.9A7 7 0 0 0 5 12a1 1 0 1 1-2 0 9 9 0 0 1 15-6.7z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconRefresh.vue"]])},76600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M3.41 15H16a2 2 0 0 0 2-2 1 1 0 0 1 2 0 4 4 0 0 1-4 4H3.41l2.3 2.3a1 1 0 0 1-1.42 1.4l-4-4a1 1 0 0 1 0-1.4l4-4a1 1 0 1 1 1.42 1.4L3.4 15h.01zM4 7a2 2 0 0 0-2 2 1 1 0 1 1-2 0 4 4 0 0 1 4-4h12.59l-2.3-2.3a1 1 0 1 1 1.42-1.4l4 4a1 1 0 0 1 0 1.4l-4 4a1 1 0 0 1-1.42-1.4L16.6 7H4z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconRestore.vue"]])},29640:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={"fill-rule":"nonzero",d:"M14.32 12.906l5.387 5.387a1 1 0 0 1-1.414 1.414l-5.387-5.387a8 8 0 1 1 1.414-1.414zM8 14A6 6 0 1 0 8 2a6 6 0 0 0 0 12z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconSearch.vue"]])},4240:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M16.56 13.66a8 8 0 0 1-11.32 0L.3 8.7a1 1 0 0 1 0-1.42l4.95-4.95a8 8 0 0 1 11.32 0l4.95 4.95a1 1 0 0 1 0 1.42l-4.95 4.95-.01.01zm-9.9-1.42a6 6 0 0 0 8.48 0L19.38 8l-4.24-4.24a6 6 0 0 0-8.48 0L2.4 8l4.25 4.24h.01zM10.9 12a4 4 0 1 1 0-8 4 4 0 0 1 0 8zm0-2a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconView.vue"]])},94308:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={d:"M4.93 19.07A10 10 0 1 1 19.07 4.93 10 10 0 0 1 4.93 19.07zm1.41-1.41A8 8 0 1 0 17.66 6.34 8 8 0 0 0 6.34 17.66zM13.41 12l1.42 1.41a1 1 0 1 1-1.42 1.42L12 13.4l-1.41 1.42a1 1 0 1 1-1.42-1.42L10.6 12l-1.42-1.41a1 1 0 1 1 1.42-1.42L12 10.6l1.41-1.42a1 1 0 1 1 1.42 1.42L13.4 12z"};const l={},i=(0,r(18152).c)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconXCircle.vue"]])},82736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n=["fill"],l=[(0,o.createStaticVNode)('',3)],i={__name:"Loader",props:{width:{type:[Number,String],required:!1,default:50},fillColor:{type:String,required:!1,default:"currentColor"}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("svg",{class:"mx-auto block",style:(0,o.normalizeStyle)({width:`${e.width}px`}),viewBox:"0 0 120 30",xmlns:"http://www.w3.org/2000/svg",fill:e.fillColor},l,12,n))};const a=(0,r(18152).c)(i,[["__file","Loader.vue"]])},46152:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032),n=r(77924);function l(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function i(e){for(var t=1;t["aspect-auto","aspect-square"].includes(e)}},setup(e){const{__:t}=(0,n.C)(),r=e,l=(0,o.ref)(!1),a=(0,o.ref)(!1),u=()=>l.value=!0,h=()=>{a.value=!0,Nova.log(`${t("The image could not be loaded.")}: ${r.src}`)},p=(0,o.computed)((()=>[r.rounded&&"rounded-full"])),m=(0,o.computed)((()=>i(i({"max-width":`${r.maxWidth}px`},"aspect-square"===r.aspect&&{width:`${r.maxWidth}px`}),"aspect-square"===r.aspect&&{height:`${r.maxWidth}px`})));return(r,n)=>{const l=(0,o.resolveComponent)("Icon"),i=(0,o.resolveDirective)("tooltip");return a.value?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:1,href:e.src},[(0,o.withDirectives)((0,o.createVNode)(l,{type:"exclamation-circle",class:"text-red-500"},null,512),[[i,(0,o.unref)(t)("The image could not be loaded.")]])],8,d)):((0,o.openBlock)(),(0,o.createElementBlock)("span",s,[(0,o.createElementVNode)("img",{class:(0,o.normalizeClass)(p.value),style:(0,o.normalizeStyle)(m.value),src:e.src,onLoad:u,onError:h},null,46,c)]))}}});const p=(0,r(18152).c)(h,[["__file","ImageLoader.vue"]])},48483:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032),n=r(77924);const l=["dusk"],i={class:"flex flex-col justify-center items-center px-6 space-y-3"},a=(0,o.createElementVNode)("svg",{class:"inline-block text-gray-300 dark:text-gray-500",xmlns:"http://www.w3.org/2000/svg",width:"65",height:"51",viewBox:"0 0 65 51"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M56 40h2c.552285 0 1 .447715 1 1s-.447715 1-1 1h-2v2c0 .552285-.447715 1-1 1s-1-.447715-1-1v-2h-2c-.552285 0-1-.447715-1-1s.447715-1 1-1h2v-2c0-.552285.447715-1 1-1s1 .447715 1 1v2zm-5.364125-8H38v8h7.049375c.350333-3.528515 2.534789-6.517471 5.5865-8zm-5.5865 10H6c-3.313708 0-6-2.686292-6-6V6c0-3.313708 2.686292-6 6-6h44c3.313708 0 6 2.686292 6 6v25.049375C61.053323 31.5511 65 35.814652 65 41c0 5.522847-4.477153 10-10 10-5.185348 0-9.4489-3.946677-9.950625-9zM20 30h16v-8H20v8zm0 2v8h16v-8H20zm34-2v-8H38v8h16zM2 30h16v-8H2v8zm0 2v4c0 2.209139 1.790861 4 4 4h12v-8H2zm18-12h16v-8H20v8zm34 0v-8H38v8h16zM2 20h16v-8H2v8zm52-10V6c0-2.209139-1.790861-4-4-4H6C3.790861 2 2 3.790861 2 6v4h52zm1 39c4.418278 0 8-3.581722 8-8s-3.581722-8-8-8-8 3.581722-8 8 3.581722 8 8 8z"})],-1),s={class:"text-base font-normal"},c={class:"hidden md:inline-block"},d={class:"inline-block md:hidden"},u={__name:"IndexEmptyDialog",props:["create-button-label","singularName","resourceName","viaResource","viaResourceId","viaRelationship","relationshipType","authorizedToCreate","authorizedToRelate"],setup(e){const{__:t}=(0,n.C)(),r=e,u=(0,o.computed)((()=>p.value||h.value)),h=(0,o.computed)((()=>("belongsToMany"===r.relationshipType||"morphToMany"===r.relationshipType)&&r.authorizedToRelate)),p=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),m=(0,o.computed)((()=>h.value?t("Attach :resource",{resource:r.singularName}):r.createButtonLabel)),v=(0,o.computed)((()=>h.value?Nova.url(`/resources/${r.viaResource}/${r.viaResourceId}/attach/${r.resourceName}`,{viaRelationship:r.viaRelationship,polymorphic:"morphToMany"===r.relationshipType?"1":"0"}):p.value?Nova.url(`/resources/${r.resourceName}/new`,{viaResource:r.viaResource,viaResourceId:r.viaResourceId,viaRelationship:r.viaRelationship,relationshipType:r.relationshipType}):void 0));return(r,n)=>{const p=(0,o.resolveComponent)("OutlineButtonInertiaLink");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"flex flex-col justify-center items-center px-6 py-8 space-y-6",dusk:`${e.resourceName}-empty-dialog`},[(0,o.createElementVNode)("div",i,[a,(0,o.createElementVNode)("h3",s,(0,o.toDisplayString)((0,o.unref)(t)("No :resource matched the given criteria.",{resource:e.singularName})),1)]),u.value?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"shrink-0",href:v.value,dusk:"create-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(m.value),1),(0,o.createElementVNode)("span",d,(0,o.toDisplayString)(h.value?(0,o.unref)(t)("Attach"):(0,o.unref)(t)("Create")),1)])),_:1},8,["href"])):(0,o.createCommentVNode)("",!0)],8,l)}}};const h=(0,r(18152).c)(u,[["__file","IndexEmptyDialog.vue"]])},28139:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n=(0,o.createElementVNode)("svg",{class:"inline-block text-gray-300 dark:text-gray-500",xmlns:"http://www.w3.org/2000/svg",width:"65",height:"51",viewBox:"0 0 65 51"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M56 40h2c.552285 0 1 .447715 1 1s-.447715 1-1 1h-2v2c0 .552285-.447715 1-1 1s-1-.447715-1-1v-2h-2c-.552285 0-1-.447715-1-1s.447715-1 1-1h2v-2c0-.552285.447715-1 1-1s1 .447715 1 1v2zm-5.364125-8H38v8h7.049375c.350333-3.528515 2.534789-6.517471 5.5865-8zm-5.5865 10H6c-3.313708 0-6-2.686292-6-6V6c0-3.313708 2.686292-6 6-6h44c3.313708 0 6 2.686292 6 6v25.049375C61.053323 31.5511 65 35.814652 65 41c0 5.522847-4.477153 10-10 10-5.185348 0-9.4489-3.946677-9.950625-9zM20 30h16v-8H20v8zm0 2v8h16v-8H20zm34-2v-8H38v8h16zM2 30h16v-8H2v8zm0 2v4c0 2.209139 1.790861 4 4 4h12v-8H2zm18-12h16v-8H20v8zm34 0v-8H38v8h16zM2 20h16v-8H2v8zm52-10V6c0-2.209139-1.790861-4-4-4H6C3.790861 2 2 3.790861 2 6v4h52zm1 39c4.418278 0 8-3.581722 8-8s-3.581722-8-8-8-8 3.581722-8 8 3.581722 8 8 8z"})],-1),l={class:"text-base font-normal mt-3"};const i={components:{Button:r(10076).c},emits:["click"],props:{resource:{type:Object,required:!0}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(d,{class:"flex flex-col justify-center items-center px-6 py-8"},{default:(0,o.withCtx)((()=>[n,(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(e.__("Failed to load :resource!",{resource:e.__(`${r.resource.label}`)})),1),(0,o.createVNode)(c,{class:"shrink-0 mt-6",onClick:t[0]||(t[0]=t=>e.$emit("click")),variant:"outline",label:e.__("Reload")},null,8,["label"])])),_:1})}],["__file","IndexErrorDialog.vue"]])},16896:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"text-xs font-semibold text-gray-400 text-right space-x-1"},l=(0,o.createElementVNode)("span",null,"/",-1),i={__name:"CharacterCounter",props:{count:{type:Number},limit:{type:Number}},setup(e){const t=e,r=(0,o.computed)((()=>t.count/t.limit)),i=(0,o.computed)((()=>r.value>.7&&r.value<=.9)),a=(0,o.computed)((()=>r.value>.9));return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.createElementVNode)("span",{class:(0,o.normalizeClass)({"text-red-500":a.value,"text-yellow-500":i.value})},(0,o.toDisplayString)(e.count),3),l,(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.limit),1)]))}};const a=(0,r(18152).c)(i,[["__file","CharacterCounter.vue"]])},20788:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"relative h-9 w-full md:w-1/3 md:shrink-0"};const l={emits:["update:keyword"],props:{keyword:{type:String}},methods:{handleChange(e){this.$emit("update:keyword",e?.target?.value||"")}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon"),c=(0,o.resolveComponent)("RoundInput");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(s,{type:"search",width:"20",class:"absolute ml-2 text-gray-400",style:{top:"4px"}}),(0,o.createVNode)(c,{dusk:"search-input",class:"appearance-none bg-white dark:bg-gray-800 shadow rounded-full h-8 w-full dark:focus:bg-gray-800",placeholder:e.__("Search"),type:"search",value:r.keyword,onInput:a.handleChange,spellcheck:"false","aria-label":e.__("Search")},null,8,["placeholder","value","onInput","aria-label"])])}],["__file","IndexSearchInput.vue"]])},81232:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const i={};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("input",(0,o.mergeProps)(function(e){for(var t=1;t{"use strict";r.r(t),r.d(t,{default:()=>B});var o=r(74032);const n=["dusk"],l=["tabindex","aria-expanded","dusk"],i={class:"text-gray-400 dark:text-gray-400"},a=["dusk"],s=[(0,o.createElementVNode)("svg",{class:"block fill-current icon h-2 w-2",xmlns:"http://www.w3.org/2000/svg",viewBox:"278.046 126.846 235.908 235.908"},[(0,o.createElementVNode)("path",{d:"M506.784 134.017c-9.56-9.56-25.06-9.56-34.62 0L396 210.18l-76.164-76.164c-9.56-9.56-25.06-9.56-34.62 0-9.56 9.56-9.56 25.06 0 34.62L361.38 244.8l-76.164 76.165c-9.56 9.56-9.56 25.06 0 34.62 9.56 9.56 25.06 9.56 34.62 0L396 279.42l76.164 76.165c9.56 9.56 25.06 9.56 34.62 0 9.56-9.56 9.56-25.06 0-34.62L430.62 244.8l76.164-76.163c9.56-9.56 9.56-25.06 0-34.62z"})],-1)],c=["dusk"],d=["disabled","placeholder"],u=["dusk"],h=["dusk","onClick"];var p=r(73336),m=r.n(p),v=r(22988),f=r.n(v),g=r(19448),w=r.n(g),k=r(92604),y=r(63916);function b(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function x(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const C={emits:["clear","input","shown","closed","selected"],inheritAttrs:!1,props:function(e){for(var t=1;t({debouncer:null,show:!1,searchValue:"",selectedOptionIndex:0,popper:null,inputWidth:null}),watch:{searchValue(e){this.selectedOptionIndex=0,this.$refs.container?this.$refs.container.scrollTop=0:this.$nextTick((()=>{this.$refs.container.scrollTop=0})),this.debouncer((()=>{this.$emit("input",e)}))},show(e){if(e){let e=f()(this.data,[this.trackBy,w()(this.value,this.trackBy)]);-1!==e&&(this.selectedOptionIndex=e),this.inputWidth=this.$refs.input.offsetWidth,Nova.$emit("disable-focus-trap"),this.$nextTick((()=>{this.popper=(0,k.uV)(this.$refs.input,this.$refs.dropdown,{placement:"bottom-start",onFirstUpdate:e=>{this.$refs.container.scrollTop=this.$refs.container.scrollHeight,this.updateScrollPosition(),this.$refs.search.focus()}})}))}else this.$refs.search.blur(),this.popper&&this.popper.destroy(),Nova.$emit("enable-focus-trap")}},created(){this.debouncer=m()((e=>e()),this.debounce)},mounted(){document.addEventListener("keydown",this.handleEscape)},beforeUnmount(){document.removeEventListener("keydown",this.handleEscape)},methods:{handleEscape(e){!this.show||9!=e.keyCode&&27!=e.keyCode||setTimeout((()=>this.close()),50)},getTrackedByKey(e){return w()(e,this.trackBy)},open(){this.disabled||this.readOnly||(this.show=!0,this.searchValue="",this.$emit("shown"))},close(){this.show=!1,this.$emit("closed")},clear(){this.disabled||(this.selectedOptionIndex=null,this.$emit("clear",null))},move(e){let t=this.selectedOptionIndex+e;t>=0&&t{this.$refs.selected&&this.$refs.selected[0]&&(this.$refs.selected[0].offsetTop>this.$refs.container.scrollTop+this.$refs.container.clientHeight-this.$refs.selected[0].clientHeight&&(this.$refs.container.scrollTop=this.$refs.selected[0].offsetTop+this.$refs.selected[0].clientHeight-this.$refs.container.clientHeight),this.$refs.selected[0].offsetTopthis.close())))},choose(e){this.selectedOptionIndex=f()(this.data,[this.trackBy,w()(e,this.trackBy)]),this.$emit("selected",e),this.$refs.input.blur(),this.$nextTick((()=>this.close()))}},computed:{shouldShowDropdownArrow(){return""==this.value||null==this.value||!this.clearable}}};const B=(0,r(18152).c)(C,[["render",function(e,t,r,p,m,v){const f=(0,o.resolveComponent)("IconArrow"),g=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",(0,o.mergeProps)(e.$attrs,{class:"relative",dusk:r.dusk,ref:"searchInputContainer"}),[(0,o.createElementVNode)("div",{ref:"input",onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["stop"])),onKeydown:[t[1]||(t[1]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["prevent"]),["space"])),t[2]||(t[2]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["prevent"]),["down"])),t[3]||(t[3]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["prevent"]),["up"]))],class:(0,o.normalizeClass)([{"ring dark:border-gray-500 dark:ring-gray-700":e.show,"form-input-border-error":r.error,"bg-gray-50 dark:bg-gray-700":r.disabled||r.readOnly},"relative flex items-center form-control form-input form-control-bordered form-select pr-6"]),tabindex:e.show?-1:0,"aria-expanded":!0===e.show?"true":"false",dusk:`${r.dusk}-selected`},[v.shouldShowDropdownArrow&&!r.disabled?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"pointer-events-none form-select-arrow"})):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",i,(0,o.toDisplayString)(e.__("Click to choose")),1)]))],42,l),v.shouldShowDropdownArrow||r.disabled?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",onClick:t[4]||(t[4]=(...e)=>v.clear&&v.clear(...e)),tabindex:"-1",class:"absolute p-2 inline-block right-[4px]",style:{top:"6px"},dusk:`${r.dusk}-clear-button`},s,8,a))],16,n),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[e.show?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,ref:"dropdown",class:"rounded-lg px-0 bg-white dark:bg-gray-900 shadow border border-gray-200 dark:border-gray-700 absolute top-0 left-0 my-1 overflow-hidden",style:(0,o.normalizeStyle)({width:e.inputWidth+"px",zIndex:2e3}),dusk:`${r.dusk}-dropdown`},[(0,o.withDirectives)((0,o.createElementVNode)("input",{disabled:r.disabled||r.readOnly,"onUpdate:modelValue":t[5]||(t[5]=t=>e.searchValue=t),ref:"search",onKeydown:[t[6]||(t[6]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.chooseSelected&&v.chooseSelected(...e)),["prevent"]),["enter"])),t[7]||(t[7]=(0,o.withKeys)((0,o.withModifiers)((e=>v.move(1)),["prevent"]),["down"])),t[8]||(t[8]=(0,o.withKeys)((0,o.withModifiers)((e=>v.move(-1)),["prevent"]),["up"]))],class:"h-10 outline-none w-full px-3 text-sm leading-normal bg-white dark:bg-gray-700 rounded-t border-b border-gray-200 dark:border-gray-800",tabindex:"-1",type:"search",placeholder:e.__("Search"),spellcheck:"false"},null,40,d),[[o.vModelText,e.searchValue]]),(0,o.createElementVNode)("div",{ref:"container",class:"relative overflow-y-scroll text-sm",tabindex:"-1",style:{"max-height":"155px"},dusk:`${r.dusk}-results`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.data,((t,n)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${r.dusk}-result-${n}`,key:v.getTrackedByKey(t),ref_for:!0,ref:n===e.selectedOptionIndex?"selected":"unselected",onClick:(0,o.withModifiers)((e=>v.choose(t)),["stop"]),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer z-[50]",{"border-t border-gray-100 dark:border-gray-700":0!==n,[`search-input-item-${n}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":n!==e.selectedOptionIndex,"bg-primary-500 text-white dark:text-gray-900":n===e.selectedOptionIndex}])},[(0,o.renderSlot)(e.$slots,"option",{option:t,selected:n===e.selectedOptionIndex})],10,h)))),128))],8,u)],12,c)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(g,{onClick:v.close,show:e.show,style:{zIndex:1999}},null,8,["onClick","show"])]))],64)}],["__file","SearchInput.vue"]])},1811:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={class:"flex items-center"},l={key:0,class:"flex-none mr-3"},i=["src"],a={class:"flex-auto"},s={key:0},c={key:1},d={__name:"SearchInputResult",props:{option:{type:Object,required:!0},selected:{type:Boolean,default:!1},withSubtitles:{type:Boolean,default:!0}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[e.option.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("img",{src:e.option.avatar,class:"w-8 h-8 rounded-full block"},null,8,i)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-sm font-semibold leading-normal",{"text-white dark:text-gray-900":e.selected}])},(0,o.toDisplayString)(e.option.display),3),e.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["text-xs font-semibold leading-normal text-gray-500",{"text-white dark:text-gray-700":e.selected}])},[e.option.subtitle?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(e.option.subtitle),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",c,(0,o.toDisplayString)(t.__("No additional information...")),1))],2)):(0,o.createCommentVNode)("",!0)])]))};const u=(0,r(18152).c)(d,[["__file","SearchInputResult.vue"]])},79472:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>w});var o=r(74032),n=r(92604),l=r(73336),i=r.n(l),a=r(19448),s=r.n(a),c=r(61468);const d=["dusk"],u={class:"relative"},h=["onKeydown","disabled","placeholder","aria-expanded"],p=["dusk"],m=["dusk"],v={key:0,class:"px-3 py-2"},f=["dusk","onClick"],g=Object.assign({inheritAttrs:!1},{__name:"SearchSearchInput",props:{dusk:{},error:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},options:{type:Array,default:[]},loading:{type:Boolean,default:!1},debounce:{type:Number,default:500},trackBy:{type:String}},emits:["clear","input","selected"],setup(e,{emit:t}){const r=t,l=e,a=i()((e=>e()),l.debounce),g=(0,o.ref)(null),w=(0,o.ref)(null),k=(0,o.ref)(null),y=(0,o.ref)(null),b=(0,o.ref)(null),x=(0,o.ref)(null),C=(0,o.ref)(""),B=(0,o.ref)(!1),N=(0,o.ref)(0);(0,c.KIJ)(document,"keydown",(e=>{!B.value||9!==e.keyCode&&27!==e.keyCode||setTimeout((()=>_()),50)})),(0,o.watch)(C,(e=>{e&&(B.value=!0),N.value=0,y.value?y.value.scrollTop=0:(0,o.nextTick)((()=>y.value.scrollTop=0)),a((()=>r("input",e)))})),(0,o.watch)(B,(e=>!0===e?(0,o.nextTick)((()=>{g.value=(0,n.uV)(w.value,k.value,{placement:"bottom-start",onFirstUpdate:()=>{b.value.scrollTop=b.value.scrollHeight,R()}})})):g.value.destroy()));const V=(0,o.computed)((()=>w.value?.offsetWidth));function E(e){return s()(e,l.trackBy)}function S(){B.value=!0}function _(){B.value=!1}function H(e){let t=N.value+e;t>=0&&tR())))}function O(e){r("selected",e),(0,o.nextTick)((()=>_())),C.value=""}function M(e){if(e.isComposing||229===e.keyCode)return;var t;O((t=N.value,l.options[t]))}function R(){x.value&&(x.value.offsetTop>y.value.scrollTop+y.value.clientHeight-x.value.clientHeight&&(y.value.scrollTop=x.value.offsetTop+x.value.clientHeight-y.value.clientHeight),x.value.offsetTop{const n=(0,o.resolveComponent)("Loader"),l=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)({ref_key:"searchInputContainer",ref:b},t.$attrs,{dusk:e.dusk}),[(0,o.createElementVNode)("div",u,[(0,o.withDirectives)((0,o.createElementVNode)("input",{onClick:(0,o.withModifiers)(S,["stop"]),onKeydown:[(0,o.withKeys)((0,o.withModifiers)(M,["prevent"]),["enter"]),r[0]||(r[0]=(0,o.withKeys)((0,o.withModifiers)((e=>H(1)),["prevent"]),["down"])),r[1]||(r[1]=(0,o.withKeys)((0,o.withModifiers)((e=>H(-1)),["prevent"]),["up"]))],class:(0,o.normalizeClass)(["block w-full form-control form-input form-control-bordered",{"form-control-bordered-error":e.error}]),"onUpdate:modelValue":r[2]||(r[2]=e=>C.value=e),disabled:e.disabled,ref_key:"searchInput",ref:w,tabindex:"0",type:"search",placeholder:t.__("Search"),spellcheck:"false","aria-expanded":!0===B.value?"true":"false"},null,42,h),[[o.vModelText,C.value]])]),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[B.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,ref_key:"searchResultsDropdown",ref:k,style:{zIndex:2e3},dusk:`${e.dusk}-dropdown`},[(0,o.withDirectives)((0,o.createElementVNode)("div",{class:"rounded-lg px-0 bg-white dark:bg-gray-900 shadow border border-gray-200 dark:border-gray-700 my-1 overflow-hidden",style:(0,o.normalizeStyle)({width:V.value+"px",zIndex:2e3})},[(0,o.createElementVNode)("div",{ref_key:"searchResultsContainer",ref:y,class:"relative overflow-y-scroll text-sm divide-y divide-gray-100 dark:divide-gray-800",tabindex:"-1",style:{"max-height":"155px"},dusk:`${e.dusk}-results`},[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",v,[(0,o.createVNode)(n,{width:"30"})])):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e.options,((r,n)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.dusk}-result-${n}`,onClick:(0,o.withModifiers)((e=>O(r)),["stop"]),ref_for:!0,ref:e=>function(e,t){N.value===e&&(x.value=t)}(n,e),key:E(r),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer",{[`search-input-item-${n}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":n!==N.value,"bg-primary-500 text-white dark:text-gray-900":n===N.value}])},[(0,o.renderSlot)(t.$slots,"option",{option:r,selected:n===N.value,dusk:`${e.dusk}-result-${n}`})],10,f)))),128))],8,m)],4),[[o.vShow,e.loading||e.options.length>0]])],8,p)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(l,{onClick:_,show:B.value,class:"z-[35]"},null,8,["show"])]))],16,d)}}});const w=(0,r(18152).c)(g,[["__file","SearchSearchInput.vue"]])},71724:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032),n=r(10076);const l={class:"py-1"},i={__name:"LensSelector",props:["resourceName","lenses"],setup:e=>(t,r)=>{const i=(0,o.resolveComponent)("DropdownMenuItem"),a=(0,o.resolveComponent)("DropdownMenu"),s=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(s,{placement:"bottom-end"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{class:"divide-y divide-gray-100 dark:divide-gray-800 divide-solid px-1",width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.lenses,(r=>((0,o.openBlock)(),(0,o.createBlock)(i,{key:r.uriKey,href:t.$url(`/resources/${e.resourceName}/lens/${r.uriKey}`),as:"link",class:"px-3 py-2 hover:bg-gray-50 dark:hover:bg-gray-800"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.name),1)])),_:2},1032,["href"])))),128))])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(n.c),{variant:"ghost",padding:"tight",icon:"video-camera","trailing-icon":"chevron-down","aria-label":t.__("Lens Dropdown")},null,8,["aria-label"])])),_:1})}};const a=(0,r(18152).c)(i,[["__file","LensSelector.vue"]])},96584:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={key:0,href:"https://nova.laravel.com/licenses",class:"inline-block text-red-500 text-xs font-bold mt-1 text-center uppercase"};const l={computed:(0,r(48936).gV)(["validLicense"])};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return e.validLicense?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("a",n,(0,o.toDisplayString)(e.__("Unregistered")),1))}],["__file","LicenseWarning.vue"]])},90484:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"absolute inset-0 z-30 flex items-center justify-center rounded-lg bg-white dark:bg-gray-800"};const l={props:{loading:{type:Boolean,default:!0}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Loader"),c=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(c,{class:"isolate"},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("div",n,[(0,o.createVNode)(s,{class:"text-gray-300",width:"30"})],512),[[o.vShow,r.loading]]),(0,o.renderSlot)(e.$slots,"default")])),_:3})}],["__file","LoadingCard.vue"]])},14928:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={key:0,dusk:"loading-view",class:"absolute inset-0 z-20 bg-white/75 dark:bg-gray-800/75 flex items-center justify-center p-6"},l={__name:"LoadingView",props:{loading:{type:Boolean,default:!0},variant:{type:String,validator:e=>["default","overlay"].includes(e),default:"default"}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Loader");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["relative",{"overflow-hidden":e.loading}])},["default"===e.variant?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,dusk:"loading-view",class:(0,o.normalizeClass)({"flex items-center justify-center z-30 p-6":"default"===e.variant,"absolute inset-0 z-30 bg-white/75 flex items-center justify-center p-6":"overlay"===e.variant}),style:{"min-height":"220px"}},[(0,o.createVNode)(l,{class:"text-gray-300"})],2)):(0,o.renderSlot)(t.$slots,"default",{key:1})],64)):(0,o.createCommentVNode)("",!0),"overlay"===e.variant?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:1},[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",n)):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(t.$slots,"default")],64)):(0,o.createCommentVNode)("",!0)],2)}};const i=(0,r(18152).c)(l,[["__file","LoadingView.vue"]])},40916:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>E});var o=r(74032),n=r(6196),l=r(77924),i=r(95368),a=r.n(i),s=r(94960),c=r.n(s),d=r(14764),u=r.n(d);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t{const a=e.getDoc();return{setValue(e){a.setValue(e),this.refresh()},focus(){n.value=!0},refresh(){(0,o.nextTick)((()=>e.refresh()))},insert(e){let t=a.getCursor();a.replaceRange(e,{line:t.line,ch:t.ch})},insertAround(e,t){if(a.somethingSelected()){const r=a.getSelection();a.replaceSelection(e+r+t)}else{let r=a.getCursor();a.replaceRange(e+t,{line:r.line,ch:r.ch}),a.setCursor({line:r.line,ch:r.ch+e.length})}},insertBefore(e,t){if(a.somethingSelected()){a.listSelections().forEach((r=>{const o=[r.head.line,r.anchor.line].sort();for(let t=o[0];t<=o[1];t++)a.replaceRange(e,{line:t,ch:0});a.setCursor({line:o[0],ch:t||0})}))}else{let r=a.getCursor();a.replaceRange(e,{line:r.line,ch:0}),a.setCursor({line:r.line,ch:t||0})}},uploadAttachment(e){if(!u()(t.uploader)){l.value=l.value+1;const o=`![Uploading ${e.name}…]()`;this.insert(o),t.uploader(e,{onCompleted:t=>{let n=a.getValue();n=n.replace(o,`![${e.name}](${t})`),a.setValue(n),r("change",n),i.value=i.value+1},onFailure:e=>{l.value=l.value-1}})}}}},g=(e,t,{props:r,emit:n,isFocused:l})=>{const i=e.getDoc();e.on("focus",(()=>l.value=!0)),e.on("blur",(()=>l.value=!1)),i.on("change",((e,t)=>{"setValue"!==t.origin&&n("change",e.getValue())})),e.on("paste",((e,r)=>{(e=>{if(e.clipboardData&&e.clipboardData.items){const r=e.clipboardData.items;for(let o=0;o{!0===t&&!1===r&&e.focus()}))},w=(e,{emit:t,props:r,isEditable:o,isFocused:n,isFullScreen:l,filesCount:i,filesUploaded:s,unmountMarkdownEditor:d})=>{const u=a().fromTextArea(e.value,{tabSize:4,indentWithTabs:!0,lineWrapping:!0,mode:"markdown",viewportMargin:1/0,extraKeys:{Enter:"newlineAndIndentContinueMarkdownList"},readOnly:r.readonly}),h=(u.getDoc(),f(u,{props:r,emit:t,isFocused:n,filesCount:i,filesUploaded:s})),m=((e,{isEditable:t,isFullScreen:r})=>({bold(){t&&e.insertAround("**","**")},italicize(){t&&e.insertAround("*","*")},image(){t&&e.insertBefore("![](url)",2)},link(){t&&e.insertAround("[","](url)")},toggleFullScreen(){r.value=!r.value,e.refresh()},fullScreen(){r.value=!0,e.refresh()},exitFullScreen(){r.value=!1,e.refresh()}}))(h,{isEditable:o,isFullScreen:l});return((e,t)=>{const r={"Cmd-B":"bold","Cmd-I":"italicize","Cmd-Alt-I":"image","Cmd-K":"link",F11:"fullScreen",Esc:"exitFullScreen"};c()(r,((o,n)=>{const l=n.replace("Cmd-",a().keyMap.default==a().keyMap.macDefault?"Cmd-":"Ctrl-");e.options.extraKeys[l]=t[r[n]].bind(void 0)}))})(u,m),g(u,h,{props:r,emit:t,isFocused:n}),h.refresh(),{editor:u,unmount:()=>{u.toTextArea(),d()},actions:p(p(p({},h),m),{},{handle(e,t){r.readonly||(n.value=!0,m[t].call(e))}})}};function k(e,t){const r=(0,o.ref)(!1),n=(0,o.ref)(!1),l=(0,o.ref)(""),i=(0,o.ref)("write"),a=(0,o.ref)(v("Attach files by dragging & dropping, selecting or pasting them.")),s=(0,o.ref)(0),c=(0,o.ref)(0),d=(0,o.computed)((()=>t.readonly&&"write"==i.value)),h=()=>{r.value=!1,n.value=!1,i.value="write",l.value="",s.value=0,c.value=0};return u()(t.uploader)||(0,o.watch)([c,s],(([e,t])=>{a.value=t>e?v("Uploading files... (:current/:total)",{current:e,total:t}):v("Attach files by dragging & dropping, selecting or pasting them.")})),{createMarkdownEditor:(o,l)=>w.call(o,l,{emit:e,props:t,isEditable:d,isFocused:n,isFullScreen:r,filesCount:s,filesUploaded:c,unmountMarkdownEditor:h}),isFullScreen:r,isFocused:n,isEditable:d,visualMode:i,previewContent:l,statusContent:a}}const y=["dusk"],b={class:"w-full flex items-center content-center"},x=["dusk"],C={class:"p-4"},B=["dusk"],N=["dusk","innerHTML"],V={__name:"MarkdownEditor",props:{id:{type:String,required:!0},readonly:{type:Boolean,default:!1},previewer:{type:[Object,Function],required:!1,default:null},uploader:{type:[Object,Function],required:!1,default:null}},emits:["initialize","change"],setup(e,{expose:t,emit:r}){const{__:i}=(0,l.C)(),a=r,s=e,{createMarkdownEditor:c,isFullScreen:d,isFocused:u,isEditable:h,visualMode:p,previewContent:m,statusContent:v}=k(a,s);let f=null;const g=(0,o.ref)(null),w=(0,o.ref)(null),V=()=>w.value.click(),E=()=>{if(s.uploader&&f.actions){const e=w.value.files;for(let t=0;t{if(s.uploader&&f.actions){const t=e.dataTransfer.files;for(let e=0;e{f=c(this,g),a("initialize")})),(0,o.onBeforeUnmount)((()=>f.unmount()));const M=()=>{p.value="write",f.actions.refresh()},R=async()=>{m.value=await s.previewer(f.editor.getValue()??""),p.value="preview"},D=e=>{f.actions.handle(this,e)};return t({setValue(e){f?.actions&&f.actions.setValue(e)},setOption(e,t){f?.editor&&f.editor.setOption(e,t)}}),(t,r)=>{const n=(0,o.resolveComponent)("MarkdownEditorToolbar");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:e.id,class:(0,o.normalizeClass)(["bg-white dark:bg-gray-900 rounded-lg",{"markdown-fullscreen fixed inset-0 z-50 overflow-x-hidden overflow-y-auto":(0,o.unref)(d),"form-input form-control-bordered px-0 overflow-hidden":!(0,o.unref)(d),"outline-none ring ring-primary-100 dark:ring-gray-700":(0,o.unref)(u)}]),onDragenter:r[1]||(r[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(_)&&(0,o.unref)(_)(...e)),["prevent"])),onDragleave:r[2]||(r[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(H)&&(0,o.unref)(H)(...e)),["prevent"])),onDragover:r[3]||(r[3]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:(0,o.withModifiers)(O,["prevent"])},[(0,o.createElementVNode)("header",{class:(0,o.normalizeClass)(["bg-white dark:bg-gray-900 flex items-center content-center justify-between border-b border-gray-200 dark:border-gray-700",{"fixed top-0 w-full z-10":(0,o.unref)(d),"bg-gray-100":e.readonly}])},[(0,o.createElementVNode)("div",b,[(0,o.createElementVNode)("button",{type:"button",class:(0,o.normalizeClass)([{"text-primary-500 font-bold":"write"===(0,o.unref)(p)},"ml-1 px-3 h-10 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"]),onClick:(0,o.withModifiers)(M,["stop"])},(0,o.toDisplayString)((0,o.unref)(i)("Write")),3),e.previewer?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",class:(0,o.normalizeClass)([{"text-primary-500 font-bold":"preview"===(0,o.unref)(p)},"px-3 h-10 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"]),onClick:(0,o.withModifiers)(R,["stop"])},(0,o.toDisplayString)((0,o.unref)(i)("Preview")),3)):(0,o.createCommentVNode)("",!0)]),e.readonly?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(n,{key:0,onAction:D,dusk:"markdown-toolbar"}))],2),(0,o.withDirectives)((0,o.createElementVNode)("div",{onClick:r[0]||(r[0]=e=>u.value=!0),class:(0,o.normalizeClass)(["dark:bg-gray-900",{"mt-6":(0,o.unref)(d),"readonly bg-gray-100":e.readonly}]),dusk:(0,o.unref)(d)?"markdown-fullscreen-editor":"markdown-editor"},[(0,o.createElementVNode)("div",C,[(0,o.createElementVNode)("textarea",{ref_key:"theTextarea",ref:g,class:(0,o.normalizeClass)({"bg-gray-100":e.readonly})},null,2)]),s.uploader?((0,o.openBlock)(),(0,o.createElementBlock)("label",{key:0,onChange:(0,o.withModifiers)(V,["prevent"]),class:(0,o.normalizeClass)(["cursor-pointer block bg-gray-100 dark:bg-gray-700 text-gray-400 text-xxs px-2 py-1",{hidden:(0,o.unref)(d)}]),dusk:`${e.id}-file-picker`},[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)((0,o.unref)(v)),1),(0,o.createElementVNode)("input",{ref_key:"fileInput",ref:w,type:"file",class:"hidden",accept:"image/*",multiple:!0,onChange:(0,o.withModifiers)(E,["prevent"])},null,544)],42,B)):(0,o.createCommentVNode)("",!0)],10,x),[[o.vShow,"write"==(0,o.unref)(p)]]),(0,o.withDirectives)((0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["prose prose-sm dark:prose-invert overflow-auto max-w-none p-4",{"mt-6":(0,o.unref)(d)}]),dusk:(0,o.unref)(d)?"markdown-fullscreen-previewer":"markdown-previewer",innerHTML:(0,o.unref)(m)},null,10,N),[[o.vShow,"preview"==(0,o.unref)(p)]])],42,y)}}};const E=(0,r(18152).c)(V,[["__file","MarkdownEditor.vue"]])},23748:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"flex items-center"},l=["onClick"],i={__name:"MarkdownEditorToolbar",emits:["action"],setup(e,{emit:t}){const r=t,i=(0,o.computed)((()=>[{name:"bold",action:"bold",icon:"icon-bold"},{name:"italicize",action:"italicize",icon:"icon-italic"},{name:"link",action:"link",icon:"icon-link"},{name:"image",action:"image",icon:"icon-image"},{name:"fullScreen",action:"toggleFullScreen",icon:"icon-full-screen"}]));return(e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i.value,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:e.action,onClick:(0,o.withModifiers)((t=>{return o=e.action,r("action",o);var o}),["prevent"]),class:"rounded-none w-10 h-10 fill-gray-500 dark:fill-gray-400 hover:fill-gray-700 dark:hover:fill-gray-600 active:fill-gray-800 inline-flex items-center justify-center px-2 text-sm border-l border-gray-200 dark:border-gray-700 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.icon),{dusk:e.action,class:"w-4 h-4"},null,8,["dusk"]))],8,l)))),128))]))}};const a=(0,r(18152).c)(i,[["__file","MarkdownEditorToolbar.vue"]])},80896:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={key:0,class:"text-gray-500 font-semibold","aria-label":"breadcrumb",dusk:"breadcrumbs"},l={class:"flex items-center"},i={key:1};function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;t0}})};const u=(0,r(18152).c)(d,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("Icon");return c.hasItems?((0,o.openBlock)(),(0,o.createElementBlock)("nav",n,[(0,o.createElementVNode)("ol",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.breadcrumbs,((t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",(0,o.mergeProps)({class:"inline-block"},{"aria-current":r===e.breadcrumbs.length-1?"page":null}),[(0,o.createElementVNode)("div",l,[null!==t.path&&r[(0,o.createTextVNode)((0,o.toDisplayString)(t.name),1)])),_:2},1032,["href"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(t.name),1)),r{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={key:0,class:"sidebar-menu space-y-6",dusk:"sidebar-menu",role:"navigation"};function l(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function i(e){for(var t=1;t0}})};const c=(0,r(18152).c)(s,[["render",function(e,t,r,l,i,a){return a.hasItems?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.mainMenu,((e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{key:e.key,item:e},null,8,["item"])))),128))])):(0,o.createCommentVNode)("",!0)}],["__file","MainMenu.vue"]])},58416:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={key:0},l=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1),i={class:"flex-1 flex items-center w-full tracking-wide uppercase font-bold text-left text-xs px-3 py-1"},a={key:0,class:"inline-flex items-center justify-center shrink-0 w-6 h-6"},s={key:0};const c={mixins:[r(63916).q],props:["item"],methods:{handleClick(){this.item.collapsable&&this.toggleCollapse()}},computed:{component(){return this.item.items.length>0?"div":"h3"},displayAsButton(){return this.item.items.length>0&&this.item.collapsable},collapsedByDefault(){return this.item?.collapsedByDefault??!1}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("CollapseButton");return r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("h4",{onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>u.handleClick&&u.handleClick(...e)),["prevent"])),class:(0,o.normalizeClass)(["flex items-center px-1 py-1 rounded text-left text-gray-500",{"cursor-pointer hover:bg-gray-200 dark:hover:bg-gray-800":u.displayAsButton,"font-bold text-primary-500 dark:text-primary-500":r.item.active}])},[l,(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(r.item.name),1),r.item.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("span",a,[(0,o.createVNode)(h,{collapsed:e.collapsed,to:r.item.path},null,8,["collapsed","to"])])):(0,o.createCommentVNode)("",!0)],2),e.collapsed?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{key:e.name,item:e},null,8,["item"])))),128))]))])):(0,o.createCommentVNode)("",!0)}],["__file","MenuGroup.vue"]])},54084:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(74032);const n=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1),l={class:"flex-1 flex items-center w-full px-3 text-sm"},i={class:"inline-block h-6 shrink-0"};var a=r(10552),s=r.n(a),c=r(56756),d=r.n(c),u=r(43028),h=r.n(u),p=r(79088),m=r.n(p),v=r(48936);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t[n,(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",i,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,"extra-classes":r.item.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.item.badge.value),1)])),_:1},8,["extra-classes"])):(0,o.createCommentVNode)("",!0)])])),_:1},16,["data-active-link","class","onClick"]))])}],["__file","MenuItem.vue"]])},60692:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"sidebar-list"};const l={props:["item"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("menu-item");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:e.key,item:e},null,8,["item"])))),128))])}],["__file","MenuList.vue"]])},73832:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(74032);const n={key:0,class:"relative"},l={class:"inline-block shrink-0 w-6 h-6"},i={class:"flex-1 flex items-center w-full px-3 text-base"},a={class:"inline-block h-6 shrink-0"},s={key:0,class:"inline-flex items-center justify-center shrink-0 w-6 h-6"},c={key:0,class:"mt-1 flex flex-col"};var d=r(63916),u=r(48936);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t0&&this.item.collapsable?"button":"h3"},displayAsButton(){return["Link","button"].includes(this.component)},collapsedByDefault(){return this.item?.collapsedByDefault??!1}})};const f=(0,r(18152).c)(v,[["render",function(e,t,r,d,u,h){const p=(0,o.resolveComponent)("Badge"),m=(0,o.resolveComponent)("CollapseButton");return r.item.path||r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(h.component),{href:r.item.path??null,onClick:(0,o.withModifiers)(h.handleClick,["prevent"]),tabindex:h.displayAsButton?0:null,class:(0,o.normalizeClass)(["w-full flex items-start px-1 py-1 rounded text-left text-gray-500 dark:text-gray-500 focus:outline-none focus:ring focus:ring-primary-200 dark:focus:ring-gray-600",{"cursor-pointer hover:bg-gray-200 dark:hover:bg-gray-800":h.displayAsButton,"font-bold text-primary-500 dark:text-primary-500":r.item.active}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",l,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`heroicons-outline-${r.item.icon}`),{height:"24",width:"24"}))]),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",a,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,"extra-classes":r.item.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.item.badge.value),1)])),_:1},8,["extra-classes"])):(0,o.createCommentVNode)("",!0)]),r.item.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,[(0,o.createVNode)(m,{collapsed:e.collapsed,to:r.item.path},null,8,["collapsed","to"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["href","onClick","tabindex","class"])),r.item.items.length>0&&!e.collapsed?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{key:e.name,item:e},null,8,["item"])))),128))])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)}],["__file","MenuSection.vue"]])},91368:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(74032);const n={class:"h-6 flex mb-3 text-sm font-bold"},l={class:"ml-auto font-semibold text-gray-400 text-xs"},i={class:"flex min-h-[90px]"};var a=r(73336),s=r.n(a),c=r(17096),d=r.n(c),u=r(26356),h=r.n(u),p=r(52136),m=r.n(p);r(6896);const v={name:"BasePartitionMetric",props:{loading:Boolean,title:String,helpText:{},helpWidth:{},chartData:Array,legendsHeight:{type:String,default:"fixed"}},data:()=>({chartist:null,resizeObserver:null}),watch:{chartData:function(e,t){this.renderChart()}},created(){const e=s()((e=>e()),Nova.config("debounce"));this.resizeObserver=new ResizeObserver((t=>{e((()=>{this.renderChart()}))}))},mounted(){this.chartist=new(m().Pie)(this.$refs.chart,this.formattedChartData,{donut:!0,donutWidth:10,donutSolid:!0,startAngle:270,showLabel:!1}),this.chartist.on("draw",(e=>{"slice"===e.type&&e.element.attr({style:`fill: ${e.meta.color} !important`})})),this.resizeObserver.observe(this.$refs.chart)},beforeUnmount(){this.resizeObserver.unobserve(this.$refs.chart)},methods:{renderChart(){this.chartist.update(this.formattedChartData)},getItemColor:(e,t)=>"string"==typeof e.color?e.color:(e=>["#F5573B","#F99037","#F2CB22","#8FC15D","#098F56","#47C1BF","#1693EB","#6474D7","#9C6ADE","#E471DE"][e])(t)},computed:{chartClasses:()=>[],formattedChartData(){return{labels:this.formattedLabels,series:this.formattedData}},formattedItems(){return d()(this.chartData,((e,t)=>({label:e.label,value:Nova.formatNumber(e.value),color:this.getItemColor(e,t),percentage:Nova.formatNumber(String(e.percentage))})))},formattedLabels(){return d()(this.chartData,(e=>e.label))},formattedData(){return d()(this.chartData,((e,t)=>({value:e.value,meta:{color:this.getItemColor(e,t)}})))},formattedTotal(){let e=this.currentTotal.toFixed(2),t=Math.round(e);return t.toFixed(2)==e?Nova.formatNumber(new String(t)):Nova.formatNumber(new String(e))},currentTotal(){return h()(this.chartData,"value")}}};const f=(0,r(18152).c)(v,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("HelpTextTooltip"),u=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(u,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("h3",n,[(0,o.createTextVNode)((0,o.toDisplayString)(r.title)+" ",1),(0,o.createElementVNode)("span",l,"("+(0,o.toDisplayString)(c.formattedTotal)+" "+(0,o.toDisplayString)(e.__("total"))+")",1)]),(0,o.createVNode)(d,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex-1 overflow-hidden overflow-y-auto",{"max-h-[90px]":"fixed"===r.legendsHeight}])},[(0,o.createElementVNode)("ul",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(c.formattedItems,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:e.color,class:"text-xs leading-normal"},[(0,o.createElementVNode)("span",{class:"inline-block rounded-full w-2 h-2 mr-2",style:(0,o.normalizeStyle)({backgroundColor:e.color})},null,4),(0,o.createTextVNode)((0,o.toDisplayString)(e.label)+" ("+(0,o.toDisplayString)(e.value)+" - "+(0,o.toDisplayString)(e.percentage)+"%) ",1)])))),128))])],2),(0,o.createElementVNode)("div",{ref:"chart",class:(0,o.normalizeClass)(["flex-none rounded-b-lg ct-chart mr-4 w-[90px] h-[90px]",{invisible:this.currentTotal<=0}])},null,2)])])),_:1},8,["loading"])}],["__file","BasePartitionMetric.vue"]])},83176:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032);const n={class:"h-6 flex items-center mb-4"},l={class:"flex-1 mr-3 leading-tight text-sm font-bold"},i={class:"flex-none text-right"},a={class:"text-gray-500 font-medium inline-block"},s={key:0,class:"text-sm"},c={class:"flex items-center text-4xl mb-4"},d={class:"flex h-full justify-center items-center flex-grow-1 mb-4"};var u=r(85676);const h={name:"BaseProgressMetric",props:{loading:{default:!0},title:{},helpText:{},helpWidth:{},maxWidth:{},target:{},value:{},percentage:{},format:{type:String,default:"(0[.]00a)"},avoid:{type:Boolean,default:!1},prefix:"",suffix:"",suffixInflection:{type:Boolean,default:!0}},computed:{isNullValue(){return null==this.value},formattedValue(){if(!this.isNullValue){const e=Nova.formatNumber(new String(this.value),this.format);return`${this.prefix}${e}`}return""},formattedSuffix(){return!1===this.suffixInflection?this.suffix:(0,u.Y7)(this.value,this.suffix)},bgClass(){return this.avoid?this.percentage>60?"bg-yellow-500":"bg-green-300":this.percentage>60?"bg-green-500":"bg-yellow-300"}}};const p=(0,r(18152).c)(h,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("HelpTextTooltip"),v=(0,o.resolveComponent)("ProgressBar"),f=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(f,{loading:r.loading,class:"flex flex-col px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.title),1),(0,o.createVNode)(m,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("span",a,[(0,o.createTextVNode)((0,o.toDisplayString)(p.formattedValue)+" ",1),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(p.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)])])]),(0,o.createElementVNode)("p",c,(0,o.toDisplayString)(r.percentage)+"%",1),(0,o.createElementVNode)("div",d,[(0,o.createVNode)(v,{title:p.formattedValue,color:p.bgClass,value:r.percentage},null,8,["title","color","value"])])])),_:1},8,["loading"])}],["__file","BaseProgressMetric.vue"]])},76492:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(74032);const n={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},i={class:"flex items-center text-4xl mb-4"},a={key:0,class:"ml-2 text-sm font-bold"},s={ref:"chart",class:"absolute inset-0 rounded-b-lg ct-chart",style:{top:"60%"}};var c=r(73336),d=r.n(c),u=r(52136),h=r.n(u),p=(r(6896),r(85676)),m=r(82472),v=r.n(m);r(96792);const f={name:"BaseTrendMetric",emits:["selected"],props:{loading:Boolean,title:{},helpText:{},helpWidth:{},value:{},chartData:{},maxWidth:{},prefix:"",suffix:"",suffixInflection:{type:Boolean,default:!0},ranges:{type:Array,default:()=>[]},selectedRangeKey:[String,Number],format:{type:String,default:"0[.]00a"}},data:()=>({chartist:null,resizeObserver:null}),watch:{selectedRangeKey:function(e,t){this.renderChart()},chartData:function(e,t){this.renderChart()}},created(){const e=d()((e=>e()),Nova.config("debounce"));this.resizeObserver=new ResizeObserver((t=>{e((()=>{this.renderChart()}))}))},mounted(){const e=Math.min(...this.chartData),t=Math.max(...this.chartData),r=e>=0?0:e;this.chartist=new(h().Line)(this.$refs.chart,this.chartData,{lineSmooth:h().Interpolation.none(),fullWidth:!0,showPoint:!0,showLine:!0,showArea:!0,chartPadding:{top:10,right:0,bottom:0,left:0},low:e,high:t,areaBase:r,axisX:{showGrid:!1,showLabel:!0,offset:0},axisY:{showGrid:!1,showLabel:!0,offset:0},plugins:[v()({pointClass:"ct-point",anchorToPoint:!1}),v()({pointClass:"ct-point__left",anchorToPoint:!1,tooltipOffset:{x:50,y:-20}}),v()({pointClass:"ct-point__right",anchorToPoint:!1,tooltipOffset:{x:-50,y:-20}})]}),this.chartist.on("draw",(e=>{"point"===e.type&&(e.element.attr({"ct:value":this.transformTooltipText(e.value.y)}),e.element.addClass(this.transformTooltipClass(e.axisX.ticks.length,e.index)??""))})),this.resizeObserver.observe(this.$refs.chart)},beforeUnmount(){this.resizeObserver.unobserve(this.$refs.chart)},methods:{renderChart(){this.chartist.update(this.chartData)},handleChange(e){const t=e?.target?.value||e;this.$emit("selected",t)},transformTooltipText(e){let t=Nova.formatNumber(new String(e),this.format);if(this.prefix)return`${this.prefix}${t}`;if(this.suffix){return`${t} ${this.suffixInflection?(0,p.Y7)(e,this.suffix):this.suffix}`}return`${t}`},transformTooltipClass:(e,t)=>t<2?"ct-point__left":t>e-3?"ct-point__right":"ct-point"},computed:{isNullValue(){return null==this.value},formattedValue(){if(!this.isNullValue){const e=Nova.formatNumber(new String(this.value),this.format);return`${this.prefix}${e}`}return""},formattedSuffix(){return!1===this.suffixInflection?this.suffix:(0,p.Y7)(this.value,this.suffix)}}};const g=(0,r(18152).c)(f,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("HelpTextTooltip"),p=(0,o.resolveComponent)("SelectControl"),m=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(m,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.title),1),(0,o.createVNode)(h,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),r.ranges.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"ml-auto w-[6rem] shrink-0",size:"xxs",options:r.ranges,selected:r.selectedRangeKey,onChange:u.handleChange,"aria-label":e.__("Select Ranges")},null,8,["options","selected","onChange","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("p",i,[(0,o.createTextVNode)((0,o.toDisplayString)(u.formattedValue)+" ",1),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",a,(0,o.toDisplayString)(u.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",s,null,512)])),_:1},8,["loading"])}],["__file","BaseTrendMetric.vue"]])},45984:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>C});var o=r(74032);const n={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},i={class:"flex items-center mb-4 space-x-4"},a={key:0,class:"rounded-lg bg-primary-500 text-white h-14 w-14 flex items-center justify-center"},s={key:0,class:"ml-2 text-sm font-bold"},c={class:"flex items-center font-bold text-sm"},d={key:0,xmlns:"http://www.w3.org/2000/svg",class:"text-red-500 stroke-current mr-2",width:"24",height:"24",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},u=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 17h8m0 0V9m0 8l-8-8-4 4-6-6"},null,-1)],h={key:1,class:"text-green-500 stroke-current mr-2",width:"24",height:"24",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},p=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 7h8m0 0v8m0-8l-8 8-4-4-6 6"},null,-1)],m={key:2},v={key:0},f={key:1},g={key:3,class:"text-gray-400 font-semibold"},w={key:0},k={key:1},y={key:2};var b=r(85676);const x={name:"BaseValueMetric",mixins:[r(63916).s5],emits:["selected"],props:{loading:{default:!0},copyable:{default:!1},title:{},helpText:{},helpWidth:{},icon:{type:String},maxWidth:{},previous:{},value:{},prefix:"",suffix:"",suffixInflection:{default:!0},selectedRangeKey:[String,Number],ranges:{type:Array,default:()=>[]},format:{type:String,default:"(0[.]00a)"},tooltipFormat:{type:String,default:"(0[.]00)"},zeroResult:{default:!1}},data:()=>({copied:!1}),methods:{handleChange(e){let t=e?.target?.value||e;this.$emit("selected",t)},handleCopyClick(){this.copyable&&(this.copied=!0,this.copyValueToClipboard(this.tooltipFormattedValue),setTimeout((()=>{this.copied=!1}),2e3))}},computed:{growthPercentage(){return Math.abs(this.increaseOrDecrease)},increaseOrDecrease(){return 0===this.previous||null==this.previous||0===this.value?0:(0,b.q8)(this.value,this.previous).toFixed(2)},increaseOrDecreaseLabel(){switch(Math.sign(this.increaseOrDecrease)){case 1:return"Increase";case 0:return"Constant";case-1:return"Decrease"}},sign(){switch(Math.sign(this.increaseOrDecrease)){case 1:return"+";case 0:return"";case-1:return"-"}},isNullValue(){return null==this.value},isNullPreviousValue(){return null==this.previous},formattedValue(){return this.isNullValue?"":this.prefix+Nova.formatNumber(new String(this.value),this.format)},tooltipFormattedValue(){return this.isNullValue?"":this.value},tooltipFormattedPreviousValue(){return this.isNullPreviousValue?"":this.previous},formattedSuffix(){return!1===this.suffixInflection?this.suffix:(0,b.Y7)(this.value,this.suffix)}}};const C=(0,r(18152).c)(x,[["render",function(e,t,r,b,x,C){const B=(0,o.resolveComponent)("HelpTextTooltip"),N=(0,o.resolveComponent)("SelectControl"),V=(0,o.resolveComponent)("Icon"),E=(0,o.resolveComponent)("LoadingCard"),S=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(E,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.title),1),(0,o.createVNode)(B,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),r.ranges.length>0?((0,o.openBlock)(),(0,o.createBlock)(N,{key:0,class:"ml-auto w-[6rem] shrink-0",size:"xxs",options:r.ranges,selected:r.selectedRangeKey,onChange:C.handleChange,"aria-label":e.__("Select Ranges")},null,8,["options","selected","onChange","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",i,[r.icon?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createVNode)(V,{type:r.icon,width:"24",height:"24"},null,8,["type"])])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.copyable?"CopyButton":"p"),{onClick:C.handleCopyClick,class:"flex items-center text-4xl",rounded:!1},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("span",null,[(0,o.createTextVNode)((0,o.toDisplayString)(C.formattedValue),1)])),[[S,`${C.tooltipFormattedValue}`]]),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(C.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["onClick"])),(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createElementVNode)("p",c,["Decrease"===C.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",d,u)):(0,o.createCommentVNode)("",!0),"Increase"===C.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",h,p)):(0,o.createCommentVNode)("",!0),0!==C.increaseOrDecrease?((0,o.openBlock)(),(0,o.createElementBlock)("span",m,[0!==C.growthPercentage?((0,o.openBlock)(),(0,o.createElementBlock)("span",v,(0,o.toDisplayString)(C.growthPercentage)+"% "+(0,o.toDisplayString)(e.__(C.increaseOrDecreaseLabel)),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",f,(0,o.toDisplayString)(e.__("No Increase")),1))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",g,["0"===r.previous&&"0"!==r.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",w,(0,o.toDisplayString)(e.__("No Prior Data")),1)):(0,o.createCommentVNode)("",!0),"0"!==r.value||"0"===r.previous||r.zeroResult?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",k,(0,o.toDisplayString)(e.__("No Current Data")),1)),"0"!=r.value||"0"!=r.previous||r.zeroResult?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",y,(0,o.toDisplayString)(e.__("No Data")),1))]))])])),[[S,`${C.tooltipFormattedPreviousValue}`]])])])])),_:1},8,["loading"])}],["__file","BaseValueMetric.vue"]])},97540:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(74032);const n={class:"group"},l={class:"text-base text-gray-500"},i={class:"text-gray-400 text-xs truncate"},a={class:"flex justify-end items-center text-gray-400"},s={class:"py-1"};var c=r(56756),d=r.n(c),u=r(43028),h=r.n(u),p=r(10076),m=r(3856),v=r(41908);const f={components:{Button:p.c,Icon:m.c,Heroicon:v.default},props:{row:{type:Object,required:!0}},methods:{actionAttributes(e){let t=e.method||"GET";return e.external&&"GET"==e.method?{as:"external",href:e.path,name:e.name,title:e.name,target:e.target||null,external:!0}:h()({as:"GET"===t?"link":"form-button",href:e.path,method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null},d())}},computed:{rowClasses:()=>["py-2"]}};const g=(0,r(18152).c)(f,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Heroicon"),p=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("DropdownMenuItem"),v=(0,o.resolveComponent)("ScrollWrap"),f=(0,o.resolveComponent)("DropdownMenu"),g=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("tr",n,[r.row.icon?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:0,class:(0,o.normalizeClass)(["pl-6 w-8 pr-2",{[r.row.iconClass]:!0,[u.rowClasses]:!0,"text-gray-400 dark:text-gray-600":!r.row.iconClass}])},[(0,o.createVNode)(h,{type:r.row.icon},null,8,["type"])],2)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("td",{class:(0,o.normalizeClass)(["px-2",{[u.rowClasses]:!0,"pl-6":!r.row.icon,"pr-6":!r.row.editUrl||!r.row.viewUrl}])},[(0,o.createElementVNode)("h2",l,(0,o.toDisplayString)(r.row.title),1),(0,o.createElementVNode)("p",i,(0,o.toDisplayString)(r.row.subtitle),1)],2),r.row.actions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:1,class:(0,o.normalizeClass)(["text-right pr-4",u.rowClasses])},[(0,o.createElementVNode)("div",a,[(0,o.createVNode)(g,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{width:"auto",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(v,{height:250,class:"divide-y divide-gray-100 dark:divide-gray-800 divide-solid"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.row.actions,(e=>((0,o.openBlock)(),(0,o.createBlock)(m,(0,o.normalizeProps)((0,o.guardReactiveProps)(u.actionAttributes(e))),{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.name),1)])),_:2},1040)))),256))])])),_:1})])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{icon:"ellipsis-horizontal",variant:"action","aria-label":e.__("Resource Row Dropdown")},null,8,["aria-label"])])),_:1})])],2)):(0,o.createCommentVNode)("",!0)])}],["__file","MetricTableRow.vue"]])},63268:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);var n=r(63916),l=r(85676);const i={mixins:[n.MF],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,chartData:[]}),watch:{resourceId(){this.fetch()}},created(){this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$on("filter-changed",this.fetch)},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$off("filter-changed",this.fetch)},methods:{fetch(){this.loading=!0,(0,l.OC)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{value:e}}})=>{this.chartData=e,this.loading=!1}))}},computed:{metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`},metricPayload(){const e={params:{}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),e}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BasePartitionMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{title:r.card.name,"help-text":r.card.helpText,"help-width":r.card.helpWidth,"chart-data":e.chartData,loading:e.loading,"legends-height":r.card.height},null,8,["title","help-text","help-width","chart-data","loading","legends-height"])}],["__file","PartitionMetric.vue"]])},4008:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);var n=r(85676),l=r(63916);const i={name:"ProgressMetric",mixins:[l.mc,l.MF],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,format:"(0[.]00a)",avoid:!1,prefix:"",suffix:"",suffixInflection:!0,value:0,target:0,percentage:0,zeroResult:!1}),watch:{resourceId(){this.fetch()}},created(){this.hasRanges&&(this.selectedRangeKey=this.card.selectedRangeKey||this.card.ranges[0].value),this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$on("filter-changed",this.fetch)},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$off("filter-changed",this.fetch)},methods:{fetch(){this.loading=!0,(0,n.OC)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{value:e,target:t,percentage:r,prefix:o,suffix:n,suffixInflection:l,format:i,avoid:a}}})=>{this.value=e,this.target=t,this.percentage=r,this.format=i||this.format,this.avoid=a,this.prefix=o||this.prefix,this.suffix=n||this.suffix,this.suffixInflection=l,this.loading=!1}))}},computed:{metricPayload(){const e={params:{timezone:this.userTimezone}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BaseProgressMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{title:r.card.name,"help-text":r.card.helpText,"help-width":r.card.helpWidth,target:e.target,value:e.value,percentage:e.percentage,prefix:e.prefix,suffix:e.suffix,"suffix-inflection":e.suffixInflection,format:e.format,avoid:e.avoid,loading:e.loading},null,8,["title","help-text","help-width","target","value","percentage","prefix","suffix","suffix-inflection","format","avoid","loading"])}],["__file","ProgressMetric.vue"]])},82516:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(74032);const n={class:"h-6 flex items-center px-6 mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},i={class:"mb-5 pb-4"},a={key:0,class:"overflow-hidden overflow-x-auto relative"},s={class:"w-full table-default"},c={class:"border-t border-b border-gray-100 dark:border-gray-700 divide-y divide-gray-100 dark:divide-gray-700"},d={key:1,class:"flex flex-col items-center justify-between px-6 gap-2"},u={class:"font-normal text-center py-4"};var h=r(85676),p=r(63916);const m={name:"TableCard",mixins:[p.mc,p.MF],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,value:[]}),watch:{resourceId(){this.fetch()}},created(){this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$on("filter-changed",this.fetch)},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$off("filter-changed",this.fetch)},methods:{fetch(){this.loading=!0,(0,h.OC)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:e}})=>{this.value=e,this.loading=!1}))}},computed:{metricPayload(){const e={params:{timezone:this.userTimezone}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const v=(0,r(18152).c)(m,[["render",function(e,t,r,h,p,m){const v=(0,o.resolveComponent)("HelpTextTooltip"),f=(0,o.resolveComponent)("MetricTableRow"),g=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(g,{loading:e.loading,class:"pt-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.card.name),1),(0,o.createVNode)(v,{text:r.card.helpText,width:r.card.helpWidth},null,8,["text","width"])]),(0,o.createElementVNode)("div",i,[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("table",s,[(0,o.createElementVNode)("tbody",c,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(e=>((0,o.openBlock)(),(0,o.createBlock)(f,{row:e},null,8,["row"])))),256))])])])):((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(r.card.emptyText),1)]))])])),_:1},8,["loading"])}],["__file","TableMetric.vue"]])},44306:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);var n=r(17096),l=r.n(n),i=r(63916),a=r(85676);const s={name:"TrendMetric",mixins:[i.mc,i.MF],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,value:"",data:[],format:"(0[.]00a)",prefix:"",suffix:"",suffixInflection:!0,selectedRangeKey:null}),watch:{resourceId(){this.fetch()}},created(){this.hasRanges&&(this.selectedRangeKey=this.card.selectedRangeKey||this.card.ranges[0].value),this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$on("filter-changed",this.fetch)},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$off("filter-changed",this.fetch)},methods:{handleRangeSelected(e){this.selectedRangeKey=e,this.fetch()},fetch(){this.loading=!0,(0,a.OC)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{labels:e,trend:t,value:r,prefix:o,suffix:n,suffixInflection:i,format:a}}})=>{this.value=r,this.labels=Object.keys(t),this.data={labels:Object.keys(t),series:[l()(t,((e,t)=>({meta:t,value:e})))]},this.format=a||this.format,this.prefix=o||this.prefix,this.suffix=n||this.suffix,this.suffixInflection=i,this.loading=!1}))}},computed:{hasRanges(){return this.card.ranges.length>0},metricPayload(){const e={params:{timezone:this.userTimezone,twelveHourTime:this.usesTwelveHourTime}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),this.hasRanges&&(e.params.range=this.selectedRangeKey),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BaseTrendMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{onSelected:i.handleRangeSelected,title:r.card.name,"help-text":r.card.helpText,"help-width":r.card.helpWidth,value:e.value,"chart-data":e.data,ranges:r.card.ranges,format:e.format,prefix:e.prefix,suffix:e.suffix,"suffix-inflection":e.suffixInflection,"selected-range-key":e.selectedRangeKey,loading:e.loading},null,8,["onSelected","title","help-text","help-width","value","chart-data","ranges","format","prefix","suffix","suffix-inflection","selected-range-key","loading"])}],["__file","TrendMetric.vue"]])},15180:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);var n=r(85676),l=r(63916);const i={name:"ValueMetric",mixins:[l.mc,l.MF],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,copyable:!1,format:"(0[.]00a)",tooltipFormat:"(0[.]00)",value:0,previous:0,prefix:"",suffix:"",suffixInflection:!0,selectedRangeKey:null,zeroResult:!1}),watch:{resourceId(){this.fetch()}},created(){this.hasRanges&&(this.selectedRangeKey=this.card.selectedRangeKey||this.card.ranges[0].value),this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$on("filter-changed",this.fetch)},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&Nova.$off("filter-changed",this.fetch)},methods:{handleRangeSelected(e){this.selectedRangeKey=e,this.fetch()},fetch(){this.loading=!0,(0,n.OC)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{copyable:e,value:t,previous:r,prefix:o,suffix:n,suffixInflection:l,format:i,tooltipFormat:a,zeroResult:s}}})=>{this.copyable=e,this.value=t,this.format=i||this.format,this.tooltipFormat=a||this.tooltipFormat,this.prefix=o||this.prefix,this.suffix=n||this.suffix,this.suffixInflection=l,this.zeroResult=s||this.zeroResult,this.previous=r,this.loading=!1}))}},computed:{hasRanges(){return this.card.ranges.length>0},metricPayload(){const e={params:{timezone:this.userTimezone}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),this.hasRanges&&(e.params.range=this.selectedRangeKey),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BaseValueMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{onSelected:i.handleRangeSelected,title:r.card.name,copyable:e.copyable,"help-text":r.card.helpText,"help-width":r.card.helpWidth,icon:r.card.icon,previous:e.previous,value:e.value,ranges:r.card.ranges,format:e.format,"tooltip-format":e.tooltipFormat,prefix:e.prefix,suffix:e.suffix,"suffix-inflection":e.suffixInflection,"selected-range-key":e.selectedRangeKey,loading:e.loading,"zero-result":e.zeroResult},null,8,["onSelected","title","copyable","help-text","help-width","icon","previous","value","ranges","format","tooltip-format","prefix","suffix","suffix-inflection","selected-range-key","loading","zero-result"])}],["__file","ValueMetric.vue"]])},36956:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>E});var o=r(74032),n=r(48936),l=r(29046),i=r(10552),a=r.n(i),s=r(56756),c=r.n(s),d=r(43028),u=r.n(d),h=r(79088),p=r.n(h),m=r(77924),v=r(5540);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;tr.getters.userMenu.map((e=>{let t=e.method||"GET",r={href:e.path};return e.external&&"GET"===t?{component:"a",props:g(g({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"GET"===t?"a":"FormButton",props:p()(u()(g(g({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null}),c()),a()),external:e.external,name:e.name,on:{},badge:e.badge}})))),s=(0,o.computed)((()=>r.getters.currentUser?.name||r.getters.currentUser?.email||t("Nova User"))),d=(0,o.computed)((()=>Nova.config("customLogoutPath"))),h=(0,o.computed)((()=>!0===Nova.config("withAuthentication")||!1!==d.value)),f=((0,o.computed)((()=>r.getters.currentUser&&(i.value.length>0||h.value||r.getters.currentUser?.impersonating))),()=>{confirm(t("Are you sure you want to stop impersonating?"))&&r.dispatch("stopImpersonating")}),w=async()=>{confirm(t("Are you sure you want to log out?"))&&r.dispatch("logout",Nova.config("customLogoutPath")).then((e=>{null===e?Nova.redirectToLogin():location.href=e})).catch((()=>v.Inertia.reload()))};return(e,n)=>{const a=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("div",k,[(0,o.createElementVNode)("div",y,[(0,o.createElementVNode)("div",b,[(0,o.unref)(r).getters.currentUser?.impersonating?((0,o.openBlock)(),(0,o.createBlock)(a,{key:0,type:"finger-print",solid:!0,class:"w-7 h-7"})):(0,o.unref)(r).getters.currentUser?.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,alt:(0,o.unref)(t)(":name's Avatar",{name:s.value}),src:(0,o.unref)(r).getters.currentUser?.avatar,class:"rounded-full w-7 h-7"},null,8,x)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",C,(0,o.toDisplayString)(s.value),1)]),(0,o.createElementVNode)("nav",B,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i.value,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path},e.props,(0,o.toHandlers)(e.on),{class:"py-2 px-2 text-gray-600 dark:text-gray-400 hover:opacity-50"}),{default:(0,o.withCtx)((()=>[e.badge?((0,o.openBlock)(),(0,o.createElementBlock)("span",N,[(0,o.createVNode)(l.default,{"extra-classes":e.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.badge.value),1)])),_:2},1032,["extra-classes"])])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.name),1)])),_:2},1040)))),128)),(0,o.unref)(r).getters.currentUser?.impersonating?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",onClick:f,class:"block w-full py-2 px-2 text-gray-600 dark:text-gray-400 hover:opacity-50 text-left"},(0,o.toDisplayString)((0,o.unref)(t)("Stop Impersonating")),1)):(0,o.createCommentVNode)("",!0),h.value?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,onClick:w,type:"button",class:"block w-full py-2 px-2 text-gray-600 dark:text-gray-400 hover:opacity-50 text-left"},(0,o.toDisplayString)((0,o.unref)(t)("Logout")),1)):(0,o.createCommentVNode)("",!0)])])])}}};const E=(0,r(18152).c)(V,[["__file","MobileUserMenu.vue"]])},12168:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["data-form-unique-id"],l={key:1},i={class:"flex items-center ml-auto"};var a=r(63916),s=r(8940),c=r.n(s),d=r(79624);const u={components:{Button:r(10076).c},emits:["confirm","close"],mixins:[a.QX],props:{action:{type:Object,required:!0},endpoint:{type:String,required:!1},errors:{type:Object,required:!0},resourceName:{type:String,required:!0},selectedResources:{type:[Array,String],required:!0},show:{type:Boolean,default:!1},working:Boolean},data:()=>({loading:!0,formUniqueId:(0,d.c)()}),created(){document.addEventListener("keydown",this.handleKeydown)},mounted(){this.loading=!1},beforeUnmount(){document.removeEventListener("keydown",this.handleKeydown)},methods:{onUpdateFormStatus(){this.updateModalStatus()},onUpdateFieldStatus(){this.onUpdateFormStatus()},handlePreventModalAbandonmentOnClose(e){this.handlePreventModalAbandonment((()=>{this.$emit("close")}),(()=>{e.stopPropagation()}))}},computed:{syncEndpoint(){let e=new URLSearchParams({action:this.action.uriKey});return"all"===this.selectedResources?e.append("resources","all"):this.selectedResources.forEach((t=>{e.append("resources[]",c()(t)?t.id.value:t)})),(this.endpoint||`/nova-api/${this.resourceName}/action`)+"?"+e.toString()},usesFocusTrap(){return!1===this.loading&&this.action.fields.length>0}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("CancelButton"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),m=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(m,{show:r.show,onCloseViaEscape:c.handlePreventModalAbandonmentOnClose,role:"dialog",size:r.action.modalSize,"modal-style":r.action.modalStyle,"use-focus-trap":c.usesFocusTrap},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{ref:"theForm",autocomplete:"off",onChange:t[1]||(t[1]=(...e)=>c.onUpdateFormStatus&&c.onUpdateFormStatus(...e)),onSubmit:t[2]||(t[2]=(0,o.withModifiers)((t=>e.$emit("confirm")),["prevent","stop"])),"data-form-unique-id":e.formUniqueId,class:(0,o.normalizeClass)(["bg-white dark:bg-gray-800",{"rounded-lg shadow-lg overflow-hidden space-y-6":"window"===r.action.modalStyle,"flex flex-col justify-between h-full":"fullscreen"===r.action.modalStyle}])},[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["space-y-6",{"overflow-hidden overflow-y-auto":"fullscreen"===r.action.modalStyle}])},[(0,o.createVNode)(d,{textContent:(0,o.toDisplayString)(r.action.name)},null,8,["textContent"]),r.action.confirmText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:(0,o.normalizeClass)(["px-8",{"text-red-500":r.action.destructive}])},(0,o.toDisplayString)(r.action.confirmText),3)):(0,o.createCommentVNode)("",!0),r.action.fields.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.action.fields,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"action",key:t.attribute},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+t.component),{errors:r.errors,"resource-name":r.resourceName,field:t,"show-help-text":!0,"form-unique-id":e.formUniqueId,mode:"fullscreen"===r.action.modalStyle?"action-fullscreen":"action-modal","sync-endpoint":c.syncEndpoint,onFieldChanged:c.onUpdateFieldStatus},null,40,["errors","resource-name","field","form-unique-id","mode","sync-endpoint","onFieldChanged"]))])))),128))])):(0,o.createCommentVNode)("",!0)],2),(0,o.createVNode)(p,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(u,{component:"button",type:"button",dusk:"cancel-action-button",class:"ml-auto mr-3",onClick:t[0]||(t[0]=t=>e.$emit("close"))},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.cancelButtonText),1)])),_:1}),(0,o.createVNode)(h,{type:"submit",ref:"runButton",dusk:"confirm-action-button",loading:r.working,variant:"solid",state:r.action.destructive?"danger":"default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.confirmButtonText),1)])),_:1},8,["loading","state"])])])),_:1})],42,n)])),_:1},8,["show","onCloseViaEscape","size","modal-style","use-focus-trap"])}],["__file","ConfirmActionModal.vue"]])},16600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden",style:{width:"460px"}},l={class:"leading-tight"},i={class:"ml-auto"};const a={components:{Button:r(10076).c},emits:["confirm","close"],props:{show:{type:Boolean,default:!1}},data:()=>({working:!1}),watch:{show(e){!1===e&&(this.working=!1)}},methods:{handleClose(){this.working=!1,this.$emit("close")},handleConfirm(){this.working=!0,this.$emit("confirm")}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("ModalContent"),h=(0,o.resolveComponent)("LinkButton"),p=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("ModalFooter"),v=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(v,{show:r.show,role:"alertdialog",size:"md"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(d,{textContent:(0,o.toDisplayString)(e.__("Delete File"))},null,8,["textContent"]),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(e.__("Are you sure you want to delete this file?")),1)])),_:1}),(0,o.createVNode)(m,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(h,{dusk:"cancel-upload-delete-button",type:"button",onClick:(0,o.withModifiers)(c.handleClose,["prevent"]),class:"mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(p,{onClick:(0,o.withModifiers)(c.handleConfirm,["prevent"]),ref:"confirmButton",dusk:"confirm-upload-delete-button",loading:e.working,state:"danger",label:e.__("Delete")},null,8,["onClick","loading","label"])])])),_:1})])])),_:1},8,["show"])}],["__file","ConfirmUploadRemovalModal.vue"]])},12136:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"bg-gray-100 dark:bg-gray-700 rounded-lg shadow-lg overflow-hidden p-8"};var l=r(63916),i=r(21852);const a={emits:["set-resource","create-cancelled"],mixins:[l.QX],components:{CreateResource:i.c},props:{show:{type:Boolean,default:!1},size:{type:String,default:"2xl"},resourceName:{},resourceId:{},viaResource:{},viaResourceId:{},viaRelationship:{}},data:()=>({loading:!0}),methods:{handleRefresh(e){this.$emit("set-resource",e)},handleCreateCancelled(){return this.$emit("create-cancelled")},handlePreventModalAbandonmentOnClose(e){this.handlePreventModalAbandonment((()=>{this.handleCreateCancelled()}),(()=>{e.stopPropagation()}))}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("CreateResource"),c=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(c,{dusk:"new-relation-modal",show:r.show,onCloseViaEscape:a.handlePreventModalAbandonmentOnClose,size:r.size,"use-focus-trap":!e.loading},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(s,{"resource-name":r.resourceName,onCreateCancelled:a.handleCreateCancelled,onFinishedLoading:t[0]||(t[0]=()=>e.loading=!1),onRefresh:a.handleRefresh,mode:"modal","resource-id":"","via-relationship":"","via-resource-id":"","via-resource":""},null,8,["resource-name","onCreateCancelled","onRefresh"])])])),_:1},8,["show","onCloseViaEscape","size","use-focus-trap"])}],["__file","CreateRelationModal.vue"]])},68680:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={class:"leading-normal"},l={class:"ml-auto"};var i=r(89352),a=r.n(i);const s={components:{Button:r(10076).c},emits:["confirm","close"],props:{show:{type:Boolean,default:!1},mode:{type:String,default:"delete",validator:function(e){return-1!==["force delete","delete","detach"].indexOf(e)}}},data:()=>({working:!1}),watch:{show(e){!1===e&&(this.working=!1)}},methods:{handleClose(){this.$emit("close"),this.working=!1},handleConfirm(){this.$emit("confirm"),this.working=!0}},computed:{uppercaseMode(){return a()(this.mode)}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("LinkButton"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),m=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(m,{show:r.show,role:"alertdialog",size:"sm"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{onSubmit:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>s.handleConfirm&&s.handleConfirm(...e)),["prevent"])),class:"mx-auto bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden"},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(c,{textContent:(0,o.toDisplayString)(e.__(`${s.uppercaseMode} Resource`))},null,8,["textContent"]),(0,o.createVNode)(d,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",n,(0,o.toDisplayString)(e.__("Are you sure you want to "+r.mode+" the selected resources?")),1)])),_:1})])),(0,o.createVNode)(p,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{type:"button",dusk:"cancel-delete-button",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(h,{type:"submit",ref:"confirmButton",dusk:"confirm-delete-button",loading:e.working,state:"danger",label:e.__(s.uppercaseMode)},null,8,["loading","label"])])])),_:1})],32)])),_:3},8,["show"])}],["__file","DeleteResourceModal.vue"]])},496:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(74032),n=r(48936),l=r(54740),i=r.n(l),a=r(94240),s=r.n(a),c=r(20208),d=r(61468);const u=["role","data-modal-open","aria-modal"],h=(0,o.createElementVNode)("div",{class:"fixed inset-0 z-[55] bg-gray-500/75 dark:bg-gray-900/75",dusk:"modal-backdrop"},null,-1),p=Object.assign({inheritAttrs:!1},{__name:"Modal",props:{show:{type:Boolean,default:!1},size:{type:String,default:"xl",validator:e=>["sm","md","lg","xl","2xl","3xl","4xl","5xl","6xl","7xl"].includes(e)},modalStyle:{type:String,default:"window"},role:{type:String,default:"dialog"},useFocusTrap:{type:Boolean,default:!0}},emits:["showing","closing","close-via-escape"],setup(e,{emit:t}){const r=(0,o.ref)(null),l=(0,o.useAttrs)(),a=t,p=e,m=(0,o.ref)(!0),v=(0,o.computed)((()=>p.useFocusTrap&&!0===m.value)),{activate:f,deactivate:g}=(0,c.w)(r,{immediate:!1,allowOutsideClick:!0,escapeDeactivates:!1});(0,o.watch)((()=>p.show),(e=>b(e))),(0,o.watch)(v,(e=>{try{e?(0,o.nextTick)((()=>f())):g()}catch(e){}})),(0,d.KIJ)(document,"keydown",(e=>{"Escape"===e.key&&!0===p.show&&a("close-via-escape",e)}));const w=()=>{m.value=!1},k=()=>{m.value=!0};(0,o.onMounted)((()=>{Nova.$on("disable-focus-trap",w),Nova.$on("enable-focus-trap",k),!0===p.show&&b(!0)})),(0,o.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),Nova.$off("disable-focus-trap",w),Nova.$off("enable-focus-trap",k),m.value=!1}));const y=(0,n.o3)();async function b(e){!0===e?(a("showing"),document.body.classList.add("overflow-hidden"),Nova.pauseShortcuts(),m.value=!0):(m.value=!1,a("closing"),document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts()),y.commit("allowLeavingModal")}const x=(0,o.computed)((()=>s()(l,["class"]))),C=(0,o.computed)((()=>({sm:"max-w-sm",md:"max-w-md",lg:"max-w-lg",xl:"max-w-xl","2xl":"max-w-2xl","3xl":"max-w-3xl","4xl":"max-w-4xl","5xl":"max-w-5xl","6xl":"max-w-6xl","7xl":"max-w-7xl"}))),B=(0,o.computed)((()=>{let e="window"===p.modalStyle?C.value:{};return i()([e[p.size]??null,"fullscreen"===p.modalStyle?"h-full":"",l.class])}));return(t,n)=>((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[e.show?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[(0,o.createElementVNode)("div",(0,o.mergeProps)(x.value,{class:["modal fixed inset-0 z-[60]",{"px-3 md:px-0 py-3 md:py-6 overflow-x-hidden overflow-y-auto":"window"===e.modalStyle,"h-full":"fullscreen"===e.modalStyle}],role:e.role,"data-modal-open":e.show,"aria-modal":e.show}),[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["@container/modal relative mx-auto z-20",B.value]),ref_key:"modalContent",ref:r},[(0,o.renderSlot)(t.$slots,"default")],2)],16,u),h],64)):(0,o.createCommentVNode)("",!0)]))}});const m=(0,r(18152).c)(p,[["__file","Modal.vue"]])},55872:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"py-3 px-8"};const l={};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalContent.vue"]])},91916:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"bg-gray-100 dark:bg-gray-700 px-6 py-3 flex"};const l={};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalFooter.vue"]])},20276:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createBlock)(a,{level:3,class:"border-b border-gray-100 dark:border-gray-700 py-4 px-8"},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3})}],["__file","ModalHeader.vue"]])},46016:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={key:0,class:"ml-auto bg-red-50 text-red-500 py-0.5 px-2 rounded-full text-xs"},l={key:0},i={class:"ml-auto"};var a=r(63916),s=r(85676);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={components:{Button:r(10076).c},emits:["close"],props:function(e){for(var t=1;t({loading:!0,title:null,resource:null}),async created(){await this.getResource()},mounted(){Nova.$emit("close-dropdowns")},methods:{getResource(){return this.resource=null,(0,s.OC)(Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/preview`)).then((({data:{title:e,resource:t}})=>{this.title=e,this.resource=t,this.loading=!1})).catch((e=>{if(e.response.status>=500)Nova.$emit("error",e.response.data.message);else if(404!==e.response.status)if(403!==e.response.status){if(401===e.response.status)return Nova.redirectToLogin();Nova.error(this.__("This resource no longer exists")),Nova.visit(`/resources/${this.resourceName}`)}else Nova.visit("/403");else Nova.visit("/404")}))}},computed:{modalTitle(){return`${this.__("Previewing")} ${this.title}`}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Link"),h=(0,o.resolveComponent)("ModalHeader"),p=(0,o.resolveComponent)("ModalContent"),m=(0,o.resolveComponent)("Button"),v=(0,o.resolveComponent)("ModalFooter"),f=(0,o.resolveComponent)("LoadingView"),g=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(g,{show:r.show,onCloseViaEscape:t[1]||(t[1]=t=>e.$emit("close")),role:"alertdialog",size:"2xl","use-focus-trap":!1},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{loading:e.loading,class:"mx-auto bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden"},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(h,{class:"flex items-center"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createTextVNode)((0,o.toDisplayString)(c.modalTitle)+" ",1),e.resource&&e.resource.softDeleted?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.__("Soft Deleted")),1)):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(u,{dusk:"detail-preview-button",href:e.$url(`/resources/${e.resourceName}/${e.resourceId}`),class:"ml-auto",alt:e.__("View :resource",{resource:e.title})},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{type:"arrow-right"})])),_:1},8,["href","alt"])])),_:1}),(0,o.createVNode)(p,{class:"px-8 divide-y divide-gray-100 dark:divide-gray-800 -mx-3"},{default:(0,o.withCtx)((()=>[e.resource?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.resource.fields,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${t.component}`),{key:r,index:r,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:t},null,8,["index","resource-name","resource-id","resource","field"])))),128)),0==e.resource.fields.length?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,(0,o.toDisplayString)(e.__("There are no fields to display.")),1)):(0,o.createCommentVNode)("",!0)],64)):(0,o.createCommentVNode)("",!0)])),_:1})])),(0,o.createVNode)(v,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[e.resource?((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,dusk:"confirm-preview-button",onClick:t[0]||(t[0]=(0,o.withModifiers)((t=>e.$emit("close")),["prevent"])),label:e.__("Close")},null,8,["label"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),_:3},8,["loading"])])),_:3},8,["show"])}],["__file","PreviewResourceModal.vue"]])},7672:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"leading-normal"},l={class:"ml-auto"};const i={components:{Button:r(10076).c},emits:["confirm","close"],props:{show:{type:Boolean,default:!1}},data:()=>({working:!1}),watch:{show(e){!1===e&&(this.working=!1)}},methods:{handleClose(){this.$emit("close"),this.working=!1},handleConfirm(){this.$emit("confirm"),this.working=!0}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("LinkButton"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),m=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(m,{show:r.show,size:"sm"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{onSubmit:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>s.handleConfirm&&s.handleConfirm(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden",style:{width:"460px"}},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(c,{textContent:(0,o.toDisplayString)(e.__("Restore Resource"))},null,8,["textContent"]),(0,o.createVNode)(d,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",n,(0,o.toDisplayString)(e.__("Are you sure you want to restore the selected resources?")),1)])),_:1})])),(0,o.createVNode)(p,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{type:"button",dusk:"cancel-restore-button",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(h,{type:"submit",ref:"confirmButton",dusk:"confirm-restore-button",loading:e.working},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Restore")),1)])),_:1},8,["loading"])])])),_:1})],32)])),_:3},8,["show"])}],["__file","RestoreResourceModal.vue"]])},33188:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["dusk"],l={class:"shrink-0"},i={class:"flex-auto space-y-4"},a={class:"flex items-center"},s={class:"flex-auto"},c={class:"mr-1 text-gray-600 dark:text-gray-400 leading-normal break-words"},d=["title"];const u={components:{Button:r(10076).c},emits:["delete-notification","toggle-mark-as-read","toggle-notifications"],name:"MessageNotification",props:{notification:{type:Object,required:!0}},methods:{handleClick(){this.$emit("toggle-mark-as-read"),this.$emit("toggle-notifications"),this.visit()},handleDeleteClick(){confirm(this.__("Are you sure you want to delete this notification?"))&&this.$emit("delete-notification")},visit(){if(this.hasUrl)return Nova.visit(this.notification.actionUrl,{openInNewTab:this.notification.openInNewTab||!1})}},computed:{icon(){return this.notification.icon},hasUrl(){return this.notification.actionUrl}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("Icon"),v=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"relative flex items-start px-4 gap-4",dusk:`notification-${r.notification.id}`},[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(m,{type:p.icon,class:(0,o.normalizeClass)(r.notification.iconClass)},null,8,["type","class"])]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("p",c,(0,o.toDisplayString)(r.notification.message),1)])]),(0,o.createElementVNode)("p",{class:"mt-1 text-xs",title:r.notification.created_at},(0,o.toDisplayString)(r.notification.created_at_friendly),9,d)]),p.hasUrl?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,onClick:p.handleClick,label:r.notification.actionText,size:"small"},null,8,["onClick","label"])):(0,o.createCommentVNode)("",!0)])],8,n)}],["__file","MessageNotification.vue"]])},94616:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>N});var o=r(74032);const n={class:"relative"},l=["innerHTML"],i={key:1,class:"absolute border-[3px] border-white dark:border-gray-800 top-0 right-[3px] inline-block bg-primary-500 rounded-full w-4 h-4"},a={key:0,class:"fixed flex inset-0 z-20"},s={class:"relative divide-y divide-gray-200 dark:divide-gray-700 shadow bg-gray-100 dark:bg-gray-800 w-[20rem] ml-auto border-b border-gray-200 dark:border-gray-700 overflow-x-hidden overflow-y-scroll"},c={key:0,class:"bg-white dark:bg-gray-800 flex items-center h-14 px-4"},d={class:"ml-auto"},u={class:"py-1 px-1"},h={key:2,class:"py-12"},p=(0,o.createElementVNode)("p",{class:"text-center"},[(0,o.createElementVNode)("svg",{class:"inline-block text-gray-300 dark:text-gray-500",xmlns:"http://www.w3.org/2000/svg",width:"65",height:"51",viewBox:"0 0 65 51"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M56 40h2c.552285 0 1 .447715 1 1s-.447715 1-1 1h-2v2c0 .552285-.447715 1-1 1s-1-.447715-1-1v-2h-2c-.552285 0-1-.447715-1-1s.447715-1 1-1h2v-2c0-.552285.447715-1 1-1s1 .447715 1 1v2zm-5.364125-8H38v8h7.049375c.350333-3.528515 2.534789-6.517471 5.5865-8zm-5.5865 10H6c-3.313708 0-6-2.686292-6-6V6c0-3.313708 2.686292-6 6-6h44c3.313708 0 6 2.686292 6 6v25.049375C61.053323 31.5511 65 35.814652 65 41c0 5.522847-4.477153 10-10 10-5.185348 0-9.4489-3.946677-9.950625-9zM20 30h16v-8H20v8zm0 2v8h16v-8H20zm34-2v-8H38v8h16zM2 30h16v-8H2v8zm0 2v4c0 2.209139 1.790861 4 4 4h12v-8H2zm18-12h16v-8H20v8zm34 0v-8H38v8h16zM2 20h16v-8H2v8zm52-10V6c0-2.209139-1.790861-4-4-4H6C3.790861 2 2 3.790861 2 6v4h52zm1 39c4.418278 0 8-3.581722 8-8s-3.581722-8-8-8-8 3.581722-8 8 3.581722 8 8 8z"})])],-1),m={class:"mt-3 text-center"},v={class:"mt-6 px-4 text-center"};var f=r(48936),g=r(10076);function w(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function k(e){for(var t=1;tthis.fetchNotifications()))},beforeUnmount(){document.body.classList.remove("overflow-y-hidden")},methods:k(k(k({},b(["toggleMainMenu","toggleNotifications"])),x(["fetchNotifications","deleteNotification","deleteAllNotifications","markNotificationAsRead","markAllNotificationsAsRead"])),{},{handleDeleteAllNotifications(){confirm(this.__("Are you sure you want to delete all the notifications?"))&&this.deleteAllNotifications()}}),computed:k(k({},C(["mainMenuShown","notificationsShown","notifications","unreadNotifications"])),{},{shouldShowUnreadCount:()=>Nova.config("showUnreadCountInNotificationCenter")})};const N=(0,r(18152).c)(B,[["render",function(e,t,r,f,g,w){const k=(0,o.resolveComponent)("Button"),y=(0,o.resolveComponent)("Heading"),b=(0,o.resolveComponent)("DropdownMenuItem"),x=(0,o.resolveComponent)("DropdownMenu"),C=(0,o.resolveComponent)("Dropdown"),B=(0,o.resolveComponent)("NotificationList");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(k,{variant:"action",icon:"bell",onClick:(0,o.withModifiers)(e.toggleNotifications,["stop"]),dusk:"notifications-dropdown"},{default:(0,o.withCtx)((()=>[e.unreadNotifications?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[w.shouldShowUnreadCount?((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:0,innerHTML:e.unreadNotifications>99?"99+":e.unreadNotifications,class:"font-black tracking-normal absolute border-[3px] border-white dark:border-gray-800 top-[-5px] left-[15px] inline-flex items-center justify-center bg-primary-500 rounded-full text-white text-xxs p-[0px] px-1 min-w-[26px]"},null,8,l)):((0,o.openBlock)(),(0,o.createElementBlock)("span",i))],64)):(0,o.createCommentVNode)("",!0)])),_:1},8,["onClick"])]),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[(0,o.createVNode)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,o.withCtx)((()=>[e.notificationsShown?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("div",{onClick:t[0]||(t[0]=(...t)=>e.toggleNotifications&&e.toggleNotifications(...t)),class:"absolute inset-0 bg-gray-600/75 dark:bg-gray-900/75",dusk:"notifications-backdrop"}),(0,o.createElementVNode)("div",s,[e.notifications.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("nav",c,[(0,o.createVNode)(y,{level:3,class:"ml-1"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Notifications")),1)])),_:1}),(0,o.createElementVNode)("div",d,[(0,o.createVNode)(C,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(k,{dusk:"notification-center-action-dropdown",variant:"ghost",icon:"ellipsis-horizontal"})])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(x,{width:"200"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",u,[(0,o.createVNode)(b,{as:"button",onClick:e.markAllNotificationsAsRead},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Mark all as Read")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(b,{as:"button",onClick:w.handleDeleteAllNotifications},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Delete all notifications")),1)])),_:1},8,["onClick"])])])),_:1})])),_:1})])])):(0,o.createCommentVNode)("",!0),e.notifications.length>0?((0,o.openBlock)(),(0,o.createBlock)(B,{key:1,notifications:e.notifications},null,8,["notifications"])):((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[p,(0,o.createElementVNode)("p",m,(0,o.toDisplayString)(e.__("There are no new notifications.")),1),(0,o.createElementVNode)("p",v,[(0,o.createVNode)(k,{variant:"solid",onClick:e.toggleNotifications,label:e.__("Close")},null,8,["onClick","label"])])]))])])):(0,o.createCommentVNode)("",!0)])),_:1})]))],64)}],["__file","NotificationCenter.vue"]])},41872:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032),n=r(10076),l=r(48936);const i={class:"divide-y divide-gray-200 dark:divide-gray-600",dusk:"notifications-content"},a={class:"relative bg-white dark:bg-gray-800 transition transition-colors flex flex-col gap-2 pt-4 pb-2"},s={key:0,class:"absolute rounded-full top-[20px] right-[16px] bg-primary-500 w-[5px] h-[5px]"},c={class:"ml-12"},d={class:"flex items-start"},u={__name:"NotificationList",props:{notifications:{}},setup(e){const t=(0,l.o3)();return(r,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.notifications,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:e.id,class:"dark:border-gray-600"},[(0,o.createElementVNode)("div",a,[e.read_at?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",s)),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component||"MessageNotification"),{notification:e,onDeleteNotification:r=>(0,o.unref)(t).dispatch("nova/deleteNotification",e.id),onToggleNotifications:l[0]||(l[0]=e=>(0,o.unref)(t).commit("nova/toggleNotifications")),onToggleMarkAsRead:r=>e.read_at?(0,o.unref)(t).dispatch("nova/markNotificationAsUnread",e.id):(0,o.unref)(t).dispatch("nova/markNotificationAsRead",e.id)},null,40,["notification","onDeleteNotification","onToggleMarkAsRead"])),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[(0,o.createVNode)((0,o.unref)(n.c),{onClick:r=>e.read_at?(0,o.unref)(t).dispatch("nova/markNotificationAsUnread",e.id):(0,o.unref)(t).dispatch("nova/markNotificationAsRead",e.id),dusk:"mark-as-read-button",variant:"link",state:"mellow",size:"small",label:e.read_at?r.__("Mark Unread"):r.__("Mark Read")},null,8,["onClick","label"]),(0,o.createVNode)((0,o.unref)(n.c),{onClick:r=>(0,o.unref)(t).dispatch("nova/deleteNotification",e.id),dusk:"delete-button",variant:"link",state:"mellow",size:"small",label:r.__("Delete")},null,8,["onClick","label"])])])])])))),128))]))}};const h=(0,r(18152).c)(u,[["__file","NotificationList.vue"]])},91380:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={class:"rounded-b-lg font-bold flex items-center"},l={class:"flex text-sm"},i=["disabled"],a=["disabled"],s=["disabled","onClick","dusk"],c=["disabled"],d=["disabled"];const u={emits:["page"],props:{page:{type:Number,required:!0},pages:{type:Number,default:0},next:{type:Boolean,default:!1},previous:{type:Boolean,default:!1}},data:()=>({linksDisabled:!1}),mounted(){Nova.$on("resources-loaded",this.listenToResourcesLoaded)},beforeUnmount(){Nova.$off("resources-loaded",this.listenToResourcesLoaded)},methods:{selectPage(e){this.page!=e&&(this.linksDisabled=!0,this.$emit("page",e))},selectPreviousPage(){this.selectPage(this.page-1)},selectNextPage(){this.selectPage(this.page+1)},listenToResourcesLoaded(){this.linksDisabled=!1}},computed:{hasPreviousPages:function(){return this.page>1},hasMorePages:function(){return this.page0&&o.push(e);return o}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,u,h,p){return(0,o.openBlock)(),(0,o.createElementBlock)("nav",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("button",{disabled:!p.hasPreviousPages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 rounded-bl-lg focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasPreviousPages,"text-gray-500":!p.hasPreviousPages||e.linksDisabled}]),rel:"first",onClick:t[0]||(t[0]=(0,o.withModifiers)((e=>p.selectPage(1)),["prevent"])),dusk:"first"}," « ",10,i),(0,o.createElementVNode)("button",{disabled:!p.hasPreviousPages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasPreviousPages,"text-gray-500":!p.hasPreviousPages||e.linksDisabled}]),rel:"prev",onClick:t[1]||(t[1]=(0,o.withModifiers)((e=>p.selectPreviousPage()),["prevent"])),dusk:"previous"}," ‹ ",10,a),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(p.printPages,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("button",{disabled:e.linksDisabled,key:t,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":r.page!==t,"text-gray-500 bg-gray-50 dark:bg-gray-700":r.page===t}]),onClick:(0,o.withModifiers)((e=>p.selectPage(t)),["prevent"]),dusk:`page:${t}`},(0,o.toDisplayString)(t),11,s)))),128)),(0,o.createElementVNode)("button",{disabled:!p.hasMorePages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasMorePages,"text-gray-500":!p.hasMorePages||e.linksDisabled}]),rel:"next",onClick:t[2]||(t[2]=(0,o.withModifiers)((e=>p.selectNextPage()),["prevent"])),dusk:"next"}," › ",10,c),(0,o.createElementVNode)("button",{disabled:!p.hasMorePages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasMorePages,"text-gray-500":!p.hasMorePages||e.linksDisabled}]),rel:"last",onClick:t[3]||(t[3]=(0,o.withModifiers)((e=>p.selectPage(r.pages)),["prevent"])),dusk:"last"}," » ",10,d)]),(0,o.renderSlot)(e.$slots,"default")])}],["__file","PaginationLinks.vue"]])},81104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={class:"bg-20 h-9 px-3 text-center rounded-b-lg flex items-center justify-between"},l={class:"leading-normal text-sm text-gray-500"},i={key:0,class:"leading-normal text-sm"},a={class:"leading-normal text-sm text-gray-500"};const s={emits:["load-more"],props:{currentResourceCount:{type:Number,required:!0},allMatchingResourceCount:{type:Number,required:!0},resourceCountLabel:{type:String,required:!0},perPage:{type:[Number,String],required:!0},page:{type:Number,required:!0},pages:{type:Number,default:0},next:{type:Boolean,default:!1},previous:{type:Boolean,default:!1}},methods:{loadMore(){this.$emit("load-more")}},computed:{buttonLabel(){return this.__("Load :perPage More",{perPage:Nova.formatNumber(this.perPage)})},allResourcesLoaded(){return this.currentResourceCount==this.allMatchingResourceCount},resourceTotalCountLabel(){return Nova.formatNumber(this.allMatchingResourceCount)}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(r.resourceCountLabel),1),d.allResourcesLoaded?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,(0,o.toDisplayString)(e.__("All resources loaded.")),1)):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,onClick:t[0]||(t[0]=(...e)=>d.loadMore&&d.loadMore(...e)),class:"h-9 focus:outline-none focus:ring ring-inset rounded-lg px-4 font-bold text-primary-500 hover:text-primary-600 active:text-primary-400"},(0,o.toDisplayString)(d.buttonLabel),1)),(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__(":amount Total",{amount:d.resourceTotalCountLabel})),1)])}],["__file","PaginationLoadMore.vue"]])},7612:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={class:"rounded-b-lg"},l={class:"flex justify-between items-center"},i=["disabled"],a=["disabled"];const s={emits:["page"],props:{currentResourceCount:{type:Number,required:!0},allMatchingResourceCount:{type:Number,required:!0},resourceCountLabel:{type:[Number,String],required:!0},page:{type:Number,required:!0},pages:{type:Number,default:0},next:{type:Boolean,default:!1},previous:{type:Boolean,default:!1}},data:()=>({linksDisabled:!1}),mounted(){Nova.$on("resources-loaded",this.listenToResourcesLoaded)},beforeUnmount(){Nova.$off("resources-loaded",this.listenToResourcesLoaded)},methods:{selectPreviousPage(){this.selectPage(this.page-1)},selectNextPage(){this.selectPage(this.page+1)},selectPage(e){this.linksDisabled=!0,this.$emit("page",e)},listenToResourcesLoaded(){this.linksDisabled=!1}},computed:{hasPreviousPages:function(){return this.previous},hasMorePages:function(){return this.next}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("nav",l,[(0,o.createElementVNode)("button",{disabled:!d.hasPreviousPages||e.linksDisabled,class:(0,o.normalizeClass)(["text-xs font-bold py-3 px-4 focus:outline-none rounded-bl-lg focus:ring focus:ring-inset",{"text-primary-500 hover:text-primary-400 active:text-primary-600":d.hasPreviousPages,"text-gray-300 dark:text-gray-600":!d.hasPreviousPages||e.linksDisabled}]),rel:"prev",onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>d.selectPreviousPage&&d.selectPreviousPage(...e)),["prevent"])),dusk:"previous"},(0,o.toDisplayString)(e.__("Previous")),11,i),(0,o.renderSlot)(e.$slots,"default"),(0,o.createElementVNode)("button",{disabled:!d.hasMorePages||e.linksDisabled,class:(0,o.normalizeClass)(["text-xs font-bold py-3 px-4 focus:outline-none rounded-br-lg focus:ring focus:ring-inset",{"text-primary-500 hover:text-primary-400 active:text-primary-600":d.hasMorePages,"text-gray-300 dark:text-gray-600":!d.hasMorePages||e.linksDisabled}]),rel:"next",onClick:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>d.selectNextPage&&d.selectNextPage(...e)),["prevent"])),dusk:"next"},(0,o.toDisplayString)(e.__("Next")),11,a)])])}],["__file","PaginationSimple.vue"]])},37136:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"border-t border-gray-200 dark:border-gray-700"};const l={props:["paginationComponent","hasNextPage","hasPreviousPage","loadMore","selectPage","totalPages","currentPage","perPage","resourceCountLabel","currentResourceCount","allMatchingResourceCount"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.paginationComponent),{next:r.hasNextPage,previous:r.hasPreviousPage,onLoadMore:r.loadMore,onPage:r.selectPage,pages:r.totalPages,page:r.currentPage,"per-page":r.perPage,"resource-count-label":r.resourceCountLabel,"current-resource-count":r.currentResourceCount,"all-matching-resource-count":r.allMatchingResourceCount},{default:(0,o.withCtx)((()=>[r.resourceCountLabel?((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:0,class:(0,o.normalizeClass)(["text-xs px-4",{"ml-auto hidden md:inline":"pagination-links"===r.paginationComponent}])},(0,o.toDisplayString)(r.resourceCountLabel),3)):(0,o.createCommentVNode)("",!0)])),_:1},40,["next","previous","onLoadMore","onPage","pages","page","per-page","resource-count-label","current-resource-count","all-matching-resource-count"]))])}],["__file","ResourcePagination.vue"]])},26776:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["dusk"],l={class:(0,o.normalizeClass)(["md:w-1/4 @sm/peekable:w-1/4 @md/modal:w-1/4","md:py-3 @sm/peekable:py-3 @md/modal:py-3"])},i={class:"font-normal @sm/peekable:break-all"},a={key:1,class:"flex items-center"},s=["innerHTML"],c={key:3};var d=r(63916);const u={mixins:[d.s5,d.mY],props:{index:{type:Number,required:!0},field:{type:Object,required:!0},fieldName:{type:String,default:""}},methods:{copy(){this.copyValueToClipboard(this.field.value)}},computed:{label(){return this.fieldName||this.field.name}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,d,u,h){const p=(0,o.resolveComponent)("CopyButton"),m=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col -mx-6 px-6 py-2 space-y-2",["md:flex-row @sm/peekable:flex-row @md/modal:flex-row","md:py-0 @sm/peekable:py-0 @md/modal:py-0","md:space-y-0 @sm/peekable:space-y-0 @md/modal:space-y-0"]]),dusk:r.field.attribute},[(0,o.createElementVNode)("div",l,[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("h4",i,[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(h.label),1)])]))]),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["break-all",["md:w-3/4 @sm/peekable:w-3/4 @md/modal:w-3/4","md:py-3 @sm/peekable:py-3 md/modal:py-3","lg:break-words @md/peekable:break-words @lg/modal:break-words"]])},[(0,o.renderSlot)(e.$slots,"value",{},(()=>[e.fieldValue&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,onClick:(0,o.withModifiers)(h.copy,["prevent","stop"])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",{ref:"theFieldValue"},(0,o.toDisplayString)(e.fieldValue),513)])),_:1},8,["onClick"])),[[m,e.__("Copy to clipboard")]]):!e.fieldValue||r.field.copyable||e.shouldDisplayAsHtml?e.fieldValue&&!r.field.copyable&&e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:2,innerHTML:e.fieldValue},null,8,s)):((0,o.openBlock)(),(0,o.createElementBlock)("p",c,"—")):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,(0,o.toDisplayString)(e.fieldValue),1))]))])],8,n)}],["__file","PanelItem.vue"]])},51120:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["logo"],inheritAttrs:!1,render(){let e=document.createDocumentFragment(),t=document.createElement("span");t.innerHTML=this.$props.logo,e.appendChild(t);const r=this.$attrs.class.split(" ").filter(String);return e.querySelector("svg").classList.add(...r),(0,o.h)("span",{innerHTML:t.innerHTML})}};const l=(0,r(18152).c)(n,[["__file","PassthroughLogo.vue"]])},26582:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=["title"],l={__name:"ProgressBar",props:{title:{type:String,required:!0},color:{type:String,required:!0},value:{type:[String,Number],required:!0}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"bg-gray-200 dark:bg-gray-900 w-full overflow-hidden h-4 flex rounded-full",title:e.title},[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(e.color),style:(0,o.normalizeStyle)(`width:${e.value}%`)},null,6)],8,n))};const i=(0,r(18152).c)(l,[["__file","ProgressBar.vue"]])},54540:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032),n=r(31608),l=r.n(n),i=r(85676);const a={class:"bg-white dark:bg-gray-900 text-gray-500 dark:text-gray-400"},s={key:0,class:"p-3"},c={key:1,class:"min-w-[24rem] max-w-2xl"},d={key:0,class:"@container/peekable divide-y divide-gray-100 dark:divide-gray-800 rounded-lg py-1"},u={key:1,class:"p-3 text-center dark:text-gray-400"},h={__name:"RelationPeek",props:["resource","resourceName","resourceId"],setup(e){const t=(0,o.ref)(!0),r=(0,o.ref)(null),n=l()((()=>async function(){t.value=!0;try{const{data:{resource:{fields:e}}}=await(0,i.OC)(Nova.request().get(`/nova-api/${h.resourceName}/${h.resourceId}/peek`),500);r.value=e}catch(e){console.error(e)}finally{t.value=!1}}())),h=e;return(l,i)=>{const h=(0,o.resolveComponent)("Loader"),p=(0,o.resolveComponent)("Tooltip");return(0,o.openBlock)(),(0,o.createBlock)(p,{triggers:["hover"],popperTriggers:["hover"],placement:"top-start",theme:"plain",onTooltipShow:(0,o.unref)(n),"show-group":`${e.resourceName}-${e.resourceId}-peek`,"auto-hide":!0},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(l.$slots,"default")])),content:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[t.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(h,{width:"30"})])):((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[r.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.value,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${t.component}`),{class:"mx-0",key:r,index:r,"resource-name":e.resourceName,"resource-id":e.resourceId,field:t},null,8,["index","resource-name","resource-id","field"])))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("p",u,(0,o.toDisplayString)(l.__("There's nothing configured to show here.")),1))]))])])),_:3},8,["onTooltipShow","show-group"])}}};const p=(0,r(18152).c)(h,[["__file","RelationPeek.vue"]])},30280:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032),n=r(18972),l=r.n(n),i=(r(39540),r(77924));const a={class:"bg-white dark:bg-gray-800 border border-gray-200 dark:border-gray-700 rounded divide-y divide-gray-200 dark:divide-gray-700"},s={class:"flex items-center bg-gray-50 dark:bg-gray-800 py-2 px-3 rounded-t"},c={class:"flex items-center space-x-2"},d={class:"grid grid-cols-full divide-y divide-gray-100 dark:divide-gray-700"},u={__name:"RepeaterRow",props:{field:{type:Object,required:!0},index:{type:Number,required:!0},item:{type:Object,required:!0},errors:{type:Object,required:!0},sortable:{type:Boolean,required:!1},viaParent:{type:String}},emits:["click","move-up","move-down","file-deleted"],setup(e,{emit:t}){const r=t,{__:n}=(0,i.C)(),u=e;(0,o.provide)("viaParent",(0,o.computed)((()=>u.viaParent))),(0,o.provide)("index",(0,o.computed)((()=>u.index)));const h=u.item.fields.map((e=>e.attribute)),p=l()(h.map((e=>[`fields.${e}`,(0,o.ref)(null)]))),m=(0,o.inject)("resourceName"),v=(0,o.inject)("resourceId"),f=(0,o.inject)("shownViaNewRelationModal"),g=(0,o.inject)("viaResource"),w=(0,o.inject)("viaResourceId"),k=(0,o.inject)("viaRelationship"),y=()=>u.item.confirmBeforeRemoval?confirm(n("Are you sure you want to remove this item?"))?b():null:b(),b=()=>{Object.keys(p).forEach((async e=>{})),r("click",u.index)};return(t,r)=>{const n=(0,o.resolveComponent)("IconButton");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("div",c,[e.sortable?((0,o.openBlock)(),(0,o.createBlock)(n,{key:0,dusk:"row-move-up-button",onClick:r[0]||(r[0]=r=>t.$emit("move-up",e.index)),iconType:"arrow-up",solid:"",small:""})):(0,o.createCommentVNode)("",!0),e.sortable?((0,o.openBlock)(),(0,o.createBlock)(n,{key:1,dusk:"row-move-down-button",onClick:r[1]||(r[1]=r=>t.$emit("move-down",e.index)),iconType:"arrow-down",solid:"",small:""})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(n,{dusk:"row-delete-button",onClick:(0,o.withModifiers)(y,["stop","prevent"]),class:"ml-auto",iconType:"trash",solid:"",small:""})]),(0,o.createElementVNode)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.item.fields,((n,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+n.component),{ref_for:!0,ref:(0,o.unref)(p)[`fields.${n.attribute}`],field:n,index:l,errors:e.errors,"show-help-text":!0,onFileDeleted:r[2]||(r[2]=e=>t.$emit("file-deleted")),nested:!0,"resource-name":(0,o.unref)(m),"resource-id":(0,o.unref)(v),"shown-via-new-relation-modal":(0,o.unref)(f),"via-resource":(0,o.unref)(g),"via-resource-id":(0,o.unref)(w),"via-relationship":(0,o.unref)(k)},null,40,["field","index","errors","resource-name","resource-id","shown-via-new-relation-modal","via-resource","via-resource-id","via-relationship"]))])))),256))])])}}};const h=(0,r(18152).c)(u,[["__file","RepeaterRow.vue"]])},43644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"overflow-hidden overflow-x-auto relative"},l={key:0,class:"w-full divide-y divide-gray-100 dark:divide-gray-700",dusk:"resource-table"},i={class:"divide-y divide-gray-100 dark:divide-gray-700"};const a={emits:["actionExecuted","delete","restore","order","reset-order-by"],mixins:[r(63916).eo],props:{authorizedToRelate:{type:Boolean,required:!0},resourceName:{default:null},resources:{default:[]},singularName:{type:String,required:!0},selectedResources:{default:[]},selectedResourceIds:{},shouldShowCheckboxes:{type:Boolean,default:!1},actionsAreAvailable:{type:Boolean,default:!1},viaResource:{default:null},viaResourceId:{default:null},viaRelationship:{default:null},relationshipType:{default:null},updateSelectionStatus:{type:Function},actionsEndpoint:{default:null},sortable:{type:Boolean,default:!1}},data:()=>({selectAllResources:!1,selectAllMatching:!1,resourceCount:null}),methods:{deleteResource(e){this.$emit("delete",[e])},restoreResource(e){this.$emit("restore",[e])},requestOrderByChange(e){this.$emit("order",e)},resetOrderBy(e){this.$emit("reset-order-by",e)}},computed:{fields(){if(this.resources)return this.resources[0].fields},viaManyToMany(){return"belongsToMany"==this.relationshipType||"morphToMany"==this.relationshipType},shouldShowColumnBorders(){return this.resourceInformation.showColumnBorders},tableStyle(){return this.resourceInformation.tableStyle},clickAction(){return this.resourceInformation.clickAction}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("ResourceTableHeader"),u=(0,o.resolveComponent)("ResourceTableRow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[r.resources.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("table",l,[(0,o.createVNode)(d,{"resource-name":r.resourceName,fields:c.fields,"should-show-column-borders":c.shouldShowColumnBorders,"should-show-checkboxes":r.shouldShowCheckboxes,sortable:r.sortable,onOrder:c.requestOrderByChange,onResetOrderBy:c.resetOrderBy},null,8,["resource-name","fields","should-show-column-borders","should-show-checkboxes","sortable","onOrder","onResetOrderBy"]),(0,o.createElementVNode)("tbody",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.resources,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)(u,{onActionExecuted:t[0]||(t[0]=t=>e.$emit("actionExecuted")),"actions-are-available":r.actionsAreAvailable,"actions-endpoint":r.actionsEndpoint,checked:r.selectedResources.indexOf(n)>-1,"click-action":c.clickAction,"delete-resource":c.deleteResource,key:`${n.id.value}-items-${l}`,"relationship-type":r.relationshipType,"resource-name":r.resourceName,resource:n,"restore-resource":c.restoreResource,"selected-resources":r.selectedResources,"should-show-checkboxes":r.shouldShowCheckboxes,"should-show-column-borders":c.shouldShowColumnBorders,"table-style":c.tableStyle,testId:`${r.resourceName}-items-${l}`,"update-selection-status":r.updateSelectionStatus,"via-many-to-many":c.viaManyToMany,"via-relationship":r.viaRelationship,"via-resource-id":r.viaResourceId,"via-resource":r.viaResource},null,8,["actions-are-available","actions-endpoint","checked","click-action","delete-resource","relationship-type","resource-name","resource","restore-resource","selected-resources","should-show-checkboxes","should-show-column-borders","table-style","testId","update-selection-status","via-many-to-many","via-relationship","via-resource-id","via-resource"])))),128))])])):(0,o.createCommentVNode)("",!0)])}],["__file","ResourceTable.vue"]])},9122:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={class:"bg-gray-50 dark:bg-gray-800"},l={class:"sr-only"},i={key:1},a={class:"uppercase text-xxs tracking-wide px-2 py-2"},s={class:"sr-only"};const c={name:"ResourceTableHeader",emits:["order","reset-order-by"],props:{resourceName:String,shouldShowColumnBorders:Boolean,shouldShowCheckboxes:Boolean,fields:{type:[Object,Array]},sortable:Boolean},methods:{requestOrderByChange(e){this.$emit("order",e)},resetOrderBy(e){this.$emit("reset-order-by",e)}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("SortableIcon");return(0,o.openBlock)(),(0,o.createElementBlock)("thead",n,[(0,o.createElementVNode)("tr",null,[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("th",{key:0,class:(0,o.normalizeClass)(["w-[1%] white-space-nowrap uppercase text-xxs text-gray-500 tracking-wide pl-5 pr-2 py-2",{"border-r border-gray-200 dark:border-gray-600":r.shouldShowColumnBorders}])},[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(e.__("Selected Resources")),1)],2)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.fields,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("th",{key:e.uniqueKey,class:(0,o.normalizeClass)([{[`text-${e.textAlign}`]:!0,"border-r border-gray-200 dark:border-gray-600":r.shouldShowColumnBorders,"px-6":0==t&&!r.shouldShowCheckboxes,"px-2":0!=t||r.shouldShowCheckboxes,"whitespace-nowrap":!e.wrapping},"uppercase text-gray-500 text-xxs tracking-wide py-2"])},[r.sortable&&e.sortable?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onSort:t=>u.requestOrderByChange(e),onReset:t=>u.resetOrderBy(e),"resource-name":r.resourceName,"uri-key":e.sortableUriKey},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.indexName),1)])),_:2},1032,["onSort","onReset","resource-name","uri-key"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(e.indexName),1))],2)))),128)),(0,o.createElementVNode)("th",a,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Controls")),1)])])])}],["__file","ResourceTableHeader.vue"]])},95792:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(74032);const n=["data-pivot-id","dusk"],l={class:"flex items-center justify-end space-x-0 text-gray-400"},i={class:"flex items-center gap-1"},a={class:"flex items-center gap-1"},s={class:"leading-normal"};var c=r(54740),d=r.n(c),u=r(5540),h=r(48936),p=r(10076),m=r(98240),v=r(3856);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t({commandPressed:!1,deleteModalOpen:!1,restoreModalOpen:!1,previewModalOpen:!1}),beforeMount(){this.isSelected=this.selectedResources.indexOf(this.resource)>-1},mounted(){window.addEventListener("keydown",this.handleKeydown),window.addEventListener("keyup",this.handleKeyup)},beforeUnmount(){window.removeEventListener("keydown",this.handleKeydown),window.removeEventListener("keyup",this.handleKeyup)},methods:{toggleSelection(){this.updateSelectionStatus(this.resource)},handleKeydown(e){"Meta"!==e.key&&"Control"!==e.key||(this.commandPressed=!0)},handleKeyup(e){"Meta"!==e.key&&"Control"!==e.key||(this.commandPressed=!1)},handleClick(e){return!1===this.resourceHasId?void 0:"edit"===this.clickAction?this.navigateToEditView(e):"select"===this.clickAction?this.toggleSelection():"ignore"===this.clickAction?void 0:"detail"===this.clickAction?this.navigateToDetailView(e):"preview"===this.clickAction?this.navigateToPreviewView(e):this.navigateToDetailView(e)},navigateToDetailView(e){this.resource.authorizedToView&&(this.commandPressed?window.open(this.viewURL,"_blank"):u.Inertia.visit(this.viewURL))},navigateToEditView(e){this.resource.authorizedToUpdate&&(this.commandPressed?window.open(this.updateURL,"_blank"):u.Inertia.visit(this.updateURL))},navigateToPreviewView(e){this.resource.authorizedToView&&this.openPreviewModal()},openPreviewModal(){this.previewModalOpen=!0},closePreviewModal(){this.previewModalOpen=!1},openDeleteModal(){this.deleteModalOpen=!0},confirmDelete(){this.deleteResource(this.resource),this.closeDeleteModal()},closeDeleteModal(){this.deleteModalOpen=!1},openRestoreModal(){this.restoreModalOpen=!0},confirmRestore(){this.restoreResource(this.resource),this.closeRestoreModal()},closeRestoreModal(){this.restoreModalOpen=!1}},computed:g(g({},(0,h.gV)(["currentUser"])),{},{updateURL(){return this.viaManyToMany?this.$url(`/resources/${this.viaResource}/${this.viaResourceId}/edit-attached/${this.resourceName}/${this.resource.id.value}`,{viaRelationship:this.viaRelationship,viaPivotId:this.resource.id.pivotValue}):this.$url(`/resources/${this.resourceName}/${this.resource.id.value}/edit`,{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship})},viewURL(){return this.$url(`/resources/${this.resourceName}/${this.resource.id.value}`)},availableActions(){return d()(this.resource.actions,(e=>e.showOnTableRow))},shouldShowTight(){return"tight"===this.tableStyle},clickableRow(){return!1!==this.resourceHasId&&("edit"===this.clickAction?this.resource.authorizedToUpdate:"select"===this.clickAction?this.shouldShowCheckboxes:"ignore"!==this.clickAction&&("detail"===this.clickAction||this.clickAction,this.resource.authorizedToView))},shouldShowActionDropdown(){return this.availableActions.length>0||this.userHasAnyOptions},shouldShowPreviewLink(){return this.resource.authorizedToView&&this.resource.previewHasFields},userHasAnyOptions(){return this.resourceHasId&&(this.resource.authorizedToReplicate||this.shouldShowPreviewLink||this.canBeImpersonated)},canBeImpersonated(){return this.currentUser.canImpersonate&&this.resource.authorizedToImpersonate}})};const y=(0,r(18152).c)(k,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Checkbox"),p=(0,o.resolveComponent)("InlineActionDropdown"),m=(0,o.resolveComponent)("Icon"),v=(0,o.resolveComponent)("Link"),f=(0,o.resolveComponent)("Button"),g=(0,o.resolveComponent)("DeleteResourceModal"),w=(0,o.resolveComponent)("ModalHeader"),k=(0,o.resolveComponent)("ModalContent"),y=(0,o.resolveComponent)("RestoreResourceModal"),b=(0,o.resolveComponent)("PreviewResourceModal"),x=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("tr",{"data-pivot-id":r.resource.id.pivotValue,dusk:`${r.resource.id.value}-row`,class:(0,o.normalizeClass)(["group",{"divide-x divide-gray-100 dark:divide-gray-700":r.shouldShowColumnBorders}]),onClick:t[4]||(t[4]=(0,o.withModifiers)(((...e)=>u.handleClick&&u.handleClick(...e)),["stop","prevent"]))},[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:0,class:(0,o.normalizeClass)([{"py-2":!u.shouldShowTight,"cursor-pointer":r.resource.authorizedToView},"w-[1%] white-space-nowrap pl-5 pr-5 dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900"]),onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"]))},[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onChange:u.toggleSelection,"model-value":r.checked,dusk:`${r.resource.id.value}-checkbox`,"aria-label":e.__("Select Resource :title",{title:r.resource.title})},null,8,["onChange","model-value","dusk","aria-label"])):(0,o.createCommentVNode)("",!0)],2)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.resource.fields,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:e.uniqueKey,class:(0,o.normalizeClass)([{"px-6":0===t&&!r.shouldShowCheckboxes,"px-2":0!==t||r.shouldShowCheckboxes,"py-2":!u.shouldShowTight,"whitespace-nowrap":!e.wrapping,"cursor-pointer":u.clickableRow},"dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900"])},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("index-"+e.component),{class:(0,o.normalizeClass)(`text-${e.textAlign}`),field:e,resource:r.resource,"resource-name":r.resourceName,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId},null,8,["class","field","resource","resource-name","via-resource","via-resource-id"]))],2)))),128)),(0,o.createElementVNode)("td",{class:(0,o.normalizeClass)([{"py-2":!u.shouldShowTight,"cursor-pointer":r.resource.authorizedToView},"px-2 w-[1%] white-space-nowrap text-right align-middle dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900"])},[(0,o.createElementVNode)("div",l,[u.shouldShowActionDropdown?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,actions:u.availableActions,endpoint:r.actionsEndpoint,resource:r.resource,"resource-name":r.resourceName,"via-many-to-many":r.viaManyToMany,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,onActionExecuted:t[1]||(t[1]=t=>e.$emit("actionExecuted")),onShowPreview:u.navigateToPreviewView},null,8,["actions","endpoint","resource","resource-name","via-many-to-many","via-resource","via-resource-id","via-relationship","onShowPreview"])):(0,o.createCommentVNode)("",!0),u.authorizedToViewAnyResources?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(v,{key:1,as:r.resource.authorizedToView?"a":"button","aria-label":e.__("View"),dusk:`${r.resource.id.value}-view-button`,href:u.viewURL,class:(0,o.normalizeClass)(["inline-flex items-center justify-center h-9 w-9",r.resource.authorizedToView?"text-gray-500 dark:text-gray-400 hover:[&:not(:disabled)]:text-primary-500 dark:hover:[&:not(:disabled)]:text-primary-500":"disabled:cursor-not-allowed disabled:opacity-50"]),disabled:!r.resource.authorizedToView,onClick:t[2]||(t[2]=(0,o.withModifiers)((()=>{}),["stop"]))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",i,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"eye",type:"outline"})])])])),_:1},8,["as","aria-label","dusk","href","class","disabled"])),[[x,e.__("View"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),u.authorizedToUpdateAnyResources?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(v,{key:2,as:r.resource.authorizedToUpdate?"a":"button","aria-label":r.viaManyToMany?e.__("Edit Attached"):e.__("Edit"),dusk:r.viaManyToMany?`${r.resource.id.value}-edit-attached-button`:`${r.resource.id.value}-edit-button`,href:u.updateURL,class:(0,o.normalizeClass)(["inline-flex items-center justify-center h-9 w-9",r.resource.authorizedToUpdate?"text-gray-500 dark:text-gray-400 hover:[&:not(:disabled)]:text-primary-500 dark:hover:[&:not(:disabled)]:text-primary-500":"disabled:cursor-not-allowed disabled:opacity-50"]),disabled:!r.resource.authorizedToUpdate,onClick:t[3]||(t[3]=(0,o.withModifiers)((()=>{}),["stop"]))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",a,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"pencil-square",type:"outline"})])])])),_:1},8,["as","aria-label","dusk","href","class","disabled"])),[[x,r.viaManyToMany?e.__("Edit Attached"):e.__("Edit"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),!u.authorizedToDeleteAnyResources||r.resource.softDeleted&&!r.viaManyToMany?(0,o.createCommentVNode)("",!0):(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:3,onClick:(0,o.withModifiers)(u.openDeleteModal,["stop"]),"aria-label":e.__(r.viaManyToMany?"Detach":"Delete"),dusk:`${r.resource.id.value}-delete-button`,icon:"trash",variant:"action",disabled:!r.resource.authorizedToDelete},null,8,["onClick","aria-label","dusk","disabled"])),[[x,e.__(r.viaManyToMany?"Detach":"Delete"),void 0,{click:!0}]]),u.authorizedToRestoreAnyResources&&r.resource.softDeleted&&!r.viaManyToMany?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:4,"aria-label":e.__("Restore"),disabled:!r.resource.authorizedToRestore,dusk:`${r.resource.id.value}-restore-button`,type:"button",onClick:(0,o.withModifiers)(u.openRestoreModal,["stop"]),icon:"arrow-path",variant:"action"},null,8,["aria-label","disabled","dusk","onClick"])),[[x,e.__("Restore"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(g,{mode:r.viaManyToMany?"detach":"delete",show:e.deleteModalOpen,onClose:u.closeDeleteModal,onConfirm:u.confirmDelete},null,8,["mode","show","onClose","onConfirm"]),(0,o.createVNode)(y,{show:e.restoreModalOpen,onClose:u.closeRestoreModal,onConfirm:u.confirmRestore},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(w,{textContent:(0,o.toDisplayString)(e.__("Restore Resource"))},null,8,["textContent"]),(0,o.createVNode)(k,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",s,(0,o.toDisplayString)(e.__("Are you sure you want to restore this resource?")),1)])),_:1})])),_:1},8,["show","onClose","onConfirm"])])],2)],10,n),e.previewModalOpen?((0,o.openBlock)(),(0,o.createBlock)(b,{key:0,"resource-id":r.resource.id.value,"resource-name":r.resourceName,show:e.previewModalOpen,onClose:u.closePreviewModal,onConfirm:u.closePreviewModal},null,8,["resource-id","resource-name","show","onClose","onConfirm"])):(0,o.createCommentVNode)("",!0)],64)}],["__file","ResourceTableRow.vue"]])},14116:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={class:"flex items-center flex-1"},l={class:"md:ml-3"},i={class:"h-9 ml-auto flex items-center pr-2 md:pr-3"},a={class:"hidden md:flex px-2"},s={key:0,class:"flex items-center md:hidden px-2 pt-3 mt-2 md:mt-0 border-t border-gray-200 dark:border-gray-700"};const c={components:{Button:r(10076).c},emits:["start-polling","stop-polling","deselect"],props:["actionsEndpoint","actionQueryString","allMatchingResourceCount","authorizedToDeleteAnyResources","authorizedToDeleteSelectedResources","authorizedToForceDeleteAnyResources","authorizedToForceDeleteSelectedResources","authorizedToRestoreAnyResources","authorizedToRestoreSelectedResources","availableActions","clearSelectedFilters","closeDeleteModal","currentlyPolling","deleteAllMatchingResources","deleteSelectedResources","filterChanged","forceDeleteAllMatchingResources","forceDeleteSelectedResources","getResources","hasFilters","haveStandaloneActions","lenses","lens","isLensView","perPage","perPageOptions","pivotActions","pivotName","resources","resourceInformation","resourceName","currentPageCount","restoreAllMatchingResources","restoreSelectedResources","selectAllChecked","selectAllMatchingChecked","selectedResources","selectedResourcesForActionSelector","shouldShowActionSelector","shouldShowCheckboxes","shouldShowDeleteMenu","shouldShowPollingToggle","softDeletes","toggleSelectAll","toggleSelectAllMatching","togglePolling","trashed","trashedChanged","trashedParameter","updatePerPageChanged","viaManyToMany","viaResource"],computed:{filters(){return this.$store.getters[`${this.resourceName}/filters`]},filtersAreApplied(){return this.$store.getters[`${this.resourceName}/filtersAreApplied`]},activeFilterCount(){return this.$store.getters[`${this.resourceName}/activeFilterCount`]},filterPerPageOptions(){if(this.resourceInformation)return this.perPageOptions||this.resourceInformation.perPageOptions}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("SelectAllDropdown"),p=(0,o.resolveComponent)("ActionSelector"),m=(0,o.resolveComponent)("Button"),v=(0,o.resolveComponent)("LensSelector"),f=(0,o.resolveComponent)("FilterMenu"),g=(0,o.resolveComponent)("DeleteMenu");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col md:flex-row md:items-center",{"py-3 border-b border-gray-200 dark:border-gray-700":r.shouldShowCheckboxes||r.shouldShowDeleteMenu||r.softDeletes||!r.viaResource||r.hasFilters||r.haveStandaloneActions}])},[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",l,[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,"all-matching-resource-count":r.allMatchingResourceCount,"current-page-count":r.currentPageCount,onToggleSelectAll:r.toggleSelectAll,onToggleSelectAllMatching:r.toggleSelectAllMatching,onDeselect:t[0]||(t[0]=t=>e.$emit("deselect"))},null,8,["all-matching-resource-count","current-page-count","onToggleSelectAll","onToggleSelectAllMatching"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",a,[r.shouldShowActionSelector?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,"resource-name":r.resourceName,"via-resource":r.actionQueryString.viaResource,"via-resource-id":r.actionQueryString.viaResourceId,"via-relationship":r.actionQueryString.viaRelationship,actions:r.availableActions,"pivot-actions":r.pivotActions,"pivot-name":r.pivotName,endpoint:r.actionsEndpoint,"selected-resources":r.selectedResourcesForActionSelector,onActionExecuted:r.getResources},null,8,["resource-name","via-resource","via-resource-id","via-relationship","actions","pivot-actions","pivot-name","endpoint","selected-resources","onActionExecuted"])):(0,o.createCommentVNode)("",!0)]),r.shouldShowPollingToggle?((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,onClick:r.togglePolling,icon:"clock",variant:"link",state:r.currentlyPolling?"default":"mellow"},null,8,["onClick","state"])):(0,o.createCommentVNode)("",!0),r.lenses?.length>0?((0,o.openBlock)(),(0,o.createBlock)(v,{key:1,"resource-name":r.resourceName,lenses:r.lenses},null,8,["resource-name","lenses"])):(0,o.createCommentVNode)("",!0),u.filters.length>0||r.softDeletes||!r.viaResource?((0,o.openBlock)(),(0,o.createBlock)(f,{key:2,"active-filter-count":u.activeFilterCount,"filters-are-applied":u.filtersAreApplied,filters:u.filters,"per-page-options":u.filterPerPageOptions,"per-page":r.perPage,"resource-name":r.resourceName,"soft-deletes":r.softDeletes,trashed:r.trashed,"via-resource":r.viaResource,onClearSelectedFilters:t[1]||(t[1]=e=>r.clearSelectedFilters(r.lens||null)),onFilterChanged:r.filterChanged,onPerPageChanged:r.updatePerPageChanged,onTrashedChanged:r.trashedChanged},null,8,["active-filter-count","filters-are-applied","filters","per-page-options","per-page","resource-name","soft-deletes","trashed","via-resource","onFilterChanged","onPerPageChanged","onTrashedChanged"])):(0,o.createCommentVNode)("",!0),r.shouldShowDeleteMenu?((0,o.openBlock)(),(0,o.createBlock)(g,{key:3,class:"flex",dusk:"delete-menu","soft-deletes":r.softDeletes,resources:r.resources,"selected-resources":r.selectedResources,"via-many-to-many":r.viaManyToMany,"all-matching-resource-count":r.allMatchingResourceCount,"all-matching-selected":r.selectAllMatchingChecked,"authorized-to-delete-selected-resources":r.authorizedToDeleteSelectedResources,"authorized-to-force-delete-selected-resources":r.authorizedToForceDeleteSelectedResources,"authorized-to-delete-any-resources":r.authorizedToDeleteAnyResources,"authorized-to-force-delete-any-resources":r.authorizedToForceDeleteAnyResources,"authorized-to-restore-selected-resources":r.authorizedToRestoreSelectedResources,"authorized-to-restore-any-resources":r.authorizedToRestoreAnyResources,onDeleteSelected:r.deleteSelectedResources,onDeleteAllMatching:r.deleteAllMatchingResources,onForceDeleteSelected:r.forceDeleteSelectedResources,onForceDeleteAllMatching:r.forceDeleteAllMatchingResources,onRestoreSelected:r.restoreSelectedResources,onRestoreAllMatching:r.restoreAllMatchingResources,onClose:r.closeDeleteModal,"trashed-parameter":r.trashedParameter},null,8,["soft-deletes","resources","selected-resources","via-many-to-many","all-matching-resource-count","all-matching-selected","authorized-to-delete-selected-resources","authorized-to-force-delete-selected-resources","authorized-to-delete-any-resources","authorized-to-force-delete-any-resources","authorized-to-restore-selected-resources","authorized-to-restore-any-resources","onDeleteSelected","onDeleteAllMatching","onForceDeleteSelected","onForceDeleteAllMatching","onRestoreSelected","onRestoreAllMatching","onClose","trashed-parameter"])):(0,o.createCommentVNode)("",!0)])]),r.shouldShowActionSelector?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(p,{width:"full","resource-name":r.resourceName,"via-resource":r.actionQueryString.viaResource,"via-resource-id":r.actionQueryString.viaResourceId,"via-relationship":r.actionQueryString.viaRelationship,actions:r.availableActions,"pivot-actions":r.pivotActions,"pivot-name":r.pivotName,endpoint:r.actionsEndpoint,"selected-resources":r.selectedResourcesForActionSelector,onActionExecuted:r.getResources},null,8,["resource-name","via-resource","via-resource-id","via-relationship","actions","pivot-actions","pivot-name","endpoint","selected-resources","onActionExecuted"])])):(0,o.createCommentVNode)("",!0)],2)}],["__file","ResourceTableToolbar.vue"]])},53796:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{height:{type:Number,default:288}},computed:{style(){return{maxHeight:`${this.height}px`}}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"scroll-wrap overflow-x-hidden overflow-y-auto",style:(0,o.normalizeStyle)(i.style)},[(0,o.renderSlot)(e.$slots,"default")],4)}],["__file","ScrollWrap.vue"]])},31056:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["dusk","aria-sort"],l={class:"inline-flex font-sans font-bold uppercase text-xxs tracking-wide text-gray-500"},i={class:"ml-2 shrink-0",xmlns:"http://www.w3.org/2000/svg",width:"8",height:"14",viewBox:"0 0 8 14"};const a={emits:["sort","reset"],mixins:[r(63916).Ql],props:{resourceName:String,uriKey:String},inject:["orderByParameter","orderByDirectionParameter"],methods:{handleClick(){this.isSorted&&this.isDescDirection?this.$emit("reset"):this.$emit("sort",{key:this.uriKey,direction:this.direction})}},computed:{isDescDirection(){return"desc"==this.direction},isAscDirection(){return"asc"==this.direction},ascClass(){return this.isSorted&&this.isDescDirection?"fill-gray-500 dark:fill-gray-300":"fill-gray-300 dark:fill-gray-500"},descClass(){return this.isSorted&&this.isAscDirection?"fill-gray-500 dark:fill-gray-300":"fill-gray-300 dark:fill-gray-500"},isSorted(){return this.sortColumn==this.uriKey&&["asc","desc"].includes(this.direction)},sortKey(){return this.orderByParameter},sortColumn(){return this.queryStringParams[this.sortKey]},directionKey(){return this.orderByDirectionParameter},direction(){return this.queryStringParams[this.directionKey]},notSorted(){return!this.isSorted},ariaSort(){return this.isDescDirection?"descending":this.isAscDirection?"ascending":"none"}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>c.handleClick&&c.handleClick(...e)),["prevent"])),class:"cursor-pointer inline-flex items-center focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 rounded",dusk:"sort-"+r.uriKey,"aria-sort":c.ariaSort},[(0,o.createElementVNode)("span",l,[(0,o.renderSlot)(e.$slots,"default")]),((0,o.openBlock)(),(0,o.createElementBlock)("svg",i,[(0,o.createElementVNode)("path",{class:(0,o.normalizeClass)(c.descClass),d:"M1.70710678 4.70710678c-.39052429.39052429-1.02368927.39052429-1.41421356 0-.3905243-.39052429-.3905243-1.02368927 0-1.41421356l3-3c.39052429-.3905243 1.02368927-.3905243 1.41421356 0l3 3c.39052429.39052429.39052429 1.02368927 0 1.41421356-.39052429.39052429-1.02368927.39052429-1.41421356 0L4 2.41421356 1.70710678 4.70710678z"},null,2),(0,o.createElementVNode)("path",{class:(0,o.normalizeClass)(c.ascClass),d:"M6.29289322 9.29289322c.39052429-.39052429 1.02368927-.39052429 1.41421356 0 .39052429.39052429.39052429 1.02368928 0 1.41421358l-3 3c-.39052429.3905243-1.02368927.3905243-1.41421356 0l-3-3c-.3905243-.3905243-.3905243-1.02368929 0-1.41421358.3905243-.39052429 1.02368927-.39052429 1.41421356 0L4 11.5857864l2.29289322-2.29289318z"},null,2)]))],8,n)}],["__file","SortableIcon.vue"]])},74336:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"flex flex-wrap gap-2"},l={__name:"TagGroup",props:{resourceName:{type:String},tags:{type:Array,default:[]},limit:{type:[Number,Boolean],default:!1},editable:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},setup(e){const t=e,r=(0,o.ref)(!1),l=(0,o.computed)((()=>!1!==t.limit&&t.tags.length>t.limit&&!r.value)),i=(0,o.computed)((()=>!1===t.limit||r.value?t.tags:t.tags.slice(0,t.limit)));function a(){r.value=!0}return(t,r)=>{const s=(0,o.resolveComponent)("TagGroupItem"),c=(0,o.resolveComponent)("Icon"),d=(0,o.resolveComponent)("Badge"),u=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i.value,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)(s,{onTagRemoved:r[0]||(r[0]=e=>t.$emit("tag-removed",e)),tag:n,index:l,"resource-name":e.resourceName,editable:e.editable,"with-preview":e.withPreview},null,8,["tag","index","resource-name","editable","with-preview"])))),256)),l.value?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,onClick:(0,o.withModifiers)(a,["stop"]),class:"cursor-pointer bg-primary-50 dark:bg-primary-500 text-primary-600 dark:text-gray-900 space-x-1"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{type:"dots-horizontal",width:"16",height:"16"})])),_:1})),[[u,t.__("Show more")]]):(0,o.createCommentVNode)("",!0)])}}};const i=(0,r(18152).c)(l,[["__file","TagGroup.vue"]])},64808:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={__name:"TagGroupItem",props:{resourceName:{type:String},index:{type:Number,required:!0},tag:{type:Object,required:!0},editable:{type:Boolean,default:!0},withSubtitles:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},emits:["tag-removed","click"],setup(e){const t=(0,o.ref)(!1),r=e;function n(){r.withPreview&&(t.value=!t.value)}return(r,l)=>{const i=(0,o.resolveComponent)("Icon"),a=(0,o.resolveComponent)("Badge"),s=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(n,["stop"]),class:(0,o.normalizeClass)(["appearance-none inline-flex items-center text-left rounded-lg",{"hover:opacity-50":e.withPreview,"!cursor-default":!e.withPreview}])},[(0,o.createVNode)(a,{class:(0,o.normalizeClass)(["bg-primary-50 dark:bg-primary-500 text-primary-600 dark:text-gray-900 space-x-1",{"!pl-2 !pr-1":e.editable}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.tag.display),1),e.editable?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:l[0]||(l[0]=(0,o.withModifiers)((t=>r.$emit("tag-removed",e.index)),["stop"])),type:"button",class:"opacity-50 hover:opacity-75 dark:opacity-100 dark:hover:opacity-50"},[(0,o.createVNode)(i,{type:"x",width:"16",height:"16"})])):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"]),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,onClose:n,show:t.value,"resource-id":e.tag.value,"resource-name":e.resourceName},null,8,["show","resource-id","resource-name"])):(0,o.createCommentVNode)("",!0)],2)}}};const l=(0,r(18152).c)(n,[["__file","TagGroupItem.vue"]])},22564:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={__name:"TagList",props:{resourceName:{type:String},tags:{type:Array,default:[]},editable:{type:Boolean,default:!0},withSubtitles:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},emits:["tag-removed","click"],setup:(e,{emit:t})=>(t,r)=>{const n=(0,o.resolveComponent)("TagListItem");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.tags,((l,i)=>((0,o.openBlock)(),(0,o.createBlock)(n,{onTagRemoved:r[0]||(r[0]=e=>t.$emit("tag-removed",e)),index:i,tag:l,"resource-name":e.resourceName,editable:e.editable,"with-subtitles":e.withSubtitles,"with-preview":e.withPreview},null,8,["index","tag","resource-name","editable","with-subtitles","with-preview"])))),256))])}};const l=(0,r(18152).c)(n,[["__file","TagList.vue"]])},3992:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"flex items-center space-x-3"},l={class:"text-xs font-semibold"},i={key:0,class:"text-xs"},a={__name:"TagListItem",props:{resourceName:{type:String},index:{type:Number,required:!0},tag:{type:Object,required:!0},editable:{type:Boolean,default:!0},withSubtitles:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},emits:["tag-removed","click"],setup(e){const t=(0,o.ref)(!1),r=e;function a(){r.withPreview&&(t.value=!t.value)}return(r,s)=>{const c=(0,o.resolveComponent)("Avatar"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("IconButton"),h=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(a,["stop"]),class:(0,o.normalizeClass)(["block w-full flex items-center text-left rounded px-1 py-1",{"hover:bg-gray-50 dark:hover:bg-gray-700":e.withPreview,"!cursor-default":!e.withPreview}])},[(0,o.createElementVNode)("div",n,[e.tag.avatar?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,src:e.tag.avatar,rounded:!0,medium:""},null,8,["src"])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(e.tag.display),1),e.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,(0,o.toDisplayString)(e.tag.subtitle),1)):(0,o.createCommentVNode)("",!0)])]),e.editable?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,iconType:"minus-circle",onClick:s[0]||(s[0]=(0,o.withModifiers)((t=>r.$emit("tag-removed",e.index)),["stop"])),type:"button",tabindex:"0",class:"ml-auto flex appearance-none cursor-pointer text-red-500 hover:text-red-600 active:outline-none",title:r.__("Delete")},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{type:"minus-circle"})])),_:1},8,["title"])):(0,o.createCommentVNode)("",!0),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,onClose:a,show:t.value,"resource-id":e.tag.value,"resource-name":e.resourceName},null,8,["show","resource-id","resource-name"])):(0,o.createCommentVNode)("",!0)],2)}}};const s=(0,r(18152).c)(a,[["__file","TagListItem.vue"]])},48372:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;te.$emit("tooltip-show")),onHide:t[1]||(t[1]=t=>e.$emit("tooltip-hide"))},{popper:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"content")])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.renderSlot)(e.$slots,"default")])])),_:3},8,["triggers","distance","skidding","placement","boundary","prevent-overflow","theme"])}],["__file","Tooltip.vue"]])},52024:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{maxWidth:{default:"auto"}},computed:{defaultAttributes(){return{class:this.$attrs.class||"px-3 py-2 text-sm leading-normal",style:{maxWidth:"auto"===this.maxWidth?this.maxWidth:`${this.maxWidth}px`}}}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.normalizeProps)((0,o.guardReactiveProps)(i.defaultAttributes)),[(0,o.renderSlot)(e.$slots,"default")],16)}],["__file","TooltipContent.vue"]])},66884:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("With Trashed")),1)])),_:1},16,["dusk","checked","onInput"])])}],["__file","TrashedCheckbox.vue"]])},22104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["input","placeholder"],l=["name","id","value"];var i=r(79624);r(92548),r(70144);const a={name:"trix-vue",inheritAttrs:!1,emits:["change","file-added","file-removed"],props:{name:{type:String},value:{type:String},placeholder:{type:String},withFiles:{type:Boolean,default:!0},disabled:{type:Boolean,default:!1}},data:()=>({uid:(0,i.c)(),loading:!0}),methods:{initialize(){this.disabled&&this.$refs.theEditor.setAttribute("contenteditable",!1),this.loading=!1},handleChange(){this.loading||this.$emit("change",this.$refs.theEditor.value)},handleFileAccept(e){this.withFiles||e.preventDefault()},handleAddFile(e){this.$emit("file-added",e)},handleRemoveFile(e){this.$emit("file-removed",e)}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("trix-editor",(0,o.mergeProps)({ref:"theEditor",onKeydown:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),input:e.uid},e.$attrs,{onTrixChange:t[1]||(t[1]=(...e)=>s.handleChange&&s.handleChange(...e)),onTrixInitialize:t[2]||(t[2]=(...e)=>s.initialize&&s.initialize(...e)),onTrixAttachmentAdd:t[3]||(t[3]=(...e)=>s.handleAddFile&&s.handleAddFile(...e)),onTrixAttachmentRemove:t[4]||(t[4]=(...e)=>s.handleRemoveFile&&s.handleRemoveFile(...e)),onTrixFileAccept:t[5]||(t[5]=(...e)=>s.handleFileAccept&&s.handleFileAccept(...e)),placeholder:r.placeholder,class:"trix-content prose !max-w-full prose-sm dark:prose-invert"}),null,16,n),(0,o.createElementVNode)("input",{type:"hidden",name:r.name,id:e.uid,value:r.value},null,8,l)],64)}],["__file","Trix.vue"]])},4864:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>E});var o=r(74032);const n={class:"inline-flex items-center shrink-0 gap-2"},l={class:"hidden lg:inline-block"},i=["alt","src"],a={class:"whitespace-nowrap"},s={class:"py-1"},c={key:0,class:"mr-1"},d={key:1,class:"flex items-center"},u=["alt","src"],h={class:"whitespace-nowrap"};var p=r(5540),m=r(10552),v=r.n(m),f=r(56756),g=r.n(f),w=r(43028),k=r.n(w),y=r(79088),b=r.n(y),x=r(48936);function C(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function B(e){for(var t=1;t{null===e?Nova.redirectToLogin():location.href=e})).catch((e=>{p.Inertia.reload()}))},handleStopImpersonating(){confirm(this.__("Are you sure you want to stop impersonating?"))&&this.stopImpersonating()},handleUserMenuClosed(){!0===this.mobile&&this.toggleMainMenu()}}),computed:B(B({},(0,x.gV)(["currentUser","userMenu"])),{},{userName(){return this.currentUser.name||this.currentUser.email||this.__("Nova User")},formattedItems(){return this.userMenu.map((e=>{let t=e.method||"GET",r={href:e.path};return e.external&&"GET"==t?{component:"DropdownMenuItem",props:B(B({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"DropdownMenuItem",props:b()(k()(B(B({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null,as:"GET"===t?"link":"form-button"}),g()),v()),external:e.external,name:e.name,on:{},badge:e.badge}}))},hasUserMenu(){return this.currentUser&&(this.formattedItems.length>0||this.supportsAuthentication||this.currentUser.impersonating)},supportsAuthentication(){return!0===Nova.config("withAuthentication")||!1!==this.customLogoutPath},customLogoutPath:()=>Nova.config("customLogoutPath"),componentName:()=>"Dropdown",dropdownPlacement(){return!0===this.mobile?"top-start":"bottom-end"}})};const E=(0,r(18152).c)(V,[["render",function(e,t,r,p,m,v){const f=(0,o.resolveComponent)("Icon"),g=(0,o.resolveComponent)("Button"),w=(0,o.resolveComponent)("Badge"),k=(0,o.resolveComponent)("DropdownMenuItem"),y=(0,o.resolveComponent)("DropdownMenu"),b=(0,o.resolveComponent)("Dropdown");return v.hasUserMenu?((0,o.openBlock)(),(0,o.createBlock)(b,{key:0,onMenuClosed:v.handleUserMenuClosed,placement:v.dropdownPlacement},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(y,{width:"200",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(v.formattedItems,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path},e.props,(0,o.toHandlers)(e.on)),{default:(0,o.withCtx)((()=>[e.badge?((0,o.openBlock)(),(0,o.createElementBlock)("span",c,[(0,o.createVNode)(w,{"extra-classes":e.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.badge.value),1)])),_:2},1032,["extra-classes"])])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.name),1)])),_:2},1040)))),128)),e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0,as:"button",onClick:v.handleStopImpersonating},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Stop Impersonating")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),v.supportsAuthentication?((0,o.openBlock)(),(0,o.createBlock)(k,{key:1,as:"button",onClick:v.attempt},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Logout")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(g,{class:"block shrink-0",variant:"ghost",padding:"tight","trailing-icon":"chevron-down"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",n,[(0,o.createElementVNode)("span",l,[e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,type:"finger-print",solid:!0,class:"w-7 h-7"})):e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,alt:e.__(":name's Avatar",{name:v.userName}),src:e.currentUser.avatar,class:"rounded-full w-7 h-7"},null,8,i)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(v.userName),1)])])),_:1})])),_:1},8,["onMenuClosed","placement"])):e.currentUser?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:0,alt:e.__(":name's Avatar",{name:v.userName}),src:e.currentUser.avatar,class:"rounded-full w-8 h-8 mr-3"},null,8,u)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",h,(0,o.toDisplayString)(v.userName),1)])):(0,o.createCommentVNode)("",!0)}],["__file","UserMenu.vue"]])},936:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={key:0,class:"row"},l={class:"col-6 alert alert-danger"},i=(0,o.createElementVNode)("br",null,null,-1),a=(0,o.createElementVNode)("br",null,null,-1),s={style:{"margin-bottom":"0"}};const c={props:["errors"]};const d=(0,r(18152).c)(c,[["render",function(e,t,r,c,d,u){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[r.errors.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("strong",null,(0,o.toDisplayString)(e.__("Whoops!")),1),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.__("Something went wrong."))+" ",1),i,a,(0,o.createElementVNode)("ul",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.errors,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("li",null,(0,o.toDisplayString)(e),1)))),256))])])])):(0,o.createCommentVNode)("",!0)])}],["__file","ValidationErrors.vue"]])},19384:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["src"],l={key:1},i={key:2,class:"flex items-center text-sm mt-3"},a=["dusk"],s={class:"class mt-1"};var c=r(14764),d=r.n(c);const u={mixins:[r(63916).mY],props:["index","resource","resourceName","resourceId","field"],methods:{download(){const{resourceName:e,resourceId:t}=this,r=this.field.attribute;let o=document.createElement("a");o.href=`/nova-api/${e}/${t}/download/${r}`,o.download="download",document.body.appendChild(o),o.click(),document.body.removeChild(o)}},computed:{hasPreviewableAudio(){return!d()(this.field.previewUrl)},shouldShowToolbar(){return Boolean(this.field.downloadable&&this.fieldHasValue)},defaultAttributes(){return{src:this.field.previewUrl,autoplay:this.field.autoplay,preload:this.field.preload}}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Icon"),p=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(p,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[u.hasPreviewableAudio?((0,o.openBlock)(),(0,o.createElementBlock)("audio",(0,o.mergeProps)({key:0},u.defaultAttributes,{class:"w-full",src:r.field.previewUrl,controls:"",controlslist:"nodownload"}),null,16,n)):(0,o.createCommentVNode)("",!0),u.hasPreviewableAudio?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—")),u.shouldShowToolbar?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,[r.field.downloadable?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:0,dusk:r.field.attribute+"-download-link",onKeydown:t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"]),["enter"])),onClick:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"])),tabindex:"0",class:"cursor-pointer text-gray-500 inline-flex items-center"},[(0,o.createVNode)(h,{class:"mr-2",type:"download","view-box":"0 0 24 24",width:"16",height:"16"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,a)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","AudioField.vue"]])},18428:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={key:0,class:"mr-1 -ml-1"};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon"),c=(0,o.resolveComponent)("Badge"),d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{class:"mt-1",label:r.field.label,"extra-classes":r.field.typeClass},{icon:(0,o.withCtx)((()=>[r.field.icon?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.createVNode)(s,{solid:!0,type:r.field.icon},null,8,["type"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])),_:1},8,["index","field"])}],["__file","BadgeField.vue"]])},99876:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={key:0},l={key:1},i={key:2};const a={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("RelationPeek"),h=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(h,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[r.field.viewable&&r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[r.field.peekable&&r.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,"resource-name":r.field.resourceName,"resource-id":r.field.belongsToId,resource:r.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.field.resourceName}/${r.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,href:e.$url(`/resources/${r.field.resourceName}/${r.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"]))])):r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("p",l,(0,o.toDisplayString)(r.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","BelongsToField.vue"]])},57984:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{field:r.field,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":r.resourceId,"via-relationship":r.field.belongsToManyRelationship,"relationship-type":"belongsToMany",onActionExecuted:i.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage"])}],["__file","BelongsToManyField.vue"]])},74700:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"],computed:{label(){return 1==this.field.value?this.__("Yes"):this.__("No")},type(){return 1==this.field.value?"check-circle":"x-circle"},color(){return 1==this.field.value?"text-green-500":"text-red-500"}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Icon"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{viewBox:"0 0 24 24",width:"24",height:"24",type:i.type,class:(0,o.normalizeClass)(i.color)},null,8,["type","class"])])),_:1},8,["index","field"])}],["__file","BooleanField.vue"]])},89640:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={key:0,class:"space-y-2"},l={key:1};var i=r(54740),a=r.n(i),s=r(17096),c=r.n(s);const d={props:["index","resource","resourceName","resourceId","field"],data:()=>({value:[],classes:{true:"text-green-500",false:"text-red-500"}}),created(){this.field.value=this.field.value||{},this.value=a()(c()(this.field.options,(e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1}))),(e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked)))}};const u=(0,r(18152).c)(d,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("IconBoolean"),d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("ul",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{class:(0,o.normalizeClass)([e.classes[t.checked],"flex items-center rounded-full font-bold text-sm leading-tight space-x-2"])},[(0,o.createVNode)(c,{class:"flex-none",value:t.checked},null,8,["value"]),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(t.label),1)],2)))),256))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(this.field.noValueText),1))])),_:1},8,["index","field"])}],["__file","BooleanGroupField.vue"]])},17452:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(74032);const n={key:0,class:"form-input form-control-bordered px-0 overflow-hidden"},l={ref:"theTextarea"},i={key:1};var a=r(95368),s=r.n(a),c=r(63916),d=r(56756),u=r.n(d);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("textarea",l,null,512)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","CodeField.vue"]])},57854:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"rounded-lg inline-flex items-center justify-center border border-60 p-1"};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("span",{class:"block w-6 h-6",style:(0,o.normalizeStyle)({borderRadius:"5px",backgroundColor:r.field.value})},null,4)])])),_:1},8,["index","field"])}],["__file","ColorField.vue"]])},24422:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","CurrencyField.vue"]])},63180:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["title"],l={key:1};var i=r(98776);const a={mixins:[r(63916).mY],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return i.CS.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(c,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue||e.usesCustomizedDisplay?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,title:r.field.value},(0,o.toDisplayString)(s.formattedDate),9,n)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateField.vue"]])},93484:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["title"],l={key:1};var i=r(98776);const a={mixins:[r(63916).mY],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDateTime(){return this.usesCustomizedDisplay?this.field.displayedAs:i.CS.fromISO(this.field.value).setZone(this.timezone).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",timeZoneName:"short"})},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(c,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue||e.usesCustomizedDisplay?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,title:r.field.value},(0,o.toDisplayString)(s.formattedDateTime),9,n)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateTimeField.vue"]])},26712:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={key:0,class:"flex items-center"},l=["href"],i={key:1};var a=r(63916);const s={mixins:[a.s5,a.mY],props:["index","resource","resourceName","resourceId","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("CopyButton"),u=(0,o.resolveComponent)("PanelItem"),h=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.createElementVNode)("a",{href:`mailto:${r.field.value}`,class:"link-default"},(0,o.toDisplayString)(e.fieldValue),9,l),e.fieldHasValue&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,onClick:(0,o.withModifiers)(c.copy,["prevent","stop"]),class:"mx-0"},null,8,["onClick"])),[[h,e.__("Copy to clipboard")]]):(0,o.createCommentVNode)("",!0)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","EmailField.vue"]])},80216:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={key:1,class:"break-words"},l={key:2},i={key:3,class:"flex items-center text-sm mt-3"},a=["dusk"],s={class:"class mt-1"};const c={mixins:[r(63916).mY],props:["index","resource","resourceName","resourceId","field"],methods:{download(){const{resourceName:e,resourceId:t}=this,r=this.fieldAttribute;let o=document.createElement("a");o.href=`/nova-api/${e}/${t}/download/${r}`,o.download="download",document.body.appendChild(o),o.click(),document.body.removeChild(o)}},computed:{hasValue(){return Boolean(this.field.value||this.imageUrl)},shouldShowLoader(){return this.imageUrl},shouldShowToolbar(){return Boolean(this.field.downloadable&&this.hasValue)},imageUrl(){return this.field.previewUrl||this.field.thumbnailUrl},isVaporField(){return"vapor-file-field"===this.field.component}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("ImageLoader"),p=(0,o.resolveComponent)("Icon"),m=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(m,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[u.shouldShowLoader?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,src:u.imageUrl,maxWidth:r.field.maxWidth||r.field.detailWidth,rounded:r.field.rounded,aspect:r.field.aspect},null,8,["src","maxWidth","rounded","aspect"])):(0,o.createCommentVNode)("",!0),e.fieldValue&&!u.imageUrl?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.fieldValue),1)):(0,o.createCommentVNode)("",!0),e.fieldValue||u.imageUrl?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—")),u.shouldShowToolbar?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,[r.field.downloadable?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:0,dusk:r.field.attribute+"-download-link",onKeydown:t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"]),["enter"])),onClick:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"])),tabindex:"0",class:"cursor-pointer text-gray-500 inline-flex items-center"},[(0,o.createVNode)(p,{class:"mr-2",type:"download","view-box":"0 0 24 24",width:"16",height:"16"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,a)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","FileField.vue"]])},81308:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{field:r.field,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":r.resourceId,"via-relationship":r.field.hasManyThroughRelationship,"relationship-type":"hasManyThrough",onActionExecuted:i.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage"])}],["__file","HasManyThroughField.vue"]])},69776:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n=["dusk","data-relationship"],l={key:1};const i={props:["resourceName","resourceId","resource","field"],computed:{authorizedToCreate(){return this.field.authorizedToCreate},createButtonLabel(){return this.field.createButtonLabel},hasRelation(){return null!=this.field.hasOneId},singularName(){return this.field.singularLabel},viaResourceId(){return this.resource.id.value},viaRelationship(){return this.field.hasOneRelationship}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("IndexEmptyDialog"),u=(0,o.resolveComponent)("Card"),h=(0,o.resolveComponent)("ResourceDetail");return r.field.authorizedToView?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:"relative",dusk:r.field.resourceName+"-index-component","data-relationship":s.viaRelationship},[s.hasRelation?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createVNode)(h,{"resource-name":r.field.resourceName,"resource-id":r.field.hasOneId,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"show-view-link":!0},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","relationship-type"])])):((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[(0,o.createVNode)(c,{level:1,class:"mb-3 flex items-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.singularLabel),1)])),_:1}),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{"create-button-label":s.createButtonLabel,"singular-name":s.singularName,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"authorized-to-create":s.authorizedToCreate,"authorized-to-relate":!0},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create"])])),_:1})],64))],8,n)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneField.vue"]])},21636:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n=["dusk","data-relationship"],l={key:1};const i={props:["resourceName","resourceId","resource","field"],computed:{authorizedToCreate(){return this.field.authorizedToCreate},createButtonLabel(){return this.field.createButtonLabel},hasRelation(){return null!=this.field.hasOneThroughId},singularName(){return this.field.singularLabel},viaResourceId(){return this.resource.id.value},viaRelationship(){return this.field.hasOneThroughRelationship}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("IndexEmptyDialog"),u=(0,o.resolveComponent)("Card"),h=(0,o.resolveComponent)("ResourceDetail");return r.field.authorizedToView?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:"relative",dusk:r.field.resourceName+"-index-component","data-relationship":s.viaRelationship},[s.hasRelation?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createVNode)(h,{"resource-name":r.field.resourceName,"resource-id":r.field.hasOneThroughId,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"show-view-link":!0},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","relationship-type"])])):((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[(0,o.createVNode)(c,{level:1,class:"mb-3 flex items-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.singularLabel),1)])),_:1}),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{"create-button-label":s.createButtonLabel,"singular-name":s.singularName,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"authorized-to-create":!1,"authorized-to-relate":!1},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type"])])),_:1})],64))],8,n)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneThroughField.vue"]])},50256:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={class:"w-full py-4 px-6"},l=["innerHTML"],i={key:2};var a=r(66056);const s={props:["index","resource","resourceName","resourceId","field"],computed:{fieldValue(){return!!(0,a.c)(this.field.value)&&String(this.field.value)},shouldDisplayAsHtml(){return this.field.asHtml}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["-mx-6",{"border-t border-gray-100 dark:border-gray-700":0!==r.index,"-mt-2":0===r.index}])},[(0,o.createElementVNode)("div",n,[(0,o.renderSlot)(e.$slots,"value",{},(()=>[c.fieldValue&&!c.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.fieldValue),1)])),_:1})):c.fieldValue&&c.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,innerHTML:r.field.value},null,8,l)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))]))])],2)}],["__file","HeadingField.vue"]])},95821:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"hidden"};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n)}],["__file","HiddenField.vue"]])},37878:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","IdField.vue"]])},38364:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"bg-gray-50 dark:bg-gray-700 overflow-hidden key-value-items"};var l=r(17096),i=r.n(l);const a={props:["index","resource","resourceName","resourceId","field"],data:()=>({theData:[]}),created(){this.theData=i()(Object.entries(this.field.value||{}),(([e,t])=>({key:`${e}`,value:t})))}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("FormKeyValueHeader"),c=(0,o.resolveComponent)("FormKeyValueItem"),d=(0,o.resolveComponent)("FormKeyValueTable"),u=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.theData.length>0?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,"edit-mode":!1,class:"overflow-hidden"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{"key-label":r.field.keyLabel,"value-label":r.field.valueLabel},null,8,["key-label","value-label"]),(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.theData,((e,t)=>((0,o.openBlock)(),(0,o.createBlock)(c,{index:t,item:e,disabled:!0,key:e.key},null,8,["index","item"])))),128))])])),_:1})):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","KeyValueField.vue"]])},99996:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"],computed:{excerpt(){return this.field.previewFor}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Excerpt"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{content:i.excerpt,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","MarkdownField.vue"]])},67808:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={key:1},l={key:2},i={key:3};const a={props:["index","resourceName","resourceId","field"]};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[r.field.viewable&&r.field.value?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:"no-underline font-bold link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.name)+": "+(0,o.toDisplayString)(r.field.value)+" ("+(0,o.toDisplayString)(r.field.resourceLabel)+") ",1)])),_:1},8,["href"])):r.field.morphToId&&null!==r.field.resourceLabel?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,(0,o.toDisplayString)(r.field.name)+": "+(0,o.toDisplayString)(r.field.morphToId)+" ("+(0,o.toDisplayString)(r.field.resourceLabel)+") ",1)):r.field.morphToId&&null===r.field.resourceLabel?((0,o.openBlock)(),(0,o.createElementBlock)("p",l,(0,o.toDisplayString)(r.field.morphToType)+": "+(0,o.toDisplayString)(r.field.morphToId),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","MorphToActionTargetField.vue"]])},71604:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={key:0},l={key:1},i={key:2};const a={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("RelationPeek"),h=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(h,{index:r.index,field:r.field,"field-name":r.field.name},{value:(0,o.withCtx)((()=>[r.field.viewable&&r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[r.field.peekable&&r.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,"resource-name":r.field.resourceName,"resource-id":r.field.morphToId,resource:r.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.resourceLabel)+": "+(0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.resourceLabel)+": "+(0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"]))])):r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("p",l,(0,o.toDisplayString)(r.field.resourceLabel||r.field.morphToType)+": "+(0,o.toDisplayString)(r.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field","field-name"])}],["__file","MorphToField.vue"]])},22024:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{field:r.field,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":r.resourceId,"via-relationship":r.field.morphToManyRelationship,"relationship-type":"morphToMany",onActionExecuted:i.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage"])}],["__file","MorphToManyField.vue"]])},86584:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n=["textContent"];var l=r(2376),i=r.n(l),a=r(3624),s=r.n(a);const c={props:["index","resource","resourceName","resourceId","field"],computed:{fieldValues(){let e=[];return i()(this.field.options,(t=>{let r=t.value.toString();(s()(this.field.value,r)>=0||s()(this.field.value?.toString(),r)>=0)&&e.push(t.label)})),e}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.fieldValues,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("span",{textContent:(0,o.toDisplayString)(e),class:"inline-block text-sm mb-1 mr-2 px-2 py-0 bg-primary-500 text-white dark:text-gray-900 rounded"},null,8,n)))),256))])),_:1},8,["index","field"])}],["__file","MultiSelectField.vue"]])},96876:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={class:"flex items-center"},l=["aria-label","aria-expanded"],i=["innerHTML"],a={key:0,class:"-mx-6 border-t border-gray-100 dark:border-gray-700 text-center rounded-b"};var s=r(63916);const c={mixins:[s.q,s.OM],methods:{resolveComponentName:e=>e.prefixComponent?"detail-"+e.component:e.component,showAllFields(){return this.panel.limit=0}},computed:{localStorageKey(){return`nova.panels.${this.panel.attribute}.collapsed`},collapsedByDefault(){return this.panel?.collapsedByDefault??!1},fields(){return this.panel.limit>0?this.panel.fields.slice(0,this.panel.limit):this.panel.fields},shouldShowShowAllFieldsButton(){return this.panel.limit>0}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("Heading"),h=(0,o.resolveComponent)("CollapseButton"),p=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(u,{level:1,textContent:(0,o.toDisplayString)(e.panel.name)},null,8,["textContent"]),e.panel.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:t[0]||(t[0]=(...t)=>e.toggleCollapse&&e.toggleCollapse(...t)),class:"rounded border border-transparent h-6 w-6 ml-1 inline-flex items-center justify-center focus:outline-none focus:ring focus:ring-primary-200","aria-label":e.__("Toggle Collapsed"),"aria-expanded":!1===e.collapsed?"true":"false"},[(0,o.createVNode)(h,{collapsed:e.collapsed},null,8,["collapsed"])],8,l)):(0,o.createCommentVNode)("",!0)]),e.panel.helpText&&!e.collapsed?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:(0,o.normalizeClass)(["text-gray-500 text-sm font-semibold italic",e.panel.helpText?"mt-1":"mt-3"]),innerHTML:e.panel.helpText},null,10,i)):(0,o.createCommentVNode)("",!0)])),!e.collapsed&&d.fields.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"mt-3 py-2 px-6 divide-y divide-gray-100 dark:divide-gray-700"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(d.fields,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(d.resolveComponentName(t)),{key:r,index:r,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:t,onActionExecuted:e.actionExecuted},null,40,["index","resource-name","resource-id","resource","field","onActionExecuted"])))),128)),d.shouldShowShowAllFieldsButton?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("button",{type:"button",class:"block w-full text-sm link-default font-bold py-2 -mb-2",onClick:t[1]||(t[1]=(...e)=>d.showAllFields&&d.showAllFields(...e))},(0,o.toDisplayString)(e.__("Show All Fields")),1)])):(0,o.createCommentVNode)("",!0)])),_:1})):(0,o.createCommentVNode)("",!0)])}],["__file","Panel.vue"]])},60108:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=(0,o.createElementVNode)("p",null," ········· ",-1);const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[n])),_:1},8,["index","field"])}],["__file","PasswordField.vue"]])},41324:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(39383).default};const n=(0,r(18152).c)(o,[["__file","PlaceField.vue"]])},16224:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={mixins:[r(63916).OM],computed:{field(){return this.panel.fields[0]}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${i.field.component}`),{key:`${i.field.attribute}:${e.resourceId}`,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:i.field,onActionExecuted:e.actionExecuted},null,40,["resource-name","resource-id","resource","field","onActionExecuted"]))])}],["__file","RelationshipPanel.vue"]])},76252:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","SelectField.vue"]])},22694:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(39383).default};const n=(0,r(18152).c)(o,[["__file","SlugField.vue"]])},45548:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);var n=r(52136),l=r.n(n);r(6896);const i={props:["index","resource","resourceName","resourceId","field"],data:()=>({chartist:null}),watch:{"field.data":function(e,t){this.renderChart()}},methods:{renderChart(){this.chartist.update(this.field.data)}},mounted(){this.chartist=new(l()[this.chartStyle])(this.$refs.chart,{series:[this.field.data]},{height:this.chartHeight,width:this.chartWidth,showPoint:!1,fullWidth:!0,chartPadding:{top:0,right:0,bottom:0,left:0},axisX:{showGrid:!1,showLabel:!1,offset:0},axisY:{showGrid:!1,showLabel:!1,offset:0}})},computed:{hasData(){return this.field.data.length>0},chartStyle(){let e=this.field.chartStyle.toLowerCase();return["line","bar"].includes(e)?e.charAt(0).toUpperCase()+e.slice(1):"Line"},chartHeight(){return this.field.height?`${this.field.height}px`:"120px"},chartWidth(){if(this.field.width)return`${this.field.width}px`}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:i.chartWidth,height:i.chartHeight})},null,4)])),_:1},8,["index","field"])}],["__file","SparklineField.vue"]])},2140:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={key:1};const l={props:["index","resource","resourceName","resourceId","field"],computed:{hasValue(){return this.field.lines}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[a.hasValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)([`text-${r.field.textAlign}`,"leading-normal"])},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.field.lines,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`index-${e.component}`),{key:e.value,field:e,resourceName:r.resourceName},null,8,["field","resourceName"])))),128))],2)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))])),_:1},8,["index","field"])}],["__file","StackField.vue"]])},6924:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"mr-1 -ml-1"},l={key:1};const i={mixins:[r(63916).mY],props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Loader"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Badge"),h=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(h,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,class:(0,o.normalizeClass)(["whitespace-nowrap inline-flex items-center",r.field.typeClass])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",n,["loading"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,width:"20",class:"mr-1"})):(0,o.createCommentVNode)("",!0),"failed"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,solid:!0,type:"exclamation-circle"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,solid:!0,type:"check-circle"})):(0,o.createCommentVNode)("",!0)]),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["class"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))])),_:1},8,["index","field"])}],["__file","StatusField.vue"]])},79200:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={key:0};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("TagGroup"),c=(0,o.resolveComponent)("TagList"),d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[r.field.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,["group"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0),"list"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(c,{key:1,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","TagField.vue"]])},39383:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","TextField.vue"]])},9048:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Excerpt"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{content:r.field.value,"plain-text":!0,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TextareaField.vue"]])},10976:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Excerpt"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{content:r.field.value,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TrixField.vue"]])},45228:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={key:0},l=["href"],i=["innerHTML"],a={key:2};const s={mixins:[r(63916).mY],props:["index","resource","resourceName","resourceId","field"]};const c=(0,r(18152).c)(s,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue&&!e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.createElementVNode)("a",{class:"link-default",href:r.field.value,rel:"noreferrer noopener",target:"_blank"},(0,o.toDisplayString)(e.fieldValue),9,l)])):e.fieldValue&&e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,innerHTML:e.fieldValue},null,8,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))])),_:1},8,["index","field"])}],["__file","UrlField.vue"]])},14240:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(19384).default};const n=(0,r(18152).c)(o,[["__file","VaporAudioField.vue"]])},65964:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(80216).default};const n=(0,r(18152).c)(o,[["__file","VaporFileField.vue"]])},432:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"block"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(){let e=this.nextValue(this.value);this.$emit("change",{filterClass:this.filterKey,value:e??""})},nextValue:e=>!0!==e&&(!1!==e||null)},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},value(){let e=this.filter.currentValue;return!0===e||!1===e?e:null}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("IconBoolean"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("label",n,(0,o.toDisplayString)(a.filter.name),1),(0,o.createElementVNode)("button",{type:"button",onClick:t[0]||(t[0]=(...e)=>a.handleChange&&a.handleChange(...e)),class:"p-0 m-0"},[(0,o.createVNode)(s,{dusk:`${a.field.uniqueKey}-filter`,class:"mt-2",value:a.value,nullable:!0},null,8,["dusk","value"])])])])),_:1})}],["__file","BooleanField.vue"]])},84352:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"space-y-2"},l={type:"button"};const i={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(){this.$emit("change")}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("IconBooleanOption"),d=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(d,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("button",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(s.field.options,(e=>((0,o.openBlock)(),(0,o.createBlock)(c,{dusk:`${s.field.uniqueKey}-filter-${e.value}-option`,"resource-name":r.resourceName,key:e.value,filter:s.filter,option:e,onChange:s.handleChange,label:"label"},null,8,["dusk","resource-name","filter","option","onChange"])))),128))])])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(s.filter.name),1)])),_:1})}],["__file","BooleanGroupField.vue"]])},87780:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(74032);const n={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},i=["dusk"],a={class:"block mt-2"},s={class:"uppercase text-xs font-bold tracking-wide"},c=["dusk"];var d=r(98776),u=r(73336),h=r.n(u),p=r(94240),m=r.n(p),v=r(66056);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t({startValue:null,endValue:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=h()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{startValue(){this.debouncedHandleChange()},endValue(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,v.c)(e)?this.fromDateTimeISO(e).toISODate():null,this.endValue=(0,v.c)(t)?this.fromDateTimeISO(t).toISODate():null},validateFilter(e,t){return[e=(0,v.c)(e)?this.toDateTimeISO(e,"start"):null,t=(0,v.c)(t)?this.toDateTimeISO(t,"end"):null]},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.validateFilter(this.startValue,this.endValue)})},handleFilterReset(){this.$refs.startField.value="",this.$refs.endField.value="",this.setCurrentFilterValue()},fromDateTimeISO:e=>d.CS.fromISO(e),toDateTimeISO:(e,t)=>d.CS.fromISO(e).toISODate()},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},startExtraAttributes(){const e=m()(this.field.extraAttributes,["readonly"]);return g({type:this.field.type||"date",placeholder:this.__("Start")},e)},endExtraAttributes(){const e=m()(this.field.extraAttributes,["readonly"]);return g({type:this.field.type||"date",placeholder:this.__("End")},e)}}};const y=(0,r(18152).c)(k,[["render",function(e,t,r,d,u,h){const p=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(p,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("label",n,[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"flex w-full form-control form-input form-control-bordered",ref:"startField","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),dusk:`${h.field.uniqueKey}-range-start`},h.startExtraAttributes),null,16,i),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",a,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"flex w-full form-control form-input form-control-bordered",ref:"endField","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),dusk:`${h.field.uniqueKey}-range-end`},h.endExtraAttributes),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","DateField.vue"]])},88756:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(74032);const n={class:"flex flex-col gap-2"},l={class:"flex flex-col gap-2"},i={class:"uppercase text-xs font-bold tracking-wide"},a=["value","dusk","placeholder"],s={class:"flex flex-col gap-2"},c={class:"uppercase text-xs font-bold tracking-wide"},d=["value","dusk","placeholder"];var u=r(98776),h=r(73336),p=r.n(h),m=r(66056),v=r(17380);const f={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({startDateValue:null,endDateValue:null,debouncedStartDateHandleChange:null,debouncedEndDateHandleChange:null,debouncedEmit:null}),created(){this.debouncedEmit=p()((()=>this.emitChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},methods:{end:()=>v.Kw,setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startDateValue=(0,m.c)(e)?u.CS.fromISO(e).toFormat("yyyy-MM-dd'T'HH:mm"):null,this.endDateValue=(0,m.c)(t)?u.CS.fromISO(t).toFormat("yyyy-MM-dd'T'HH:mm"):null},validateFilter(e,t){return[e=(0,m.c)(e)?this.toDateTimeISO(e,"start"):null,t=(0,m.c)(t)?this.toDateTimeISO(t,"end"):null]},handleStartDateChange(e){this.startDateValue=e.target.value,this.debouncedEmit()},handleEndDateChange(e){this.endDateValue=e.target.value,this.debouncedEmit()},emitChange(){this.$emit("change",{filterClass:this.filterKey,value:this.validateFilter(this.startDateValue,this.endDateValue)})},handleFilterReset(){this.$refs.startField.value="",this.$refs.endField.value="",this.setCurrentFilterValue()},fromDateTimeISO(e){return u.CS.fromISO(e,{setZone:!0}).setZone(this.timezone).toISO()},toDateTimeISO(e){return u.CS.fromISO(e,{zone:this.timezone,setZone:!0}).setZone(Nova.config("timezone")).toISO()}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const g=(0,r(18152).c)(f,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(m,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("label",l,[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("From")}`),1),(0,o.createElementVNode)("input",{onChange:t[0]||(t[0]=(...e)=>p.handleStartDateChange&&p.handleStartDateChange(...e)),value:e.startDateValue,class:"flex w-full form-control form-input form-control-bordered",ref:"startField",dusk:`${p.field.uniqueKey}-range-start`,type:"datetime-local",placeholder:e.__("Start")},null,40,a)]),(0,o.createElementVNode)("label",s,[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("To")}`),1),(0,o.createElementVNode)("input",{onChange:t[1]||(t[1]=(...e)=>p.handleEndDateChange&&p.handleEndDateChange(...e)),value:e.endDateValue,class:"flex w-full form-control form-input form-control-bordered",ref:"endField",dusk:`${p.field.uniqueKey}-range-end`,type:"datetime-local",placeholder:e.__("End")},null,40,d)])])])),_:1})}],["__file","DateTimeField.vue"]])},83320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>B});var o=r(74032);const n={key:0,class:"flex items-center"},l={key:0,class:"mr-3"},i=["src"],a={class:"flex items-center"},s={key:0,class:"flex-none mr-3"},c=["src"],d={class:"flex-auto"},u={key:0},h={key:1},p=(0,o.createElementVNode)("option",{value:"",selected:""},"—",-1);var m=r(73336),v=r.n(m),f=r(67120),g=r.n(f),w=r(14764),k=r.n(w),y=r(63916),b=r(57308),x=r(66056);const C={emits:["change"],mixins:[y.mI],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({availableResources:[],selectedResource:null,selectedResourceId:"",softDeletes:!1,withTrashed:!1,search:"",debouncedHandleChange:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset),this.initializeComponent()},created(){this.debouncedHandleChange=v()((()=>this.handleChange()),500),Nova.$on("filter-active",this.handleClosingInactiveSearchInputs)},beforeUnmount(){Nova.$off("filter-active",this.handleClosingInactiveSearchInputs),Nova.$off("filter-reset",this.handleFilterReset)},watch:{selectedResource(e){this.selectedResourceId=(0,x.c)(e)?e.value:""},selectedResourceId(){this.debouncedHandleChange()}},methods:{initializeComponent(){this.filter;let e=!1;this.filter.currentValue&&(this.selectedResourceId=this.filter.currentValue,!0===this.isSearchable&&(e=!0)),this.isSearchable&&!e||this.getAvailableResources().then((()=>{!0===e&&this.selectInitialResource()}))},getAvailableResources(e){let t=this.queryParams;return k()(e)||(t.first=!1,t.current=null,t.search=e),b.c.fetchAvailableResources(this.filter.field.resourceName,{params:t}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{this.isSearchable||(this.withTrashed=r),this.availableResources=e,this.softDeletes=t}))},selectInitialResource(){this.selectedResource=g()(this.availableResources,(e=>e.value===this.selectedResourceId))},handleShowingActiveSearchInput(){Nova.$emit("filter-active",this.filterKey)},closeSearchableRef(){this.$refs.searchable&&this.$refs.searchable.close()},handleClosingInactiveSearchInputs(e){e!==this.filterKey&&this.closeSearchableRef()},handleClearSelection(){this.clearSelection()},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.selectedResourceId})},handleFilterReset(){""===this.filter.currentValue&&(this.selectedResourceId="",this.selectedResource=null,this.availableResources=[],this.closeSearchableRef(),this.initializeComponent())}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},shouldShowFilter(){return this.isSearchable||!this.isSearchable&&this.availableResources.length>0},isSearchable(){return this.field.searchable},queryParams(){return{current:this.selectedResourceId,first:this.selectedResourceId&&this.isSearchable,search:this.search,withTrashed:this.withTrashed}}}};const B=(0,r(18152).c)(C,[["render",function(e,t,r,m,v,f){const g=(0,o.resolveComponent)("SearchInput"),w=(0,o.resolveComponent)("SelectControl"),k=(0,o.resolveComponent)("FilterContainer");return f.shouldShowFilter?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0},{filter:(0,o.withCtx)((()=>[f.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,ref:"searchable",dusk:`${f.field.uniqueKey}-search-filter`,onInput:e.performSearch,onClear:f.handleClearSelection,onShown:f.handleShowingActiveSearchInput,onSelected:e.selectResource,debounce:f.field.debounce,value:e.selectedResource,data:e.availableResources,clearable:!0,trackBy:"value",class:"w-full",mode:"modal"},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",a,[r.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,c)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",d,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-sm font-semibold leading-normal",{"text-white dark:text-gray-900":t}])},(0,o.toDisplayString)(r.display),3),f.field.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["text-xs font-semibold leading-normal text-gray-500",{"text-white dark:text-gray-700":t}])},[r.subtitle?((0,o.openBlock)(),(0,o.createElementBlock)("span",u,(0,o.toDisplayString)(r.subtitle),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",h,(0,o.toDisplayString)(e.__("No additional information...")),1))],2)):(0,o.createCommentVNode)("",!0)])])])),default:(0,o.withCtx)((()=>[e.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[e.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,i)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onShown","onSelected","debounce","value","data"])):e.availableResources.length>0?((0,o.openBlock)(),(0,o.createBlock)(w,{key:1,dusk:`${f.field.uniqueKey}-filter`,selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:t[1]||(t[1]=t=>e.selectedResourceId=t),options:e.availableResources,label:"display"},{default:(0,o.withCtx)((()=>[p])),_:1},8,["dusk","selected","options"])):(0,o.createCommentVNode)("",!0)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(f.filter.name),1)])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","EloquentField.vue"]])},57812:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["id","dusk"];var l=r(73336),i=r.n(l),a=r(94240),s=r.n(a);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},extraAttributes(){const e=s()(this.field.extraAttributes,["readonly"]);return function(e){for(var t=1;t[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full form-control form-input form-control-bordered","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),id:a.field.uniqueKey,dusk:`${a.field.uniqueKey}-filter`},a.extraAttributes),null,16,n),[[o.vModelDynamic,e.value]])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","EmailField.vue"]])},87616:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["selected"];var l=r(73336),i=r.n(l),a=r(67120),s=r.n(a),c=r(14764),d=r.n(c);const u={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){let e=s()(this.field.morphToTypes,(e=>e.type===this.filter.currentValue));this.value=d()(e)?"":e.value},handleChange(){let e=s()(this.field.morphToTypes,(e=>e.value===this.value));this.$emit("change",{filterClass:this.filterKey,value:d()(e)?"":e.type})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},hasMorphToTypes(){return this.field.morphToTypes.length>0}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("SelectControl"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{dusk:`${a.field.uniqueKey}-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:a.field.morphToTypes,label:"singularLabel"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,n)])),_:1},8,["dusk","selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","MorphToField.vue"]])},2809:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["selected"];var l=r(73336),i=r.n(l);const a={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("MultiSelectControl"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{dusk:`${a.field.uniqueKey}-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:a.field.options},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,n)])),_:1},8,["dusk","selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","MultiSelectField.vue"]])},95320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>b});var o=r(74032);const n={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},i=["dusk"],a={class:"block mt-2"},s={class:"uppercase text-xs font-bold tracking-wide"},c=["dusk"];var d=r(73336),u=r.n(d),h=r(94240),p=r.n(h),m=r(8472),v=r.n(m),f=r(66056);function g(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function w(e){for(var t=1;t({startValue:null,endValue:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=u()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{startValue(){this.debouncedHandleChange()},endValue(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,f.c)(e)?v()(e):null,this.endValue=(0,f.c)(t)?v()(t):null},validateFilter(e,t){return e=(0,f.c)(e)?v()(e):null,t=(0,f.c)(t)?v()(t):null,null!==e&&this.field.min&&this.field.min>e&&(e=v()(this.field.min)),null!==t&&this.field.max&&this.field.max[(0,o.createElementVNode)("label",n,[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"block w-full form-control form-input form-control-bordered","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),dusk:`${h.field.uniqueKey}-range-start`},h.startExtraAttributes),null,16,i),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",a,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"block w-full form-control form-input form-control-bordered","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),dusk:`${h.field.uniqueKey}-range-end`},h.endExtraAttributes),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","NumberField.vue"]])},59056:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032);const n={key:0,class:"flex items-center"},l=["selected"];var i=r(73336),a=r.n(i),s=r(67120),c=r.n(s),d=r(14764),u=r.n(d);const h={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({selectedOption:null,search:"",value:null,debouncedHandleChange:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset)},created(){this.debouncedHandleChange=a()((()=>this.handleChange()),500);let e=this.filter.currentValue;if(e){let t=c()(this.field.options,(t=>t.value==e));this.selectOption(t)}},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{selectedOption(e){u()(e)||""===e?this.value="":this.value=e.value},value(){this.debouncedHandleChange()}},methods:{performSearch(e){this.search=e},clearSelection(){this.selectedOption=null,this.value="",this.$refs.searchable&&this.$refs.searchable.close()},selectOption(e){this.selectedOption=e,this.value=e.value},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})},handleFilterReset(){""===this.filter.currentValue&&this.clearSelection()}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},isSearchable(){return this.field.searchable},filteredOptions(){return this.field.options.filter((e=>e.label.toString().toLowerCase().indexOf(this.search.toLowerCase())>-1))}}};const p=(0,r(18152).c)(h,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("SearchInput"),d=(0,o.resolveComponent)("SelectControl"),u=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(u,null,{filter:(0,o.withCtx)((()=>[s.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,ref:"searchable",dusk:`${s.field.uniqueKey}-search-filter`,onInput:s.performSearch,onClear:s.clearSelection,onSelected:s.selectOption,value:e.selectedOption,data:s.filteredOptions,clearable:!0,trackBy:"value",class:"w-full",mode:"modal"},{option:(0,o.withCtx)((({option:e,selected:t})=>[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex items-center text-sm font-semibold leading-5",{"text-white":t}])},(0,o.toDisplayString)(e.label),3)])),default:(0,o.withCtx)((()=>[e.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,(0,o.toDisplayString)(e.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onSelected","value","data"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,dusk:`${s.field.uniqueKey}-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:s.field.options},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,l)])),_:1},8,["dusk","selected","options"]))])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(s.filter.name),1)])),_:1})}],["__file","SelectField.vue"]])},3092:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(74032);const n=["value","id","dusk","list"],l=["id"],i=["value"];var a=r(73336),s=r.n(a),c=r(94240),d=r.n(c);function u(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function h(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=s()((()=>this.emitChange()),500),this.setCurrentFilterValue()},mounted(){Nova.log("Mounting "),Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.log("Unmounting "),Nova.$off("filter-reset",this.setCurrentFilterValue)},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(e){this.value=e.target.value,this.debouncedEventEmitter()},emitChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},extraAttributes(){const e=d()(this.field.extraAttributes,["readonly"]);return function(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full form-control form-input form-control-bordered",onInput:t[0]||(t[0]=(...e)=>c.handleChange&&c.handleChange(...e)),value:e.value,id:c.field.uniqueKey,dusk:`${c.field.uniqueKey}-filter`},c.extraAttributes,{list:`${c.field.uniqueKey}-list`}),null,16,n),c.field.suggestions&&c.field.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:`${c.field.uniqueKey}-list`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(c.field.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,i)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(c.filter.name),1)])),_:1})}],["__file","TextField.vue"]])},13248:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(67024).default,computed:{isVaporField:()=>!1}};const n=(0,r(18152).c)(o,[["__file","AudioField.vue"]])},32108:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(74032);const n={class:"flex items-center"},l={key:0,class:"flex items-center"},i={key:0,class:"mr-3"},a=["src"],s=["disabled"];var c=r(67120),d=r.n(c),u=r(14764),h=r.n(u);const p={fetchAvailableResources:(e,t,r)=>Nova.request().get(`/nova-api/${e}/associatable/${t}`,r),determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)};var m=r(63916),v=r(66056),f=r(22988),g=r.n(f);const w={mixins:[m._u,m.uy,m.Ql,m.mI,m.Cw],props:{resourceId:{}},data:()=>({availableResources:[],initializingWithExistingResource:!1,createdViaRelationModal:!1,selectedResource:null,selectedResourceId:null,softDeletes:!1,withTrashed:!1,search:"",relationModalOpen:!1}),mounted(){this.initializeComponent()},methods:{initializeComponent(){this.withTrashed=!1,this.selectedResourceId=this.currentField.value,this.editingExistingResource?(this.initializingWithExistingResource=!0,this.selectedResourceId=this.currentField.belongsToId):this.viaRelatedResource&&(this.initializingWithExistingResource=!0,this.selectedResourceId=this.viaResourceId),this.shouldSelectInitialResource?(this.useSearchInput||(this.initializingWithExistingResource=!1),this.getAvailableResources().then((()=>this.selectInitialResource()))):this.isSearchable||this.getAvailableResources(),this.determineIfSoftDeletes(),this.field.fill=this.fill},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},fill(e){this.fillIfVisible(e,this.fieldAttribute,this.selectedResource?this.selectedResource.value:""),this.fillIfVisible(e,`${this.fieldAttribute}_trashed`,this.withTrashed)},getAvailableResources(){return Nova.$progress.start(),p.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{if(Nova.$progress.done(),!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.viaRelatedResource){let t=d()(e,(e=>this.isSelectedResourceId(e.value)));if(h()(t)&&!this.shouldIgnoreViaRelatedResource)return Nova.visit("/404")}this.useSearchInput&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).catch((e=>{Nova.$progress.done()}))},determineIfSoftDeletes(){return p.determineIfSoftDeletes(this.field.resourceName).then((e=>{this.softDeletes=e.data.softDeletes}))},isNumeric:e=>!isNaN(parseFloat(e))&&isFinite(e),selectInitialResource(){this.selectedResource=d()(this.availableResources,(e=>this.isSelectedResourceId(e.value)))},toggleWithTrashed(){let e,t;(0,v.c)(this.selectedResource)&&(e=this.selectedResource,t=this.selectedResource.value),this.withTrashed=!this.withTrashed,this.selectedResource=null,this.selectedResourceId=null,this.useSearchInput||this.getAvailableResources().then((()=>{let e=g()(this.availableResources,(e=>e.value===t));e>-1?(this.selectedResource=this.availableResources[e],this.selectedResourceId=t):(this.selectedResource=null,this.selectedResourceId=null)}))},openRelationModal(){Nova.$emit("create-relation-modal-opened"),this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1,Nova.$emit("create-relation-modal-closed")},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.initializingWithExistingResource=!0,this.createdViaRelationModal=!0,this.getAvailableResources().then((()=>{this.selectInitialResource(),this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)}))},performResourceSearch(e){this.useSearchInput?this.performSearch(e):this.search=e},clearResourceSelection(){this.clearSelection(),this.viaRelatedResource&&!this.createdViaRelationModal?this.updateQueryString({viaResource:null,viaResourceId:null,viaRelationship:null,relationshipType:null}).then((()=>{Nova.$router.reload({onSuccess:()=>{this.initializingWithExistingResource=!1,this.initializeComponent()}})})):(this.createdViaRelationModal&&(this.createdViaRelationModal=!1,this.initializingWithExistingResource=!1),this.getAvailableResources())},onSyncedField(){this.viaRelatedResource||(this.initializeComponent(),h()(this.syncedField.value)&&h()(this.selectedResourceId)&&this.selectInitialResource())},emitOnSyncedFieldValueChange(){this.viaRelatedResource||this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},syncedFieldValueHasNotChanged(){return this.isSelectedResourceId(this.currentField.value)},isSelectedResourceId(e){return!h()(e)&&e?.toString()===this.selectedResourceId?.toString()}},computed:{editingExistingResource(){return(0,v.c)(this.field.belongsToId)},viaRelatedResource(){return Boolean(this.viaResource===this.field.resourceName&&this.field.reverse&&this.viaResourceId)},shouldSelectInitialResource(){return Boolean(this.editingExistingResource||this.viaRelatedResource||this.currentField.value)},isSearchable(){return Boolean(this.currentField.searchable)},queryParams(){return{current:this.selectedResourceId,first:this.shouldLoadFirstResource,search:this.search,withTrashed:this.withTrashed,resourceId:this.resourceId,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,component:this.field.dependentComponentKey,dependsOn:this.encodedDependentFieldValues,editing:!0,editMode:h()(this.resourceId)||""===this.resourceId?"create":"update"}},shouldLoadFirstResource(){return this.initializingWithExistingResource&&!this.shouldIgnoreViaRelatedResource||Boolean(this.currentlyIsReadonly&&this.selectedResourceId)},shouldShowTrashed(){return this.softDeletes&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.currentField.displaysWithTrashed},authorizedToCreate(){return d()(Nova.config("resources"),(e=>e.uriKey===this.field.resourceName)).authorizedToCreate},canShowNewRelationModal(){return this.currentField.showCreateRelationButton&&!this.shownViaNewRelationModal&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.authorizedToCreate},placeholder(){return this.currentField.placeholder||this.__("—")},filteredResources(){return this.isSearchable?this.availableResources:this.availableResources.filter((e=>e.display.toLowerCase().indexOf(this.search.toLowerCase())>-1||new String(e.value).indexOf(this.search)>-1))},shouldIgnoreViaRelatedResource(){return this.viaRelatedResource&&(0,v.c)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource}}};const k=(0,r(18152).c)(w,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("SearchInputResult"),p=(0,o.resolveComponent)("SearchInput"),m=(0,o.resolveComponent)("SelectControl"),v=(0,o.resolveComponent)("CreateRelationButton"),f=(0,o.resolveComponent)("CreateRelationModal"),g=(0,o.resolveComponent)("TrashedCheckbox"),w=(0,o.resolveComponent)("DefaultField"),k=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(w,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[u.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,dusk:`${e.field.resourceName}-search-input`,disabled:e.currentlyIsReadonly,onInput:u.performResourceSearch,onClear:u.clearResourceSelection,onSelected:e.selectResource,"has-error":e.hasError,debounce:e.currentField.debounce,value:e.selectedResource,data:u.filteredResources,clearable:e.currentField.nullable||u.editingExistingResource||u.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",class:"w-full",mode:e.mode},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createVNode)(h,{option:r,selected:t,"with-subtitles":e.currentField.withSubtitles},null,8,["option","selected","with-subtitles"])])),default:(0,o.withCtx)((()=>[e.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[e.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,a)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","disabled","onInput","onClear","onSelected","has-error","debounce","value","data","clearable","mode"])):((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,class:"w-full","has-error":e.hasError,dusk:`${e.field.resourceName}-select`,disabled:e.currentlyIsReadonly,options:e.availableResources,selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:u.selectResourceFromSelectControl,label:"display"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(u.placeholder),9,s)])),_:1},8,["has-error","dusk","disabled","options","selected","onChange"])),u.canShowNewRelationModal?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(v,{key:2,onClick:u.openRelationModal,dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])),[[k,e.__("Create :resource",{resource:e.field.singularLabel})]]):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(f,{show:u.canShowNewRelationModal&&e.relationModalOpen,size:e.field.modalSize,onSetResource:u.handleSetResource,onCreateCancelled:u.closeRelationModal,"resource-name":e.field.resourceName,"resource-id":r.resourceId,"via-relationship":e.viaRelationship,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId},null,8,["show","size","onSetResource","onCreateCancelled","resource-name","resource-id","via-relationship","via-resource","via-resource-id"]),u.shouldShowTrashed?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,class:"mt-3","resource-name":e.field.resourceName,checked:e.withTrashed,onInput:u.toggleWithTrashed},null,8,["resource-name","checked","onInput"])):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","BelongsToField.vue"]])},20224:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);var n=r(98240),l=r(63916);const i={components:{Checkbox:n.c},mixins:[l.uy,l._u],methods:{setInitialValue(){this.value=this.currentField.value??this.value},fieldDefaultValue:()=>!1,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.trueValue)},toggle(){this.value=!this.value,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}},computed:{checked(){return Boolean(this.value)},trueValue(){return+this.checked}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Checkbox"),s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{disabled:e.currentlyIsReadonly,dusk:e.currentField.uniqueKey,id:e.currentField.uniqueKey,"model-value":i.checked,name:e.field.name,onChange:i.toggle,class:"mt-2"},null,8,["disabled","dusk","id","model-value","name","onChange"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","BooleanField.vue"]])},21970:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(74032);const n={class:"space-y-2"};var l=r(67120),i=r.n(l),a=(r(14764),r(18972)),s=r.n(a),c=r(17096),d=r.n(c),u=r(7060),h=r.n(u),p=r(63916);const m={mixins:[p.uy,p._u],data:()=>({value:{}}),methods:{setInitialValue(){let e=h()(this.finalPayload,this.currentField.value||{});this.value=d()(this.currentField.options,(t=>({name:t.name,label:t.label,checked:e[t.name]||!1})))},fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.finalPayload))},toggle(e,t){i()(this.value,(e=>e.name==t.name)).checked=e.target.checked,this.field&&this.emitFieldValueChange(this.fieldAttribute,JSON.stringify(this.finalPayload))},onSyncedField(){this.setInitialValue()}},computed:{finalPayload(){return s()(d()(this.value,(e=>[e.name,e.checked])))}}};const v=(0,r(18152).c)(m,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("CheckboxWithLabel"),c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(t=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:t.name,name:t.name,checked:t.checked,onInput:e=>a.toggle(e,t),disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(t.label),1)])),_:2},1032,["name","checked","onInput","disabled"])))),128))])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","BooleanGroupField.vue"]])},37932:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["id"];var l=r(95368),i=r.n(l),a=r(63916);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;tthis.handleShowingComponent())):!1===e&&!0===t&&this.handleHidingComponent()}},methods:{handleShowingComponent(){const e=c(c({tabSize:4,indentWithTabs:!0,lineWrapping:!0,lineNumbers:!0,theme:"dracula"},{readOnly:this.currentlyIsReadonly}),this.currentField.options);this.codemirror=i().fromTextArea(this.$refs.theTextarea,e),this.codemirror.getDoc().setValue(this.value??this.currentField.value),this.codemirror.setSize("100%",this.currentField.height),this.codemirror.getDoc().on("change",((e,t)=>{this.value=e.getValue(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}))},handleHidingComponent(){this.codemirror=null},onSyncedField(){this.codemirror&&this.codemirror.getDoc().setValue(this.currentField.value)}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("textarea",{ref:"theTextarea",id:e.currentField.uniqueKey,class:"w-full form-control form-input form-control-bordered py-3 h-auto"},null,8,n)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","CodeField.vue"]])},97876:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n=["value","id","dusk","disabled"],l=["id"],i=["value"];var a=r(63916);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={mixins:[a._u,a.Uz,a.uy],computed:{defaultAttributes(){return function(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)(c.defaultAttributes,{class:"bg-white form-control form-input form-control-bordered p-2",type:"color",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly}),null,16,n),e.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:e.suggestionsId},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,i)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","ColorField.vue"]])},92080:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032);const n={class:"flex flex-wrap items-stretch w-full relative"},l={class:"flex -mr-px"},i={class:"flex items-center leading-normal rounded rounded-r-none border border-r-0 border-gray-300 dark:border-gray-700 px-3 whitespace-nowrap bg-gray-100 dark:bg-gray-800 text-gray-500 text-sm font-bold"},a=["id","dusk","disabled","value"];var s=r(63916);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(e.currentField.currency),1)]),(0,o.createElementVNode)("input",(0,o.mergeProps)({class:"flex-shrink flex-grow flex-auto leading-normal w-px flex-1 rounded-l-none form-control form-input form-control-bordered",id:e.currentField.uniqueKey,dusk:r.field.attribute},d.extraAttributes,{disabled:e.currentlyIsReadonly,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value}),null,16,a)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","CurrencyField.vue"]])},85764:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"];var i=r(14764),a=r.n(i),s=r(98776),c=r(63916);r(66056);const d={mixins:[c.uy,c._u],methods:{setInitialValue(){a()(this.currentField.value)||(this.value=s.CS.fromISO(this.currentField.value||this.value).toISODate())},fill(e){this.currentlyIsVisible&&this.fillIfVisible(e,this.fieldAttribute,this.value)},handleChange(e){this.value=e?.target?.value??e,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}}};const u=(0,r(18152).c)(d,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("input",{type:"date",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered",e.errorClasses]),ref:"dateTimePicker",id:e.currentField.uniqueKey,dusk:e.field.attribute,name:e.field.name,value:e.value,disabled:e.currentlyIsReadonly,onChange:t[0]||(t[0]=(...e)=>s.handleChange&&s.handleChange(...e)),min:e.currentField.min,max:e.currentField.max,step:e.currentField.step},null,42,l)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","DateField.vue"]])},41092:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032);const n={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"],i={class:"ml-3"};var a=r(14764),s=r.n(a),c=r(98776),d=r(63916),u=r(66056);const h={mixins:[d.uy,d._u],data:()=>({formattedDate:""}),methods:{setInitialValue(){if(!s()(this.currentField.value)){let e=c.CS.fromISO(this.currentField.value||this.value,{zone:Nova.config("timezone")});this.value=e.toString(),e=e.setZone(this.timezone),this.formattedDate=[e.toISODate(),e.toFormat(this.timeFormat)].join("T")}},fill(e){if(this.fillIfVisible(e,this.fieldAttribute,this.value||""),this.currentlyIsVisible&&(0,u.c)(this.value)){let e=c.CS.fromISO(this.value,{zone:this.timezone});this.formattedDate=[e.toISODate(),e.toFormat(this.timeFormat)].join("T")}},handleChange(e){let t=e?.target?.value??e;if((0,u.c)(t)){let e=c.CS.fromISO(t,{zone:this.timezone});this.value=e.setZone(Nova.config("timezone")).toString()}else this.value=this.fieldDefaultValue();this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}},computed:{timeFormat(){return this.currentField.step%60==0?"HH:mm":"HH:mm:ss"},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const p=(0,r(18152).c)(h,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(d,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("input",{type:"datetime-local",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered",e.errorClasses]),ref:"dateTimePicker",id:e.currentField.uniqueKey,dusk:e.field.attribute,name:e.field.name,value:e.formattedDate,disabled:e.currentlyIsReadonly,onChange:t[0]||(t[0]=(...e)=>c.handleChange&&c.handleChange(...e)),min:e.currentField.min,max:e.currentField.max,step:e.currentField.step},null,42,l),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(c.timezone),1)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","DateTimeField.vue"]])},40256:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n=["value","id","dusk","disabled"];var l=r(63916);function i(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function a(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={mixins:[l.uy,l._u],computed:{extraAttributes(){return function(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)(a.extraAttributes,{class:"w-full form-control form-input form-control-bordered",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly}),null,16,n)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","EmailField.vue"]])},67024:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={class:"space-y-4"},l={key:0,class:"grid grid-cols-4 gap-x-6 gap-y-2"};var i=r(63916),a=r(4972),s=r(17616),c=r.n(s);function d(e){return{name:e.name,extension:e.name.split(".").pop(),type:e.type,originalFile:e,vapor:!1,processing:!1,progress:0}}const u={emits:["file-upload-started","file-upload-finished","file-deleted"],mixins:[i.uy,i._u],inject:["removeFile"],expose:["beforeRemove"],data:()=>({previewFile:null,file:null,removeModalOpen:!1,missing:!1,deleted:!1,uploadErrors:new i.rF,vaporFile:{key:"",uuid:"",filename:"",extension:""},uploadProgress:0,startedDrag:!1,uploadModalShown:!1}),async mounted(){this.preparePreviewImage(),this.field.fill=e=>{let t=this.fieldAttribute;this.file&&!this.isVaporField&&e.append(t,this.file.originalFile,this.file.name),this.file&&this.isVaporField&&(e.append(t,this.file.name),this.fillVaporFilePayload(e,t))}},methods:{preparePreviewImage(){this.hasValue&&this.imageUrl&&this.fetchPreviewImage(),this.hasValue&&!this.imageUrl&&(this.previewFile=d({name:this.currentField.value,type:this.currentField.value.split(".").pop()}))},async fetchPreviewImage(){let e=await fetch(this.imageUrl),t=await e.blob();this.previewFile=d(new File([t],this.currentField.value,{type:t.type}))},handleFileChange(e){this.file=d(e[0]),this.isVaporField&&(this.file.vapor=!0,this.uploadVaporFiles())},uploadVaporFiles(){this.file.processing=!0,this.$emit("file-upload-started"),c().store(this.file.originalFile,{progress:e=>{this.file.progress=Math.round(100*e)}}).then((e=>{this.vaporFile.key=e.key,this.vaporFile.uuid=e.uuid,this.vaporFile.filename=this.file.name,this.vaporFile.extension=this.file.extension,this.file.processing=!1,this.file.progress=100,this.$emit("file-upload-finished")})).catch((e=>{403===e.response.status&&Nova.error(this.__("Sorry! You are not authorized to perform this action."))}))},confirmRemoval(){this.removeModalOpen=!0},closeRemoveModal(){this.removeModalOpen=!1},beforeRemove(){this.removeUploadedFile()},async removeUploadedFile(){try{await this.removeFile(this.fieldAttribute),this.$emit("file-deleted"),this.deleted=!0,this.file=null,Nova.success(this.__("The file was deleted!"))}catch(e){422===e.response?.status&&(this.uploadErrors=new i.rF(e.response.data.errors))}finally{this.closeRemoveModal()}},fillVaporFilePayload(e,t){const r=e instanceof a.c?e.slug(t):t,o=e instanceof a.c?e.formData:e;o.append(`vaporFile[${r}][key]`,this.vaporFile.key),o.append(`vaporFile[${r}][uuid]`,this.vaporFile.uuid),o.append(`vaporFile[${r}][filename]`,this.vaporFile.filename),o.append(`vaporFile[${r}][extension]`,this.vaporFile.extension)}},computed:{files(){return this.file?[this.file]:[]},hasError(){return this.uploadErrors.has(this.fieldAttribute)},firstError(){if(this.hasError)return this.uploadErrors.first(this.fieldAttribute)},idAttr(){return this.labelFor},labelFor(){let e=this.resourceName;return this.relatedResourceName&&(e+="-"+this.relatedResourceName),`file-${e}-${this.fieldAttribute}`},hasValue(){return Boolean(this.field.value||this.imageUrl)&&!Boolean(this.deleted)&&!Boolean(this.missing)},shouldShowLoader(){return!Boolean(this.deleted)&&Boolean(this.imageUrl)},shouldShowField(){return Boolean(!this.currentlyIsReadonly)},shouldShowRemoveButton(){return Boolean(this.currentField.deletable&&!this.currentlyIsReadonly)},imageUrl(){return this.currentField.previewUrl||this.currentField.thumbnailUrl},isVaporField(){return"vapor-file-field"===this.currentField.component}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("FilePreviewBlock"),d=(0,o.resolveComponent)("ConfirmUploadRemovalModal"),u=(0,o.resolveComponent)("DropZone"),h=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(h,{field:e.currentField,"label-for":s.labelFor,errors:e.errors,"show-help-text":!e.isReadonly&&e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[s.hasValue&&e.previewFile&&0===s.files.length?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[e.previewFile?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,file:e.previewFile,removable:s.shouldShowRemoveButton,onRemoved:s.confirmRemoval,rounded:e.field.rounded,dusk:`${e.field.attribute}-delete-link`},null,8,["file","removable","onRemoved","rounded","dusk"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(d,{show:e.removeModalOpen,onConfirm:s.removeUploadedFile,onClose:s.closeRemoveModal},null,8,["show","onConfirm","onClose"]),s.shouldShowField?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,files:s.files,onFileChanged:s.handleFileChange,onFileRemoved:t[0]||(t[0]=t=>e.file=null),rounded:e.field.rounded,"accepted-types":e.field.acceptedTypes,disabled:e.file?.processing,dusk:`${e.field.attribute}-delete-link`,"input-dusk":e.field.attribute},null,8,["files","onFileChanged","rounded","accepted-types","disabled","dusk","input-dusk"])):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","label-for","errors","show-help-text","full-width-content"])}],["__file","FileField.vue"]])},160:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>x});var o=r(74032);const n={key:1,class:"flex flex-col justify-center items-center px-6 py-8"},l=["dusk"],i={class:"hidden md:inline-block"},a={class:"inline-block md:hidden"};var s=r(94960),c=r.n(s),d=r(17096),u=r.n(d),h=r(44684),p=r.n(h),m=r(53872),v=r.n(m),f=r(63916),g=r(4972);function w(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function k(e){for(var t=1;t{c()(this.availableFields,(t=>{t.fill(e)}))}))},async getFields(){this.loading=!0,this.panels=[],this.fields=[];const{data:{title:e,panels:t,fields:r}}=await Nova.request().get(this.getFieldsEndpoint,{params:{editing:!0,editMode:this.editMode,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.field.relationshipType}}).catch((e=>{[403,404].includes(e.response.status)&&Nova.error(this.__("There was a problem fetching the resource."))}));this.fields=u()(r,(e=>(e.resourceName!==this.field.from.viaResource||"belongsTo"!==e.relationshipType||"create"!==this.editMode&&e.belongsToId.toString()!==this.field.from.viaResourceId.toString()?"morphTo"===e.relationshipType&&("create"===this.editMode||e.resourceName===this.field.from.viaResource&&e.morphToId.toString()===this.field.from.viaResourceId.toString())&&(e.visible=!1,e.fill=()=>{}):(e.visible=!1,e.fill=()=>{}),e.validationKey=`${this.fieldAttribute}.${e.validationKey}`,e))),this.loading=!1,Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:this.resourceId?this.resourceId.toString():null,mode:this.editMode})},showEditForm(){this.isEditing=!0},handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}},computed:{availableFields(){return v()(this.fields,(e=>["relationship-panel"].includes(e.component)&&["hasOne","morphOne"].includes(e.fields[0].relationshipType)||e.readonly))},getFieldsEndpoint(){return"update"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/update-fields`:`/nova-api/${this.resourceName}/creation-fields`},editMode(){return null===this.field.hasOneId?"create":"update"}}};const x=(0,r(18152).c)(b,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("LoadingView"),h=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(h,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{loading:c.loading},{default:(0,o.withCtx)((()=>[c.isEditing?((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:0},(0,o.renderList)(d.availableFields,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${n.component}`),{index:l,key:l,errors:r.errors,"resource-id":e.resourceId,"resource-name":e.resourceName,field:n,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"shown-via-new-relation-modal":!1,"form-unique-id":r.formUniqueId,onFieldChanged:t[0]||(t[0]=t=>e.$emit("field-changed")),onFileDeleted:d.handleFileDeleted,onFileUploadStarted:t[1]||(t[1]=t=>e.$emit("file-upload-started")),onFileUploadFinished:t[2]||(t[2]=t=>e.$emit("file-upload-finished")),"show-help-text":e.showHelpText},null,40,["index","errors","resource-id","resource-name","field","via-resource","via-resource-id","via-relationship","form-unique-id","onFileDeleted","show-help-text"])))),128)):((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("button",{class:"focus:outline-none focus:ring rounded border-2 border-primary-300 dark:border-gray-500 hover:border-primary-500 active:border-primary-400 dark:hover:border-gray-400 dark:active:border-gray-300 bg-white dark:bg-transparent text-primary-500 dark:text-gray-400 px-3 h-9 inline-flex items-center font-bold shrink-0",dusk:`create-${r.field.attribute}-relation-button`,onClick:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>d.showEditForm&&d.showEditForm(...e)),["prevent"])),type:"button"},[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(e.__("Create :resource",{resource:r.field.singularLabel})),1),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(e.__("Create")),1)],8,l)]))])),_:1},8,["loading"])])),_:1})}],["__file","HasOneField.vue"]])},60020:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=["innerHTML"];const l={mixins:[r(63916)._u],props:{index:{type:Number},resourceName:{type:String,require:!0},field:{type:Object,require:!0}},methods:{fillIfVisible(e,t,r){}},computed:{classes:()=>["remove-last-margin-bottom","leading-normal","w-full","py-4","px-8"],shouldDisplayAsHtml(){return this.currentField.asHtml||!1}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Heading"),c=(0,o.resolveComponent)("FieldWrapper");return e.currentField.visible?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0},{default:(0,o.withCtx)((()=>[a.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,innerHTML:e.currentField.value,class:(0,o.normalizeClass)(a.classes)},null,10,n)):((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,class:(0,o.normalizeClass)(a.classes)},[(0,o.createVNode)(s,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.currentField.value),1)])),_:1})],2))])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","HeadingField.vue"]])},9752:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["errors"],l=["dusk","value"];var i=r(63916);const a={mixins:[i._u,i.uy]};const s=(0,r(18152).c)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"hidden",errors:e.errors},[(0,o.createElementVNode)("input",{dusk:e.field.attribute,type:"hidden",value:e.value},null,8,l)],8,n)}],["__file","HiddenField.vue"]])},59564:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(74032);const n={class:"bg-white dark:bg-gray-800 overflow-hidden key-value-items"},l={class:"flex items-center justify-center"};var i=r(22988),a=r.n(i),s=r(18972),c=r.n(s),d=r(17096),u=r.n(d),h=r(53872),p=r.n(h),m=r(44684),v=r.n(m),f=r(63916),g=r(10076);function w(){var e=function(){return(65536*(1+Math.random())|0).toString(16).substring(1)};return e()+e()+"-"+e()+"-"+e()+"-"+e()+"-"+e()+e()+e()}const k={mixins:[f.uy,f._u],components:{Button:g.c},data:()=>({theData:[]}),mounted(){this.populateKeyValueData()},methods:{populateKeyValueData(){this.theData=u()(Object.entries(this.value||{}),(([e,t])=>({id:w(),key:`${e}`,value:t}))),0===this.theData.length&&this.addRow()},fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.finalPayload))},addRow(){return v()(w(),(e=>(this.theData=[...this.theData,{id:e,key:"",value:""}],e)))},addRowAndSelect(){return this.selectRow(this.addRow())},removeRow(e){return v()(a()(this.theData,(t=>t.id===e)),(e=>this.theData.splice(e,1)))},selectRow(e){return this.$nextTick((()=>{this.$refs[e][0].handleKeyFieldFocus()}))},onSyncedField(){this.populateKeyValueData()}},computed:{finalPayload(){return c()(p()(u()(this.theData,(e=>e&&e.key?[e.key,e.value]:void 0)),(e=>void 0===e)))}}};const y=(0,r(18152).c)(k,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("FormKeyValueHeader"),d=(0,o.resolveComponent)("FormKeyValueItem"),u=(0,o.resolveComponent)("FormKeyValueTable"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(p,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent||["modal","action-modal"].includes(e.mode),"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{"edit-mode":!e.currentlyIsReadonly,"can-delete-row":e.currentField.canDeleteRow},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{"key-label":e.currentField.keyLabel,"value-label":e.currentField.valueLabel},null,8,["key-label","value-label"]),(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.theData,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)(d,{index:r,onRemoveRow:s.removeRow,item:t,key:t.id,ref_for:!0,ref:t.id,"read-only":e.currentlyIsReadonly,"read-only-keys":e.currentField.readonlyKeys,"can-delete-row":e.currentField.canDeleteRow},null,8,["index","onRemoveRow","item","read-only","read-only-keys","can-delete-row"])))),128))])])),_:1},8,["edit-mode","can-delete-row"]),(0,o.createElementVNode)("div",l,[e.currentlyIsReadonly||e.currentField.readonlyKeys||!e.currentField.canAddRow?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onClick:s.addRowAndSelect,dusk:`${e.field.attribute}-add-key-value`,"leading-icon":"plus-circle",variant:"link"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.currentField.actionText),1)])),_:1},8,["onClick","dusk"]))])])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","KeyValueField.vue"]])},44936:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={class:"bg-gray-100 dark:bg-gray-800 rounded-t-lg flex border-b border-gray-200 dark:border-gray-700"},l={class:"bg-clip w-48 uppercase font-bold text-xxs text-gray-500 tracking-wide px-3 py-2"},i={class:"bg-clip flex-grow uppercase font-bold text-xxs text-gray-500 tracking-wide px-3 py-2 border-l border-gray-200 dark:border-gray-700"};const a={props:{keyLabel:{type:String},valueLabel:{type:String}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,(0,o.toDisplayString)(r.keyLabel),1),(0,o.createElementVNode)("div",i,(0,o.toDisplayString)(r.valueLabel),1)])}],["__file","KeyValueHeader.vue"]])},26948:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={key:0,class:"flex items-center key-value-item"},l={class:"flex flex-grow border-b border-gray-200 dark:border-gray-700 key-value-fields"},i=["dusk","readonly","tabindex"],a=["dusk","readonly","tabindex"],s={key:0,class:"flex justify-center h-11 w-11 absolute -right-[50px]"};var c=r(49364),d=r.n(c);const u={components:{Button:r(10076).c},emits:["remove-row"],props:{index:Number,item:Object,disabled:{type:Boolean,default:!1},readOnly:{type:Boolean,default:!1},readOnlyKeys:{type:Boolean,default:!1},canDeleteRow:{type:Boolean,default:!0}},mounted(){d()(this.$refs.keyField),d()(this.$refs.valueField)},methods:{handleKeyFieldFocus(){this.$refs.keyField.select()},handleValueFieldFocus(){this.$refs.valueField.select()}},computed:{isNotObject(){return!(this.item.value instanceof Object)},isEditable(){return!this.readOnly&&!this.disabled}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Button");return u.isNotObject?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex-none w-48 cursor-text",[r.readOnlyKeys||!u.isEditable?"bg-gray-50 dark:bg-gray-800":"bg-white dark:bg-gray-900"]])},[(0,o.withDirectives)((0,o.createElementVNode)("textarea",{rows:"1",dusk:`key-value-key-${r.index}`,"onUpdate:modelValue":t[0]||(t[0]=e=>r.item.key=e),onFocus:t[1]||(t[1]=(...e)=>u.handleKeyFieldFocus&&u.handleKeyFieldFocus(...e)),ref:"keyField",type:"text",class:(0,o.normalizeClass)(["font-mono text-xs resize-none block w-full px-3 py-3 dark:text-gray-400 bg-clip-border focus:outline-none focus:ring focus:ring-inset",{"bg-white dark:bg-gray-800 focus:outline-none cursor-not-allowed":!u.isEditable||r.readOnlyKeys,"hover:bg-20 focus:bg-white dark:bg-gray-900 dark:focus:bg-gray-900":u.isEditable&&!r.readOnlyKeys}]),readonly:!u.isEditable||r.readOnlyKeys,tabindex:!u.isEditable||r.readOnlyKeys?-1:0,style:{"background-clip":"border-box"}},null,42,i),[[o.vModelText,r.item.key]])],2),(0,o.createElementVNode)("div",{onClick:t[4]||(t[4]=(...e)=>u.handleValueFieldFocus&&u.handleValueFieldFocus(...e)),class:(0,o.normalizeClass)(["flex-grow border-l border-gray-200 dark:border-gray-700",[r.readOnlyKeys||!u.isEditable?"bg-gray-50 dark:bg-gray-700":"bg-white dark:bg-gray-900"]])},[(0,o.withDirectives)((0,o.createElementVNode)("textarea",{rows:"1",dusk:`key-value-value-${r.index}`,"onUpdate:modelValue":t[2]||(t[2]=e=>r.item.value=e),onFocus:t[3]||(t[3]=(...e)=>u.handleValueFieldFocus&&u.handleValueFieldFocus(...e)),ref:"valueField",type:"text",class:(0,o.normalizeClass)(["font-mono text-xs block w-full px-3 py-3 dark:text-gray-400",{"bg-white dark:bg-gray-800 focus:outline-none":!u.isEditable,"hover:bg-20 focus:bg-white dark:bg-gray-900 dark:focus:bg-gray-900 focus:outline-none focus:ring focus:ring-inset":u.isEditable}]),readonly:!u.isEditable,tabindex:u.isEditable?0:-1},null,42,a),[[o.vModelText,r.item.value]])],2)]),u.isEditable&&r.canDeleteRow?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(h,{onClick:t[5]||(t[5]=t=>e.$emit("remove-row",r.item.id)),dusk:`remove-key-value-${r.index}`,variant:"link",state:"danger",type:"button",tabindex:"0",title:e.__("Delete"),icon:"minus-circle"},null,8,["dusk","title"])])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)}],["__file","KeyValueItem.vue"]])},83432:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:{deleteRowEnabled:{type:Boolean,default:!0},editMode:{type:Boolean,default:!0}}};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["relative rounded-lg rounded-b-lg bg-gray-100 dark:bg-gray-800 bg-clip border border-gray-200 dark:border-gray-700",{"mr-11":r.editMode&&r.deleteRowEnabled}])},[(0,o.renderSlot)(e.$slots,"default")],2)}],["__file","KeyValueTable.vue"]])},67096:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);var n=r(14764),l=r.n(n),i=r(63916);const a={mixins:[i.uy,i._I,i._u],props:(0,i.Wk)(["resourceName","resourceId","mode"]),beforeUnmount(){Nova.$off(this.fieldAttributeValueEventName,this.listenToValueChanges)},methods:{initialize(){this.$refs.theMarkdownEditor.setValue(this.value??this.currentField.value),Nova.$on(this.fieldAttributeValueEventName,this.listenToValueChanges)},fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value||""),this.fillAttachmentDraftId(e)},handleChange(e){this.value=e,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},onSyncedField(){this.currentlyIsVisible&&this.$refs.theMarkdownEditor&&(this.$refs.theMarkdownEditor.setValue(this.currentField.value??this.value),this.$refs.theMarkdownEditor.setOption("readOnly",this.currentlyIsReadonly))},listenToValueChanges(e){this.currentlyIsVisible&&this.$refs.theMarkdownEditor.setValue(e),this.handleChange(e)},async fetchPreviewContent(e){Nova.$progress.start();const{data:{preview:t}}=await Nova.request().post(`/nova-api/${this.resourceName}/field/${this.fieldAttribute}/preview`,{value:e},{params:{editing:!0,editMode:l()(this.resourceId)?"create":"update"}});return Nova.$progress.done(),t}},computed:{previewer(){if(!this.isActionRequest)return this.fetchPreviewContent},uploader(){if(!this.isActionRequest&&this.field.withFiles)return this.uploadAttachment}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("MarkdownEditor"),s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createVNode)(a,{ref:"theMarkdownEditor",class:(0,o.normalizeClass)({"form-control-bordered-error":e.hasError}),id:e.field.attribute,previewer:i.previewer,uploader:i.uploader,readonly:e.currentlyIsReadonly,onInitialize:i.initialize,onChange:i.handleChange},null,8,["class","id","previewer","uploader","readonly","onInitialize","onChange"]),[[o.vShow,e.currentlyIsVisible]])])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","MarkdownField.vue"]])},66672:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>_});var o=r(74032);const n={class:"border-b border-gray-100 dark:border-gray-700"},l={key:0,class:"flex relative"},i=["disabled","dusk","value"],a=["disabled"],s=["value","selected"],c={key:1,class:"flex items-center select-none mt-2"},d={class:"flex items-center mb-3"},u={key:0,class:"flex items-center"},h={key:0,class:"mr-3"},p=["src"],m={class:"flex items-center"},v={key:0,class:"flex-none mr-3"},f=["src"],g={class:"flex-auto"},w={key:0},k={key:1},y=["disabled","selected"];var b=r(67120),x=r.n(b),C=r(14764),B=r.n(C);const N={fetchAvailableResources(e,t,r){if(void 0===e||null==t||null==r)throw new Error("please pass the right things");return Nova.request().get(`/nova-api/${e}/morphable/${t}`,r)},determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)};var V=r(63916),E=r(66056);const S={mixins:[V._u,V.uy,V.Ql,V.mI,V.Cw],data:()=>({resourceType:"",initializingWithExistingResource:!1,createdViaRelationModal:!1,softDeletes:!1,selectedResourceId:null,selectedResource:null,search:"",relationModalOpen:!1,withTrashed:!1}),mounted(){this.initializeComponent()},methods:{initializeComponent(){this.selectedResourceId=this.field.value,this.editingExistingResource?(this.initializingWithExistingResource=!0,this.resourceType=this.field.morphToType,this.selectedResourceId=this.field.morphToId):this.viaRelatedResource&&(this.initializingWithExistingResource=!0,this.resourceType=this.viaResource,this.selectedResourceId=this.viaResourceId),this.shouldSelectInitialResource&&(!this.resourceType&&this.field.defaultResource&&(this.resourceType=this.field.defaultResource),this.getAvailableResources().then((()=>this.selectInitialResource()))),this.resourceType&&this.determineIfSoftDeletes(),this.field.fill=this.fill},selectResourceFromSearchInput(e){this.field&&this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.selectResource(e)},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&(this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId))},fill(e){this.selectedResource&&this.resourceType?(this.fillIfVisible(e,this.fieldAttribute,this.selectedResource.value),this.fillIfVisible(e,`${this.fieldAttribute}_type`,this.resourceType)):(this.fillIfVisible(e,this.fieldAttribute,""),this.fillIfVisible(e,`${this.fieldAttribute}_type`,"")),this.fillIfVisible(e,`${this.fieldAttribute}_trashed`,this.withTrashed)},getAvailableResources(e=""){return Nova.$progress.start(),N.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{Nova.$progress.done(),!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.isSearchable&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).catch((e=>{Nova.$progress.done()}))},onSyncedField(){this.resourceType!==this.currentField.morphToType&&this.refreshResourcesForTypeChange(this.currentField.morphToType)},selectInitialResource(){this.selectedResource=x()(this.availableResources,(e=>e.value==this.selectedResourceId))},determineIfSoftDeletes(){return N.determineIfSoftDeletes(this.resourceType).then((({data:{softDeletes:e}})=>this.softDeletes=e))},async refreshResourcesForTypeChange(e){this.resourceType=e?.target?.value??e,this.availableResources=[],this.selectedResource="",this.selectedResourceId="",this.withTrashed=!1,this.softDeletes=!1,this.determineIfSoftDeletes(),!this.isSearchable&&this.resourceType&&this.getAvailableResources().then((()=>{this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.emitFieldValueChange(this.fieldAttribute,null)}))},toggleWithTrashed(){(0,E.c)(this.selectedResource)||(this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources())},openRelationModal(){Nova.$emit("create-relation-modal-opened"),this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1,Nova.$emit("create-relation-modal-closed")},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.createdViaRelationModal=!0,this.initializingWithExistingResource=!0,this.getAvailableResources().then((()=>{this.selectInitialResource(),this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)}))},performResourceSearch(e){this.useSearchInput?this.performSearch(e):this.search=e},clearResourceSelection(){this.clearSelection(),this.viaRelatedResource&&!this.createdViaRelationModal?this.updateQueryString({viaResource:null,viaResourceId:null,viaRelationship:null,relationshipType:null}).then((()=>{Nova.$router.reload({onSuccess:()=>{this.initializingWithExistingResource=!1,this.initializeComponent()}})})):(this.createdViaRelationModal&&(this.createdViaRelationModal=!1,this.initializingWithExistingResource=!1),this.getAvailableResources())}},computed:{editingExistingResource(){return Boolean(this.field.morphToId&&this.field.morphToType)},viaRelatedResource(){return Boolean(x()(this.currentField.morphToTypes,(e=>e.value==this.viaResource))&&this.viaResource&&this.viaResourceId&&this.currentField.reverse)},shouldSelectInitialResource(){return Boolean(this.editingExistingResource||this.viaRelatedResource||Boolean(this.field.value&&this.field.defaultResource))},isSearchable(){return Boolean(this.currentField.searchable)},shouldLoadFirstResource(){return(this.useSearchInput&&!this.shouldIgnoreViaRelatedResource&&this.shouldSelectInitialResource||this.createdViaRelationModal)&&this.initializingWithExistingResource},queryParams(){return{type:this.resourceType,current:this.selectedResourceId,first:this.shouldLoadFirstResource,search:this.search,withTrashed:this.withTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,component:this.field.dependentComponentKey,dependsOn:this.encodedDependentFieldValues,editing:!0,editMode:B()(this.resourceId)||""===this.resourceId?"create":"update"}},fieldName(){return this.field.name},fieldTypeName(){return this.resourceType&&x()(this.currentField.morphToTypes,(e=>e.value==this.resourceType))?.singularLabel||""},hasMorphToTypes(){return this.currentField.morphToTypes.length>0},authorizedToCreate(){return x()(Nova.config("resources"),(e=>e.uriKey==this.resourceType)).authorizedToCreate},canShowNewRelationModal(){return this.currentField.showCreateRelationButton&&this.resourceType&&!this.shownViaNewRelationModal&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.authorizedToCreate},shouldShowTrashed(){return this.softDeletes&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.currentField.displaysWithTrashed},currentFieldValues(){return{[this.fieldAttribute]:this.value,[`${this.fieldAttribute}_type`]:this.resourceType}},filteredResources(){return this.isSearchable?this.availableResources:this.availableResources.filter((e=>e.display.toLowerCase().indexOf(this.search.toLowerCase())>-1||new String(e.value).indexOf(this.search)>-1))},shouldIgnoresViaRelatedResource(){return this.viaRelatedResource&&(0,E.c)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource}}};const _=(0,r(18152).c)(S,[["render",function(e,t,r,b,x,C){const B=(0,o.resolveComponent)("IconArrow"),N=(0,o.resolveComponent)("DefaultField"),V=(0,o.resolveComponent)("SearchInput"),E=(0,o.resolveComponent)("SelectControl"),S=(0,o.resolveComponent)("CreateRelationButton"),_=(0,o.resolveComponent)("CreateRelationModal"),H=(0,o.resolveComponent)("TrashedCheckbox");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(N,{field:e.currentField,"show-errors":!1,"field-name":C.fieldName,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[C.hasMorphToTypes?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("select",{disabled:C.viaRelatedResource&&!C.shouldIgnoresViaRelatedResource||e.currentlyIsReadonly,dusk:`${e.field.attribute}-type`,value:e.resourceType,onChange:t[0]||(t[0]=(...e)=>C.refreshResourcesForTypeChange&&C.refreshResourcesForTypeChange(...e)),class:"block w-full form-control form-input form-control-bordered form-input mb-3"},[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(e.__("Choose Type")),9,a),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.currentField.morphToTypes,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:t.value,value:t.value,selected:e.resourceType==t.value},(0,o.toDisplayString)(t.singularLabel),9,s)))),128))],40,i),(0,o.createVNode)(B,{class:"pointer-events-none absolute top-[15px] right-[11px]"})])):((0,o.openBlock)(),(0,o.createElementBlock)("label",c,(0,o.toDisplayString)(e.__("There are no available options for this resource.")),1))])),_:1},8,["field","field-name","show-help-text","full-width-content"]),C.hasMorphToTypes?((0,o.openBlock)(),(0,o.createBlock)(N,{key:0,field:e.currentField,errors:e.errors,"show-help-text":!1,"field-name":C.fieldTypeName,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",d,[C.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(V,{key:0,class:"w-full",dusk:`${e.field.attribute}-search-input`,disabled:e.currentlyIsReadonly,onInput:C.performResourceSearch,onClear:C.clearResourceSelection,onSelected:C.selectResourceFromSearchInput,debounce:e.currentField.debounce,value:e.selectedResource,data:C.filteredResources,clearable:e.currentField.nullable||C.editingExistingResource||C.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",mode:e.mode},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",m,[r.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",v,[(0,o.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,f)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",g,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-sm font-semibold leading-5",{"text-white":t}])},(0,o.toDisplayString)(r.display),3),e.currentField.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["mt-1 text-xs font-semibold leading-5 text-gray-500",{"text-white":t}])},[r.subtitle?((0,o.openBlock)(),(0,o.createElementBlock)("span",w,(0,o.toDisplayString)(r.subtitle),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",k,(0,o.toDisplayString)(e.__("No additional information...")),1))],2)):(0,o.createCommentVNode)("",!0)])])])),default:(0,o.withCtx)((()=>[e.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",u,[e.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[(0,o.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,p)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","disabled","onInput","onClear","onSelected","debounce","value","data","clearable","mode"])):((0,o.openBlock)(),(0,o.createBlock)(E,{key:1,class:(0,o.normalizeClass)(["w-full",{"form-control-bordered-error":e.hasError}]),dusk:`${e.field.attribute}-select`,onChange:C.selectResourceFromSelectControl,disabled:!e.resourceType||e.currentlyIsReadonly,options:e.availableResources,selected:e.selectedResourceId,"onUpdate:selected":t[1]||(t[1]=t=>e.selectedResourceId=t),label:"display"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",disabled:!e.currentField.nullable,selected:""===e.selectedResourceId},(0,o.toDisplayString)(e.__("Choose"))+" "+(0,o.toDisplayString)(C.fieldTypeName),9,y)])),_:1},8,["class","dusk","onChange","disabled","options","selected"])),C.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(S,{key:2,onClick:C.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,o.createCommentVNode)("",!0)]),C.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(_,{key:0,show:e.relationModalOpen,size:e.field.modalSize,onSetResource:C.handleSetResource,onCreateCancelled:C.closeRelationModal,"resource-name":e.resourceType,"via-relationship":e.viaRelationship,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId},null,8,["show","size","onSetResource","onCreateCancelled","resource-name","via-relationship","via-resource","via-resource-id"])):(0,o.createCommentVNode)("",!0),C.shouldShowTrashed?((0,o.openBlock)(),(0,o.createBlock)(H,{key:1,class:"mt-3","resource-name":e.field.attribute,checked:e.withTrashed,onInput:C.toggleWithTrashed},null,8,["resource-name","checked","onInput"])):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","field-name","full-width-content"])):(0,o.createCommentVNode)("",!0)])}],["__file","MorphToField.vue"]])},77804:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(74032);const n=["selected","disabled"];var l=r(54740),i=r.n(l),a=r(17096),s=r.n(a),c=r(7060),d=r.n(c),u=r(63916),h=r(66056);const p={mixins:[u.uy,u._u],data:()=>({search:""}),methods:{setInitialValue(){let e=void 0!==this.currentField.value&&null!==this.currentField.value&&""!==this.currentField.value?d()(this.currentField.value||[],this.value):this.value,t=i()(this.currentField.options??[],(t=>e.indexOf(t.value)>=0));this.value=s()(t,(e=>e.value))},fieldDefaultValue:()=>[],fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.value))},performSearch(e){this.search=e},handleChange(e){this.value=e,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},onSyncedField(){this.setInitialValue()}},computed:{filteredOptions(){return(this.currentField.options||[]).filter((e=>e.label.toString().toLowerCase().indexOf(this.search.toLowerCase())>-1))},placeholder(){return this.currentField.placeholder||this.__("Choose an option")},hasValue(){return Boolean(!(void 0===this.value||null===this.value||""===this.value))},shouldShowPlaceholder(){return(0,h.c)(this.currentField.placeholder)||this.currentField.nullable}}};const m=(0,r(18152).c)(p,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("MultiSelectControl"),c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{id:e.currentField.uniqueKey,dusk:e.field.attribute,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:a.handleChange,class:(0,o.normalizeClass)(["w-full",e.errorClasses]),options:e.currentField.options,disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[a.shouldShowPlaceholder?((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:0,value:"",selected:!a.hasValue,disabled:!e.currentField.nullable},(0,o.toDisplayString)(a.placeholder),9,n)):(0,o.createCommentVNode)("",!0)])),_:1},8,["id","dusk","selected","onChange","class","options","disabled"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","MultiSelectField.vue"]])},12016:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={key:0},l=["innerHTML"];var i=r(63916);function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;t0?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(c,{level:1,class:(0,o.normalizeClass)(r.panel.helpText?"mb-2":"mb-3"),dusk:`${r.dusk}-heading`},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.panel.name),1)])),_:1},8,["class","dusk"]),r.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:"text-gray-500 text-sm font-semibold italic mb-3",innerHTML:r.panel.helpText},null,8,l)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(d,{class:"divide-y divide-gray-100 dark:divide-gray-700"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.panel.fields,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${n.component}`),{index:l,key:l,errors:r.validationErrors,"resource-id":r.resourceId,"resource-name":r.resourceName,"related-resource-name":r.relatedResourceName,"related-resource-id":r.relatedResourceId,field:n,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,"shown-via-new-relation-modal":r.shownViaNewRelationModal,"form-unique-id":r.formUniqueId,mode:e.mode,onFieldShown:e.handleFieldShown,onFieldHidden:e.handleFieldHidden,onFieldChanged:t[0]||(t[0]=t=>e.$emit("field-changed")),onFileDeleted:s.handleFileDeleted,onFileUploadStarted:t[1]||(t[1]=t=>e.$emit("file-upload-started")),onFileUploadFinished:t[2]||(t[2]=t=>e.$emit("file-upload-finished")),"show-help-text":r.showHelpText},null,40,["index","errors","resource-id","resource-name","related-resource-name","related-resource-id","field","via-resource","via-resource-id","via-relationship","shown-via-new-relation-modal","form-unique-id","mode","onFieldShown","onFieldHidden","onFileDeleted","show-help-text"])))),128))])),_:1})],512)),[[o.vShow,e.visibleFieldsCount>0]]):(0,o.createCommentVNode)("",!0)}],["__file","Panel.vue"]])},14606:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n=["id","dusk","placeholder","disabled"];var l=r(63916);const i={mixins:[l.uy,l._u]};const a=(0,r(18152).c)(i,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",{id:e.currentField.uniqueKey,dusk:e.field.attribute,type:"password","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",e.errorClasses]),placeholder:e.placeholder,autocomplete:"new-password",disabled:e.currentlyIsReadonly},null,10,n),[[o.vModelText,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","PasswordField.vue"]])},26936:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n=["id","dusk","placeholder","disabled"];var l=r(67120),i=r.n(l),a=r(63916);const s={mixins:[a.uy,a.Wu],mounted(){this.setInitialValue(),this.field.fill=this.fill,this.initializePlaces()},methods:{initializePlaces(){const e=r(40448),t=(this.field.placeType,{appId:Nova.config("algoliaAppId"),apiKey:Nova.config("algoliaApiKey"),container:this.$refs[this.fieldAttribute],type:this.field.placeType?this.field.placeType:"address",templates:{value:e=>e.name}});this.field.countries&&(t.countries=this.field.countries),this.field.language&&(t.language=this.field.language);const o=e(t);o.on("change",(e=>{this.$nextTick((()=>{this.value=e.suggestion.name,this.emitFieldValue(this.field.secondAddressLine,""),this.emitFieldValue(this.field.city,e.suggestion.city),this.emitFieldValue(this.field.state,this.parseState(e.suggestion.administrative,e.suggestion.countryCode)),this.emitFieldValue(this.field.postalCode,e.suggestion.postcode),this.emitFieldValue(this.field.suburb,e.suggestion.suburb),this.emitFieldValue(this.field.country,e.suggestion.countryCode.toUpperCase()),this.emitFieldValue(this.field.latitude,e.suggestion.latlng.lat),this.emitFieldValue(this.field.longitude,e.suggestion.latlng.lng)}))})),o.on("clear",(()=>{this.$nextTick((()=>{this.value="",this.emitFieldValue(this.field.secondAddressLine,""),this.emitFieldValue(this.field.city,""),this.emitFieldValue(this.field.state,""),this.emitFieldValue(this.field.postalCode,""),this.emitFieldValue(this.field.suburb,""),this.emitFieldValue(this.field.country,""),this.emitFieldValue(this.field.latitude,""),this.emitFieldValue(this.field.longitude,"")}))}))},parseState(e,t){return"us"!=t?e:i()(this.states,(t=>t.name==e)).abbr}},computed:{states:()=>({AL:{count:"0",name:"Alabama",abbr:"AL"},AK:{count:"1",name:"Alaska",abbr:"AK"},AZ:{count:"2",name:"Arizona",abbr:"AZ"},AR:{count:"3",name:"Arkansas",abbr:"AR"},CA:{count:"4",name:"California",abbr:"CA"},CO:{count:"5",name:"Colorado",abbr:"CO"},CT:{count:"6",name:"Connecticut",abbr:"CT"},DE:{count:"7",name:"Delaware",abbr:"DE"},DC:{count:"8",name:"District Of Columbia",abbr:"DC"},FL:{count:"9",name:"Florida",abbr:"FL"},GA:{count:"10",name:"Georgia",abbr:"GA"},HI:{count:"11",name:"Hawaii",abbr:"HI"},ID:{count:"12",name:"Idaho",abbr:"ID"},IL:{count:"13",name:"Illinois",abbr:"IL"},IN:{count:"14",name:"Indiana",abbr:"IN"},IA:{count:"15",name:"Iowa",abbr:"IA"},KS:{count:"16",name:"Kansas",abbr:"KS"},KY:{count:"17",name:"Kentucky",abbr:"KY"},LA:{count:"18",name:"Louisiana",abbr:"LA"},ME:{count:"19",name:"Maine",abbr:"ME"},MD:{count:"20",name:"Maryland",abbr:"MD"},MA:{count:"21",name:"Massachusetts",abbr:"MA"},MI:{count:"22",name:"Michigan",abbr:"MI"},MN:{count:"23",name:"Minnesota",abbr:"MN"},MS:{count:"24",name:"Mississippi",abbr:"MS"},MO:{count:"25",name:"Missouri",abbr:"MO"},MT:{count:"26",name:"Montana",abbr:"MT"},NE:{count:"27",name:"Nebraska",abbr:"NE"},NV:{count:"28",name:"Nevada",abbr:"NV"},NH:{count:"29",name:"New Hampshire",abbr:"NH"},NJ:{count:"30",name:"New Jersey",abbr:"NJ"},NM:{count:"31",name:"New Mexico",abbr:"NM"},NY:{count:"32",name:"New York",abbr:"NY"},NC:{count:"33",name:"North Carolina",abbr:"NC"},ND:{count:"34",name:"North Dakota",abbr:"ND"},OH:{count:"35",name:"Ohio",abbr:"OH"},OK:{count:"36",name:"Oklahoma",abbr:"OK"},OR:{count:"37",name:"Oregon",abbr:"OR"},PA:{count:"38",name:"Pennsylvania",abbr:"PA"},RI:{count:"39",name:"Rhode Island",abbr:"RI"},SC:{count:"40",name:"South Carolina",abbr:"SC"},SD:{count:"41",name:"South Dakota",abbr:"SD"},TN:{count:"42",name:"Tennessee",abbr:"TN"},TX:{count:"43",name:"Texas",abbr:"TX"},UT:{count:"44",name:"Utah",abbr:"UT"},VT:{count:"45",name:"Vermont",abbr:"VT"},VA:{count:"46",name:"Virginia",abbr:"VA"},WA:{count:"47",name:"Washington",abbr:"WA"},WV:{count:"48",name:"West Virginia",abbr:"WV"},WI:{count:"49",name:"Wisconsin",abbr:"WI"},WY:{count:"50",name:"Wyoming",abbr:"WY"}})}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.field,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:e.field.attribute,id:e.field.uniqueKey,dusk:e.field.attribute,type:"text","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",e.errorClasses]),placeholder:e.field.name,disabled:e.isReadonly},null,10,n),[[o.vModelText,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","PlaceField.vue"]])},89408:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={key:0},l=["innerHTML"];var i=r(79624),a=r(63916);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;t({relationFormUniqueId:(0,i.c)()}),mounted(){this.field.authorizedToCreate||(this.field.fill=()=>{})},methods:{handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}},computed:{field(){return this.panel.fields[0]},relationId(){if(["hasOne","morphOne"].includes(this.field.relationshipType))return this.field.hasOneId}}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Heading");return s.field.authorizedToCreate?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(c,{level:4,class:(0,o.normalizeClass)(r.panel.helpText?"mb-2":"mb-3")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.panel.name),1)])),_:1},8,["class"]),r.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:"text-gray-500 text-sm font-semibold italic mb-3",innerHTML:r.panel.helpText},null,8,l)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${s.field.component}`),{errors:r.validationErrors,"resource-id":s.relationId,"resource-name":s.field.resourceName,field:s.field,"via-resource":s.field.from.viaResource,"via-resource-id":s.field.from.viaResourceId,"via-relationship":s.field.from.viaRelationship,"form-unique-id":e.relationFormUniqueId,mode:e.mode,onFieldChanged:t[0]||(t[0]=t=>e.$emit("field-changed")),onFileDeleted:s.handleFileDeleted,onFileUploadStarted:t[1]||(t[1]=t=>e.$emit("file-upload-started")),onFileUploadFinished:t[2]||(t[2]=t=>e.$emit("file-upload-finished")),"show-help-text":r.showHelpText},null,40,["errors","resource-id","resource-name","field","via-resource","via-resource-id","via-relationship","form-unique-id","mode","onFileDeleted","show-help-text"]))])):(0,o.createCommentVNode)("",!0)}],["__file","RelationshipPanel.vue"]])},40:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n=["dusk"];var l=r(63916),i=r(38316),a=r.n(i),s=r(79624),c=r(10076);const d={mixins:[l.Wu,l.uy],components:{Button:c.c},provide(){return{removeFile:this.removeFile,shownViaNewRelationModal:(0,o.computed)((()=>this.shownViaNewRelationModal)),viaResource:(0,o.computed)((()=>this.viaResource)),viaResourceId:(0,o.computed)((()=>this.viaResourceId)),viaRelationship:(0,o.computed)((()=>this.viaRelationship)),resourceName:(0,o.computed)((()=>this.resourceName)),resourceId:(0,o.computed)((()=>this.resourceId))}},data:()=>({valueMap:new WeakMap}),beforeMount(){this.value.map((e=>(this.valueMap.set(e,(0,s.c)()),e)))},methods:{fieldDefaultValue:()=>[],removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:n,viaRelationship:l}=this,i=l&&o&&n?`/nova-api/${t}/${r}/${o}/${n}/field/${e}?viaRelationship=${l}`:`/nova-api/${t}/${r}/field/${e}`;Nova.request().delete(i)},fill(e){this.finalPayload.forEach(((t,r)=>{const o=`${this.fieldAttribute}[${r}]`;e.append(`${o}[type]`,t.type),Object.keys(t.fields).forEach((r=>{e.append(`${o}[fields][${r}]`,t.fields[r])}))}))},addItem(e){const t=this.currentField.repeatables.find((t=>t.type===e)),r=a()(t);this.valueMap.set(r,(0,s.c)()),this.value.push(r)},removeItem(e){const t=this.value.splice(e,1);this.valueMap.delete(t)},moveUp(e){const t=this.value.splice(e,1);this.value.splice(Math.max(0,e-1),0,t[0])},moveDown(e){const t=this.value.splice(e,1);this.value.splice(Math.min(this.value.length,e+1),0,t[0])}},computed:{finalPayload(){return this.value.map((e=>{const t=new FormData,r={};e.fields.forEach((e=>e.fill&&e.fill(t)));for(const e of t.entries())r[e[0]]=e[1];return{type:e.type,fields:r}}))}}};const u=(0,r(18152).c)(d,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("RepeaterRow"),c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("DropdownMenuItem"),h=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown"),m=(0,o.resolveComponent)("InvertedButton"),v=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(v,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:"space-y-4",dusk:e.fieldAttribute},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)(s,{dusk:`${r}-repeater-row`,"data-repeater-id":e.valueMap.get(t),item:t,index:r,key:e.valueMap.get(t),onClick:a.removeItem,errors:e.errors,sortable:e.currentField.sortable&&e.value.length>1,onMoveUp:a.moveUp,onMoveDown:a.moveDown,field:e.currentField,"via-parent":e.fieldAttribute},null,8,["dusk","data-repeater-id","item","index","onClick","errors","sortable","onMoveUp","onMoveDown","field","via-parent"])))),128))],8,n)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-center",{"bg-gray-50 dark:bg-gray-900 rounded-lg border-4 dark:border-gray-600 border-dashed py-3":0===e.value.length}])},[e.currentField.repeatables.length>1?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{class:"py-1"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.currentField.repeatables,(e=>((0,o.openBlock)(),(0,o.createBlock)(u,{onClick:()=>a.addItem(e.type),as:"button",class:"space-x-2"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(d,{solid:"",type:e.icon},null,8,["type"])]),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.singularLabel),1)])),_:2},1032,["onClick"])))),256))])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:"link","leading-icon":"plus-circle","trailing-icon":"chevron-down"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Add item")),1)])),_:1})])),_:1})):((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,onClick:t[0]||(t[0]=t=>a.addItem(e.currentField.repeatables[0].type)),type:"button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Add :resource",{resource:e.currentField.repeatables[0].singularLabel})),1)])),_:1}))],2)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","RepeaterField.vue"]])},32168:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(74032);const n={key:0,class:"flex items-center"},l=["disabled"];var i=r(67120),a=r.n(i),s=r(39540),c=r.n(s),d=r(14764),u=r.n(d),h=r(63916),p=r(66056);const m={mixins:[h.uy,h._u],data:()=>({search:"",selectedOption:null}),created(){if((0,p.c)(this.field.value)){let e=a()(this.field.options,(e=>e.value==this.field.value));this.$nextTick((()=>{this.selectOption(e)}))}},methods:{fieldDefaultValue:()=>null,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value??"")},performSearch(e){this.search=e},clearSelection(){this.selectedOption=null,this.value=this.fieldDefaultValue(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},selectOption(e){u()(e)?this.clearSelection():(this.selectedOption=e,this.value=e.value,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value))},handleChange(e){let t=a()(this.currentField.options,(t=>t.value==e));this.selectOption(t)},onSyncedField(){let e=null,t=!1;this.selectedOption&&(t=!0,e=a()(this.currentField.options,(e=>e.value===this.selectedOption.value)));let r=a()(this.currentField.options,(e=>e.value==this.currentField.value));if(u()(e))return this.clearSelection(),void(this.currentField.value?this.selectOption(r):t&&!this.currentField.nullable&&this.selectOption(c()(this.currentField.options)));e&&r&&["create","attach"].includes(this.editMode)?this.selectOption(r):this.selectOption(e)}},computed:{isSearchable(){return this.currentField.searchable},filteredOptions(){return this.currentField.options.filter((e=>e.label.toString().toLowerCase().indexOf(this.search.toLowerCase())>-1))},placeholder(){return this.currentField.placeholder||this.__("Choose an option")},hasValue(){return Boolean(!(void 0===this.value||null===this.value||""===this.value))}}};const v=(0,r(18152).c)(m,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("SearchInput"),d=(0,o.resolveComponent)("SelectControl"),u=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(u,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[!e.currentlyIsReadonly&&s.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,dusk:`${e.field.attribute}-search-input`,onInput:s.performSearch,onClear:s.clearSelection,onSelected:s.selectOption,"has-error":e.hasError,value:e.selectedOption,data:s.filteredOptions,clearable:e.currentField.nullable,trackBy:"value",class:"w-full",mode:e.mode,disabled:e.currentlyIsReadonly},{option:(0,o.withCtx)((({selected:e,option:t})=>[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex items-center text-sm font-semibold leading-5",{"text-white":e}])},(0,o.toDisplayString)(t.label),3)])),default:(0,o.withCtx)((()=>[e.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,(0,o.toDisplayString)(e.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onSelected","has-error","value","data","clearable","mode","disabled"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,id:e.field.attribute,dusk:e.field.attribute,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:s.handleChange,class:"w-full","has-error":e.hasError,options:e.currentField.options,disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(s.placeholder),9,l)])),_:1},8,["id","dusk","selected","onChange","has-error","options","disabled"]))])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","SelectField.vue"]])},76142:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032);const n={class:"flex items-center"},l=["id","dusk","disabled"];var i=r(63916),a=r(73336),s=r.n(a);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t({isListeningToChanges:!1,debouncedHandleChange:null}),mounted(){this.shouldRegisterInitialListener&&this.registerChangeListener()},beforeUnmount(){this.removeChangeListener()},methods:{async fetchPreviewContent(e){const{data:{preview:t}}=await Nova.request().post(`/nova-api/${this.resourceName}/field/${this.fieldAttribute}/preview`,{value:e});return t},registerChangeListener(){Nova.$on(this.eventName,s()(this.handleChange,250)),this.isListeningToChanges=!0},removeChangeListener(){!0===this.isListeningToChanges&&Nova.$off(this.eventName)},async handleChange(e){this.value=await this.fetchPreviewContent(e)},toggleCustomizeClick(){if(this.field.readonly)return this.removeChangeListener(),this.isListeningToChanges=!1,this.field.readonly=!1,this.field.extraAttributes.readonly=!1,this.field.showCustomizeButton=!1,void this.$refs.theInput.focus();this.registerChangeListener(),this.field.readonly=!0,this.field.extraAttributes.readonly=!0}},computed:{shouldRegisterInitialListener(){return!this.field.updating},eventName(){return this.getFieldAttributeChangeEventName(this.field.from)},extraAttributes(){return d(d({},this.field.extraAttributes),{},{class:this.errorClasses})}}};const p=(0,r(18152).c)(h,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.field,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)(s.extraAttributes,{ref:"theInput",class:"w-full form-control form-input form-control-bordered",id:e.field.uniqueKey,dusk:e.field.attribute,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),disabled:e.isReadonly}),null,16,l),[[o.vModelDynamic,e.value]]),e.field.showCustomizeButton?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,class:"rounded inline-flex text-sm ml-3 link-default",type:"button",onClick:t[1]||(t[1]=(...e)=>s.toggleCustomizeClick&&s.toggleCustomizeClick(...e))},(0,o.toDisplayString)(e.__("Customize")),1)):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","SlugField.vue"]])},30159:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n=["id","type","min","max","step","placeholder"];var l=r(63916);const i={mixins:[l.uy,l._u],computed:{inputType(){return this.currentField.type||"text"},inputStep(){return this.currentField.step},inputMin(){return this.currentField.min},inputMax(){return this.currentField.max}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",{id:e.currentField.uniqueKey,type:a.inputType,min:a.inputMin,max:a.inputMax,step:a.inputStep,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",e.errorClasses]),placeholder:e.field.name},null,10,n),[[o.vModelDynamic,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","StatusField.vue"]])},52128:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(74032);const n={class:"space-y-4"},l={class:"flex items-center"},i=["dusk"];var a=r(63916),s=r(85676),c=r(39540),d=r.n(c),u=r(57308),h=r(22564),p=r(1811);function m(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function v(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{PreviewResourceModal:r(46016).default,SearchInputResult:p.default,TagList:h.default},mixins:[a._u,a.mI,a.uy],props:function(e){for(var t=1;t({relationModalOpen:!1,search:"",value:[],tags:[],loading:!1}),mounted(){this.currentField.preload&&this.getAvailableResources()},methods:{performSearch(e){this.search=e;const t=e.trim();this.searchDebouncer((()=>{this.getAvailableResources(t)}),500)},fill(e){this.fillIfVisible(e,this.currentField.attribute,this.value.length>0?JSON.stringify(this.value):"")},async getAvailableResources(e){this.loading=!0;const t={search:e,current:null,first:!1},{data:r}=await(0,s.OC)(u.c.fetchAvailableResources(this.currentField.resourceName,{params:t}),250);this.loading=!1,this.tags=r.resources},selectResource(e){0===this.value.filter((t=>t.value===e.value)).length&&this.value.push(e)},handleSetResource({id:e}){const t={search:"",current:e,first:!0};u.c.fetchAvailableResources(this.currentField.resourceName,{params:t}).then((({data:{resources:e}})=>{this.selectResource(d()(e))})).finally((()=>{this.closeRelationModal()}))},removeResource(e){this.value.splice(e,1)},openRelationModal(){this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1}}};const g=(0,r(18152).c)(f,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("SearchInputResult"),u=(0,o.resolveComponent)("SearchSearchInput"),h=(0,o.resolveComponent)("CreateRelationButton"),p=(0,o.resolveComponent)("TagList"),m=(0,o.resolveComponent)("TagGroup"),v=(0,o.resolveComponent)("CreateRelationModal"),f=(0,o.resolveComponent)("DefaultField"),g=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(f,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{ref:"searchable",dusk:`${e.field.resourceName}-search-input`,onInput:c.performSearch,error:e.hasError,debounce:e.field.debounce,options:e.tags,onSelected:c.selectResource,trackBy:"value",disabled:e.currentlyIsReadonly,loading:e.loading,class:"w-full"},{option:(0,o.withCtx)((({dusk:t,selected:r,option:n})=>[(0,o.createVNode)(d,{option:n,selected:r,"with-subtitles":e.field.withSubtitles,dusk:t},null,8,["option","selected","with-subtitles","dusk"])])),_:1},8,["dusk","onInput","error","debounce","options","onSelected","disabled","loading"]),e.field.showCreateRelationButton?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onClick:c.openRelationModal,dusk:`${e.field.attribute}-inline-create`,tabindex:"0"},null,8,["onClick","dusk"])),[[g,e.__("Create :resource",{resource:e.field.singularLabel})]]):(0,o.createCommentVNode)("",!0)]),e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,dusk:`${e.field.attribute}-selected-tags`},["list"===e.field.style?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,tags:e.value,onTagRemoved:t[0]||(t[0]=e=>c.removeResource(e)),"resource-name":e.field.resourceName,editable:!e.currentlyIsReadonly,"with-preview":e.field.withPreview},null,8,["tags","resource-name","editable","with-preview"])):(0,o.createCommentVNode)("",!0),"group"===e.field.style?((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,tags:e.value,onTagRemoved:t[1]||(t[1]=e=>c.removeResource(e)),"resource-name":e.field.resourceName,editable:!e.currentlyIsReadonly,"with-preview":e.field.withPreview},null,8,["tags","resource-name","editable","with-preview"])):(0,o.createCommentVNode)("",!0)],8,i)):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(v,{"resource-name":e.field.resourceName,show:e.field.showCreateRelationButton&&e.relationModalOpen,size:e.field.modalSize,onSetResource:c.handleSetResource,onCreateCancelled:t[2]||(t[2]=t=>e.relationModalOpen=!1)},null,8,["resource-name","show","size","onSetResource"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","TagField.vue"]])},11720:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(74032);const n={class:"space-y-1"},l=["value","id","dusk","disabled","maxlength"],i=["id"],a=["value"];var s=r(63916);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("input",(0,o.mergeProps)(d.extraAttributes,{class:"w-full form-control form-input form-control-bordered",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly,maxlength:e.field.enforceMaxlength?e.field.maxlength:-1}),null,16,l),e.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:e.suggestionsId},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,a)))),128))],8,i)):(0,o.createCommentVNode)("",!0),e.field.maxlength?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,count:e.value.length,limit:e.field.maxlength},null,8,["count","limit"])):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","TextField.vue"]])},3620:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n={class:"space-y-1"},l=["id","dusk","value","maxlength","placeholder"];var i=r(63916);function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;t[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("textarea",(0,o.mergeProps)(s.extraAttributes,{class:"block w-full form-control form-input form-control-bordered py-3 h-auto",id:e.currentField.uniqueKey,dusk:e.field.attribute,value:e.value,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),maxlength:e.field.enforceMaxlength?e.field.maxlength:-1,placeholder:e.placeholder}),null,16,l),e.field.maxlength?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,count:e.value.length,limit:e.field.maxlength},null,8,["count","limit"])):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","TextareaField.vue"]])},63220:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);var n=r(63916);const l={emits:["field-changed"],mixins:[n.uy,n._I,n._u],data:()=>({index:0}),mounted(){Nova.$on(this.fieldAttributeValueEventName,this.listenToValueChanges)},beforeUnmount(){Nova.$off(this.fieldAttributeValueEventName,this.listenToValueChanges),this.clearAttachments()},methods:{handleChange(e){this.value=e,this.$emit("field-changed")},fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value||""),this.fillAttachmentDraftId(e)},handleFileAdded({attachment:e}){if(e.file){const t=t=>e.setAttributes({url:t,href:t}),r=t=>{e.setUploadProgress(Math.round(100*t.loaded/t.total))};this.uploadAttachment(e.file,{onCompleted:t,onUploadProgress:r})}},handleFileRemoved({attachment:{attachment:e}}){this.removeAttachment(e.attributes.values.url)},onSyncedField(){this.handleChange(this.currentField.value??this.value),this.index++},listenToValueChanges(e){this.index++}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Trix"),s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,key:e.index,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["rounded-lg",{disabled:e.currentlyIsReadonly}])},[(0,o.createVNode)(a,(0,o.mergeProps)({name:"trixman",value:e.value,onChange:i.handleChange,onFileAdded:i.handleFileAdded,onFileRemoved:i.handleFileRemoved,class:{"form-control-bordered-error":e.hasError},"with-files":e.currentField.withFiles},e.currentField.extraAttributes,{disabled:e.currentlyIsReadonly,class:"rounded-lg"}),null,16,["value","onChange","onFileAdded","onFileRemoved","class","with-files","disabled"])],2)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","TrixField.vue"]])},14688:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n=["value","id","dusk","disabled","list"],l=["id"],i=["value"];var a=r(63916);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)(c.extraAttributes,{class:"w-full form-control form-input form-control-bordered",type:"url",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly,list:`${e.field.attribute}-list`}),null,16,n),e.currentField.suggestions&&e.currentField.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:`${e.field.attribute}-list`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.currentField.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,i)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","UrlField.vue"]])},27476:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(67024).default,computed:{isVaporField:()=>!0}};const n=(0,r(18152).c)(o,[["__file","VaporAudioField.vue"]])},47724:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(67024).default,computed:{isVaporField:()=>!0}};const n=(0,r(18152).c)(o,[["__file","VaporFileField.vue"]])},66872:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["src"];var l=r(14764),i=r.n(l);const a={mixins:[r(63916).mY],props:["viaResource","viaResourceId","resourceName","field"],computed:{hasPreviewableAudio(){return!i()(this.field.previewUrl)},defaultAttributes(){return{autoplay:!1,preload:this.field.preload}},alignmentClass(){return{left:"items-center justify-start",center:"items-center justify-center",right:"items-center justify-end"}[this.field.textAlign]}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([a.alignmentClass,"flex"])},[a.hasPreviewableAudio?((0,o.openBlock)(),(0,o.createElementBlock)("audio",(0,o.mergeProps)({key:0},a.defaultAttributes,{class:"rounded rounded-full",src:r.field.previewUrl,controls:"",controlslist:"nodownload"}),null,16,n)):((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},"—",2))],2)}],["__file","AudioField.vue"]])},98956:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={key:0,class:"mr-1 -ml-1"};const l={props:["resourceName","viaResource","viaResourceId","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon"),c=(0,o.resolveComponent)("Badge");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(c,{label:r.field.label,"extra-classes":r.field.typeClass},{icon:(0,o.withCtx)((()=>[r.field.icon?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.createVNode)(s,{solid:!0,type:r.field.icon},null,8,["type"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])}],["__file","BadgeField.vue"]])},85816:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={key:0},l={key:1},i={key:2},a={__name:"BelongsToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("Link"),s=(0,o.resolveComponent)("RelationPeek");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${e.field.textAlign}`)},[(0,o.createElementVNode)("span",null,[e.field.viewable&&e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[e.field.peekable&&e.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,"resource-name":e.field.resourceName,"resource-id":e.field.belongsToId,resource:e.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(a,{key:1,onClick:r[1]||(r[1]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"]))])):e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,"—"))])],2)}};const s=(0,r(18152).c)(a,[["__file","BelongsToField.vue"]])},53304:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["resourceName","field"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("IconBoolean");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createVNode)(a,{value:r.field.value},null,8,["value"])],2)}],["__file","BooleanField.vue"]])},44972:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(74032);const n={key:0,class:"max-w-xxs space-y-2 py-3 px-4"},l={class:"ml-1"},i={key:1};var a=r(54740),s=r.n(a),c=r(17096),d=r.n(c);const u={components:{Button:r(10076).c},props:["resourceName","field"],data:()=>({value:[],classes:{true:"text-green-500",false:"text-red-500"}}),created(){this.field.value=this.field.value||{},this.value=s()(d()(this.field.options,(e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1}))),(e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked)))}};const h=(0,r(18152).c)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Button"),u=(0,o.resolveComponent)("IconBoolean"),h=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createVNode)(p,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{width:"auto"},{default:(0,o.withCtx)((()=>[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("ul",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{class:(0,o.normalizeClass)([e.classes[t.checked],"flex items-center rounded-full font-bold text-sm leading-tight space-x-2"])},[(0,o.createVNode)(u,{class:"flex-none",value:t.checked},null,8,["value"]),(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(t.label),1)],2)))),256))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(this.field.noValueText),1))])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{variant:"link"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("View")),1)])),_:1})])),_:1})],2)}],["__file","BooleanGroupField.vue"]])},58684:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"rounded inline-flex items-center justify-center border border-60",style:{borderRadius:"4px",padding:"2px"}};const l={props:["resourceName","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createElementVNode)("span",n,[(0,o.createElementVNode)("span",{class:"block w-4 h-4",style:(0,o.normalizeStyle)({borderRadius:"2px",backgroundColor:r.field.value})},null,4)])],2)}],["__file","ColorField.vue"]])},37095:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["innerHTML"],l={key:1},i={key:1};const a={mixins:[r(63916).mY],props:["resourceName","field"]};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])}],["__file","CurrencyField.vue"]])},58100:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={key:0,class:"whitespace-nowrap"},l={key:1};var i=r(98776);const a={mixins:[r(63916).mY],props:["resourceName","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return i.CS.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(s.formattedDate),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)])}],["__file","DateField.vue"]])},45475:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["title"],l={key:1};var i=r(98776);const a={mixins:[r(63916).mY],props:["resourceName","field"],computed:{formattedDate(){return this.usesCustomizedDisplay?this.field.displayedAs:i.CS.fromISO(this.field.value).setZone(this.timezone).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",timeZoneName:"short"})},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue||e.usesCustomizedDisplay?((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:0,class:"whitespace-nowrap",title:r.field.value},(0,o.toDisplayString)(s.formattedDate),9,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)}],["__file","DateTimeField.vue"]])},93716:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={key:0,class:"flex items-center"},l=["href"],i={key:1};var a=r(63916);const s={mixins:[a.s5,a.mY],props:["resourceName","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("CopyButton"),u=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:`mailto:${r.field.value}`,class:"link-default whitespace-nowrap"},(0,o.toDisplayString)(e.fieldValue),9,l)):(0,o.createCommentVNode)("",!0),e.fieldHasValue&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,onClick:(0,o.withModifiers)(c.copy,["prevent","stop"]),class:"mx-0"},null,8,["onClick"])),[[u,e.__("Copy to clipboard")]]):(0,o.createCommentVNode)("",!0)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))],2)}],["__file","EmailField.vue"]])},68612:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={key:1,class:"break-words"};const l={mixins:[r(63916).mY],props:["viaResource","viaResourceId","resourceName","field"],data:()=>({loading:!1}),computed:{shouldShowLoader(){return this.imageUrl},imageUrl(){return this.field?.thumbnailUrl||this.field?.previewUrl},alignmentClass(){return{left:"items-center justify-start",center:"items-center justify-center",right:"items-center justify-end"}[this.field.textAlign]}}};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("ImageLoader"),c=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([a.alignmentClass,"flex"])},[a.shouldShowLoader?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,src:a.imageUrl,"max-width":r.field.maxWidth||r.field.indexWidth,rounded:r.field.rounded,aspect:r.field.aspect},null,8,["src","max-width","rounded","aspect"])):(0,o.createCommentVNode)("",!0),e.usesCustomizedDisplay&&!a.imageUrl?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.displayedAs),1)])),[[c,r.field.value]]):(0,o.createCommentVNode)("",!0),e.usesCustomizedDisplay||a.imageUrl?(0,o.createCommentVNode)("",!0):(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:2,class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createTextVNode)(" — ")],2)),[[c,r.field.value]])],2)}],["__file","FileField.vue"]])},75644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(74032);const n={props:["field","viaResource","viaResourceId","resourceName"]};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("span")}],["__file","HeadingField.vue"]])},82568:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n={class:"hidden"};const l={props:["resourceName","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n)}],["__file","HiddenField.vue"]])},99532:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n={key:1},l={key:2};var i=r(14764),a=r.n(i);const s={mixins:[r(63916).mY],props:["resource","resourceName","field"],computed:{isPivot(){return!a()(this.field.pivotValue)},authorizedToView(){return this.resource?.authorizedToView??!1}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue&&!s.isPivot&&s.authorizedToView?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.resourceName}/${r.field.value}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["href"])):e.fieldHasValue||s.isPivot?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,(0,o.toDisplayString)(r.field.pivotValue||e.fieldValue),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","IdField.vue"]])},79120:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n=["innerHTML"],l={key:1};const i={mixins:[r(63916).mY],props:["resourceName","field"]};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:1,class:(0,o.normalizeClass)(["whitespace-nowrap",r.field.classes])},(0,o.toDisplayString)(e.fieldValue),3))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","LineField.vue"]])},91072:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={key:1},l={key:2};const i={props:["resourceName","viaResource","viaResourceId","field"],computed:{isResourceBeingViewed(){return this.field.morphToType==this.viaResource&&this.field.morphToId==this.viaResourceId}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Link");return r.field.viewable&&r.field.value&&!s.isResourceBeingViewed?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:(0,o.normalizeClass)(["no-underline text-primary-500 font-bold",`text-${r.field.textAlign}`])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.resourceLabel)+": "+(0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href","class"])):r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(r.field.resourceLabel||r.field.morphToType)+": "+(0,o.toDisplayString)(r.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))}],["__file","MorphToActionTargetField.vue"]])},22420:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={key:0},l={key:1},i={key:2},a={__name:"MorphToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("Link"),s=(0,o.resolveComponent)("RelationPeek");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${e.field.textAlign}`)},[(0,o.createElementVNode)("span",null,[e.field.viewable&&e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[e.field.peekable&&e.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,"resource-name":e.field.resourceName,"resource-id":e.field.morphToId,resource:e.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.resourceLabel)+": "+(0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(a,{key:1,onClick:r[1]||(r[1]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.resourceLabel)+": "+(0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"]))])):e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.field.resourceLabel||e.field.morphToType)+": "+(0,o.toDisplayString)(e.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,"—"))])],2)}};const s=(0,r(18152).c)(a,[["__file","MorphToField.vue"]])},95358:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(74032);const n=["textContent"],l={key:1};var i=r(2376),a=r.n(i),s=r(3624),c=r.n(s);const d={props:["resourceName","field"],computed:{hasValues(){return this.fieldValues.length>0},fieldValues(){let e=[];return a()(this.field.options,(t=>{let r=t.value.toString();(c()(this.field.value,r)>=0||c()(this.field.value?.toString(),r)>=0)&&e.push(t.label)})),e}}};const u=(0,r(18152).c)(d,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[s.hasValues?((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:0},(0,o.renderList)(s.fieldValues,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("span",{textContent:(0,o.toDisplayString)(e),class:"inline-block text-sm mb-1 mr-2 px-2 py-0 bg-primary-500 text-white dark:text-gray-900 rounded"},null,8,n)))),256)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])}],["__file","MultiSelectField.vue"]])},30608:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(74032);const n=[(0,o.createElementVNode)("span",{class:"font-bold"}," · · · · · · · · ",-1)];const l={props:["resourceName","field"]};const i=(0,r(18152).c)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},n,2)}],["__file","PasswordField.vue"]])},93736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(85316).default};const n=(0,r(18152).c)(o,[["__file","PlaceField.vue"]])},26642:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n=["innerHTML"],l={key:1,class:"whitespace-nowrap"},i={key:1};const a={mixins:[r(63916).mY],props:["resourceName","field"]};const s=(0,r(18152).c)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))],2)}],["__file","SelectField.vue"]])},34640:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(85316).default};const n=(0,r(18152).c)(o,[["__file","SlugField.vue"]])},62340:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(74032);const n={key:0};var l=r(52136),i=r.n(l);r(6896);const a={props:["resourceName","field"],data:()=>({chartist:null}),watch:{"field.data":function(e,t){this.renderChart()}},methods:{renderChart(){this.chartist.update(this.field.data)}},mounted(){this.chartist=new(i()[this.chartStyle])(this.$refs.chart,{series:[this.field.data]},{height:this.chartHeight,width:this.chartWidth,showPoint:!1,fullWidth:!0,chartPadding:{top:0,right:0,bottom:0,left:0},axisX:{showGrid:!1,showLabel:!1,offset:0},axisY:{showGrid:!1,showLabel:!1,offset:0}})},computed:{hasData(){return this.field.data.length>0},chartStyle(){let e=this.field.chartStyle.toLowerCase();return["line","bar"].includes(e)?e.charAt(0).toUpperCase()+e.slice(1):"Line"},chartHeight(){return this.field.height||50},chartWidth(){return this.field.width||100}}};const s=(0,r(18152).c)(a,[["render",function(e,t,r,l,i,a){return a.hasData?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:a.chartWidth,height:a.chartHeight})},null,4)])):(0,o.createCommentVNode)("",!0)}],["__file","SparklineField.vue"]])},93388:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={key:0,class:"leading-normal"},l={key:1};const i={props:["resourceName","field"],computed:{hasValue(){return this.field.lines}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[s.hasValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.field.lines,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`index-${e.component}`),{key:e.value,class:"whitespace-nowrap",field:e,resourceName:r.resourceName},null,8,["field","resourceName"])))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","StackField.vue"]])},54200:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"flex items-center"},l={class:"mr-1 -ml-1"};const i={mixins:[r(63916).mY],props:["resourceName","field"],computed:{typeClasses(){return["center"===this.field.textAlign&&"mx-auto","right"===this.field.textAlign&&"ml-auto mr-0","left"===this.field.textAlign&&"ml-0 mr-auto",this.field.typeClass]}}};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Loader"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Badge");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(u,{class:(0,o.normalizeClass)(["whitespace-nowrap flex items-center",s.typeClasses])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",l,["loading"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,width:"20",class:"mr-1"})):(0,o.createCommentVNode)("",!0),"failed"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,solid:!0,type:"exclamation-circle"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,solid:!0,type:"check-circle"})):(0,o.createCommentVNode)("",!0)]),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["class"])])}],["__file","StatusField.vue"]])},27276:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(74032);const n={class:"p-2"},l={key:1};const i={components:{Button:r(10076).c},props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("TagList"),u=(0,o.resolveComponent)("TagGroup"),h=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[r.field.value.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,["list"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0),"group"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:"link"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("View")),1)])),_:1})])),_:1})):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","TagField.vue"]])},85316:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(74032);const n={key:1,class:"whitespace-nowrap"},l=["innerHTML"],i={key:3},a={key:1};var s=r(63916);const c={mixins:[s.s5,s.mY],props:["resourceName","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("CopyButton"),h=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.fieldValue&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,onClick:(0,o.withModifiers)(d.copy,["prevent","stop"])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",{ref:"theFieldValue"},(0,o.toDisplayString)(e.fieldValue),513)])),_:1},8,["onClick"])),[[h,e.__("Copy to clipboard")]]):!e.fieldValue||r.field.copyable||e.shouldDisplayAsHtml?e.fieldValue&&!r.field.copyable&&e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:2,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,l)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—")):((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))],2)}],["__file","TextField.vue"]])},40284:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(74032);const n=["innerHTML"],l={key:1,class:"whitespace-nowrap"},i=["href"],a={key:1};const s={mixins:[r(63916).mY],props:["resourceName","field"]};const c=(0,r(18152).c)(s,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,[(0,o.createElementVNode)("a",{class:"link-default",href:r.field.value,rel:"noreferrer noopener",target:"_blank",onClick:t[1]||(t[1]=(0,o.withModifiers)((()=>{}),["stop"]))},(0,o.toDisplayString)(e.fieldValue),9,i)]))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))],2)}],["__file","UrlField.vue"]])},92976:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(66872).default};const n=(0,r(18152).c)(o,[["__file","VaporAudioField.vue"]])},81300:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(68612).default};const n=(0,r(18152).c)(o,[["__file","VaporFileField.vue"]])},57612:(e,t,r)=>{"use strict";r.d(t,{c:()=>a});var o=r(74032);const n={class:"py-6 px-1 md:px-2 lg:px-6"},l={class:"mx-auto py-8 max-w-sm flex justify-center"};const i={name:"Auth"};const a=(0,r(18152).c)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("AppLogo");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(c,{class:"h-8"})]),(0,o.renderSlot)(e.$slots,"default")])}],["__file","Auth.vue"]])},12296:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(74032);const n={};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","Guest.vue"]])},38880:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(74032);const n={name:"AppErrorPage",layout:r(12296).c};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CustomAppError");return(0,o.openBlock)(),(0,o.createBlock)(a)}],["__file","AppError.vue"]])},2688:(e,t,r)=>{"use strict";r.d(t,{c:()=>i});var o=r(74032);var n=r(79624);const l={name:"Attach",props:{resourceName:{type:String,required:!0},resourceId:{required:!0},relatedResourceName:{type:String,required:!0},viaResource:{default:""},viaResourceId:{default:""},parentResource:{type:Object},viaRelationship:{default:""},polymorphic:{default:!1}},data:()=>({formUniqueId:(0,n.c)()})};const i=(0,r(18152).c)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("AttachResource");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":r.resourceName,"resource-id":r.resourceId,"related-resource-name":r.relatedResourceName,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"parent-resource":r.parentResource,"via-relationship":r.viaRelationship,polymorphic:r.polymorphic,"form-unique-id":e.formUniqueId},null,8,["resource-name","resource-id","related-resource-name","via-resource","via-resource-id","parent-resource","via-relationship","polymorphic","form-unique-id"])}],["__file","Attach.vue"]])},54712:(e,t,r)=>{"use strict";r.d(t,{c:()=>i});var o=r(74032);var n=r(63916);const l={name:"Create",components:{ResourceCreate:r(21852).c},props:(0,n.Wk)(["resourceName","viaResource","viaResourceId","viaRelationship"])};const i=(0,r(18152).c)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceCreate");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,mode:"form"},null,8,["resource-name","via-resource","via-resource-id","via-relationship"])}],["__file","Create.vue"]])},6732:(e,t,r)=>{"use strict";r.d(t,{c:()=>d});var o=r(74032);const n={key:0,class:"flex items-center"},l={key:1};var i=r(85676);const a={props:{name:{type:String,required:!1,default:"main"}},data:()=>({loading:!0,label:"",cards:[],showRefreshButton:!1,isHelpCard:!1}),created(){this.fetchDashboard()},methods:{async fetchDashboard(){this.loading=!0;try{const{data:{label:e,cards:t,showRefreshButton:r,isHelpCard:o}}=await(0,i.OC)(Nova.request().get(this.dashboardEndpoint,{params:this.extraCardParams}),200);this.loading=!1,this.label=e,this.cards=t,this.showRefreshButton=r,this.isHelpCard=o}catch(e){if(401==e.response.status)return Nova.redirectToLogin();Nova.visit("/404")}},refreshDashboard(){Nova.$emit("metric-refresh")}},computed:{dashboardEndpoint(){return`/nova-api/dashboards/${this.name}`},shouldShowCards(){return this.cards.length>0},extraCardParams:()=>null}};var s=r(18152);const c={name:"Dashboard",components:{DashboardView:(0,s.c)(a,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Head"),d=(0,o.resolveComponent)("Heading"),u=(0,o.resolveComponent)("Icon"),h=(0,o.resolveComponent)("Cards"),p=(0,o.resolveComponent)("LoadingView"),m=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(p,{loading:e.loading,dusk:"dashboard-"+this.name,class:"space-y-3"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{title:e.label},null,8,["title"]),e.label&&!e.isHelpCard||e.showRefreshButton?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[e.label&&!e.isHelpCard?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(e.label)),1)])),_:1})):(0,o.createCommentVNode)("",!0),e.showRefreshButton?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>s.refreshDashboard&&s.refreshDashboard(...e)),["stop"])),type:"button",class:"ml-1 hover:opacity-50 active:ring",tabindex:"0"},[(0,o.withDirectives)((0,o.createVNode)(u,{class:"text-gray-500 dark:text-gray-400",solid:!0,type:"refresh",width:"14"},null,512),[[m,e.__("Refresh")]])])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),s.shouldShowCards?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[e.cards.length>0?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,cards:e.cards},null,8,["cards"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading","dusk"])}],["__file","Dashboard.vue"]])},props:{name:{type:String,required:!1,default:"main"}}},d=(0,s.c)(c,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("DashboardView");return(0,o.openBlock)(),(0,o.createBlock)(a,{name:r.name},null,8,["name"])}],["__file","Dashboard.vue"]])},20318:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(74032);const n={name:"Detail",props:(0,r(63916).Wk)(["resourceName","resourceId"])};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceDetail");return(0,o.openBlock)(),(0,o.createBlock)(a,{resourceName:e.resourceName,resourceId:e.resourceId,shouldOverrideMeta:!0,shouldEnableShortcut:!0},null,8,["resourceName","resourceId"])}],["__file","Detail.vue"]])},57740:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(74032);const n={name:"Error403Page",layout:r(12296).c};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CustomError403");return(0,o.openBlock)(),(0,o.createBlock)(a)}],["__file","Error403.vue"]])},60032:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(74032);const n={name:"Error404Page",layout:r(12296).c};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CustomError404");return(0,o.openBlock)(),(0,o.createBlock)(a)}],["__file","Error404.vue"]])},55240:(e,t,r)=>{"use strict";r.d(t,{c:()=>d});var o=r(74032);const n={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},i={class:"block mb-2",for:"email"};var a=r(57612),s=r(10076);const c={layout:a.c,components:{Button:s.c},data:()=>({form:Nova.form({email:""})}),methods:{async attempt(){const{message:e}=await this.form.post(Nova.url("/password/email"));Nova.$toasted.show(e,{action:{onClick:()=>Nova.redirectToLogin(),text:this.__("Reload")},duration:null,type:"success"}),setTimeout((()=>Nova.redirectToLogin()),5e3)}},computed:{supportsPasswordReset:()=>Nova.config("withPasswordReset"),forgotPasswordPath:()=>Nova.config("forgotPasswordPath")}};const d=(0,r(18152).c)(c,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("DividerLine"),h=(0,o.resolveComponent)("HelpText"),p=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(m,{loading:!1},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{title:e.__("Forgot Password")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>c.attempt&&c.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",n,(0,o.toDisplayString)(e.__("Forgot your password?")),1),(0,o.createVNode)(u),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",i,(0,o.toDisplayString)(e.__("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.email=t),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("email")}]),id:"email",type:"email",name:"email",required:"",autofocus:""},null,2),[[o.vModelText,e.form.email]]),e.form.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(p,{class:"w-full flex justify-center",type:"submit",loading:e.form.processing},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Send Password Reset Link")),1)])),_:1},8,["loading"])],32)])),_:1})}],["__file","ForgotPassword.vue"]])},85420:(e,t,r)=>{"use strict";r.d(t,{c:()=>l});var o=r(74032);const n={name:"Index",props:(0,r(63916).Wk)(["resourceName"])};const l=(0,r(18152).c)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{resourceName:e.resourceName,shouldOverrideMeta:!0,shouldEnableShortcut:!0},null,8,["resourceName"])}],["__file","Index.vue"]])},50644:(e,t,r)=>{"use strict";r.d(t,{c:()=>g});var o=r(74032);var n=r(63916);const l={key:2,class:"flex items-center mb-6"};var i=r(73736),a=r(85676),s=r(48936);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t({actionCanceller:null,resourceHasId:!1}),async created(){this.resourceInformation&&(this.getActions(),Nova.$on("refresh-resources",this.getResources))},beforeUnmount(){Nova.$off("refresh-resources",this.getResources),null!==this.actionCanceller&&this.actionCanceller()},methods:d(d({},(0,s.ae)(["fetchPolicies"])),{},{getResources(){this.loading=!0,this.resourceResponseError=null,this.$nextTick((()=>(this.clearResourceSelections(),(0,a.OC)(Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens,{params:this.resourceRequestQueryString,cancelToken:new i.al((e=>{this.canceller=e}))}),300).then((({data:e})=>{this.resources=[],this.resourceResponse=e,this.resources=e.resources,this.softDeletes=e.softDeletes,this.perPage=e.per_page,this.resourceHasId=e.hasId,this.handleResourcesLoaded()})).catch((e=>{if(!(0,i.CA)(e))throw this.loading=!1,this.resourceResponseError=e,e})))))},getActions(){null!==this.actionCanceller&&this.actionCanceller(),this.actions=[],this.pivotActions=null,Nova.request().get(`/nova-api/${this.resourceName}/lens/${this.lens}/actions`,{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,display:"index",resources:this.selectAllMatchingChecked?"all":this.selectedResourceIds},cancelToken:new i.al((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,i.CA)(e))throw e}))},getAllMatchingResourceCount(){Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens+"/count",{params:this.resourceRequestQueryString}).then((e=>{this.allMatchingResourceCount=e.data.count}))},loadMore(){return null===this.currentPageLoadMore&&(this.currentPageLoadMore=this.currentPage),this.currentPageLoadMore=this.currentPageLoadMore+1,(0,a.OC)(Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens,{params:d(d({},this.resourceRequestQueryString),{},{page:this.currentPageLoadMore})}),300).then((({data:e})=>{this.resourceResponse=e,this.resources=[...this.resources,...e.resources],this.getAllMatchingResourceCount(),Nova.$emit("resources-loaded",{resourceName:this.resourceName,lens:this.lens,mode:"lens"})}))}}),computed:{actionQueryString(){return{currentSearch:this.currentSearch,encodedFilters:this.encodedFilters,currentTrashed:this.currentTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}},actionsAreAvailable(){return this.allActions.length>0&&Boolean(this.resourceHasId)},lensActionEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/action`},cardsEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/cards`},canShowDeleteMenu(){return Boolean(this.resourceHasId)&&Boolean(this.authorizedToDeleteSelectedResources||this.authorizedToForceDeleteSelectedResources||this.authorizedToDeleteAnyResources||this.authorizedToForceDeleteAnyResources||this.authorizedToRestoreSelectedResources||this.authorizedToRestoreAnyResources)},lensName(){if(this.resourceResponse)return this.resourceResponse.name}}};var p=r(18152);function m(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function v(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={name:"Lens",components:{ResourceLens:(0,p.c)(h,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("Head"),c=(0,o.resolveComponent)("Cards"),d=(0,o.resolveComponent)("Heading"),u=(0,o.resolveComponent)("IndexSearchInput"),h=(0,o.resolveComponent)("ActionDropdown"),p=(0,o.resolveComponent)("ResourceTableToolbar"),m=(0,o.resolveComponent)("IndexErrorDialog"),v=(0,o.resolveComponent)("IndexEmptyDialog"),f=(0,o.resolveComponent)("ResourceTable"),g=(0,o.resolveComponent)("ResourcePagination"),w=(0,o.resolveComponent)("LoadingView"),k=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(w,{loading:e.initialLoading,dusk:r.lens+"-lens-component"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{title:a.lensName},null,8,["title"]),e.shouldShowCards?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,cards:e.cards,"resource-name":e.resourceName,lens:r.lens},null,8,["cards","resource-name","lens"])):(0,o.createCommentVNode)("",!0),e.resourceResponse?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,class:(0,o.normalizeClass)(["mb-3",{"mt-6":e.shouldShowCards}]),textContent:(0,o.toDisplayString)(a.lensName),dusk:"lens-heading"},null,8,["class","textContent"])):(0,o.createCommentVNode)("",!0),r.searchable||e.availableStandaloneActions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[r.searchable?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,searchable:r.searchable,keyword:e.search,"onUpdate:keyword":[t[0]||(t[0]=t=>e.search=t),t[1]||(t[1]=t=>e.search=t)]},null,8,["searchable","keyword"])):(0,o.createCommentVNode)("",!0),e.availableStandaloneActions.length>0?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,onActionExecuted:t[2]||(t[2]=()=>e.fetchPolicies()),class:"ml-auto","resource-name":e.resourceName,"via-resource":"","via-resource-id":"","via-relationship":"","relationship-type":"",actions:e.availableStandaloneActions,"selected-resources":e.selectedResourcesForActionSelector,endpoint:a.lensActionEndpoint},null,8,["resource-name","actions","selected-resources","endpoint"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(k,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{"actions-endpoint":a.lensActionEndpoint,"action-query-string":a.actionQueryString,"all-matching-resource-count":e.allMatchingResourceCount,"authorized-to-delete-any-resources":e.authorizedToDeleteAnyResources,"authorized-to-delete-selected-resources":e.authorizedToDeleteSelectedResources,"authorized-to-force-delete-any-resources":e.authorizedToForceDeleteAnyResources,"authorized-to-force-delete-selected-resources":e.authorizedToForceDeleteSelectedResources,"authorized-to-restore-any-resources":e.authorizedToRestoreAnyResources,"authorized-to-restore-selected-resources":e.authorizedToRestoreSelectedResources,"available-actions":e.availableActions,"clear-selected-filters":e.clearSelectedFilters,"close-delete-modal":e.closeDeleteModal,"currently-polling":e.currentlyPolling,"delete-all-matching-resources":e.deleteAllMatchingResources,"delete-selected-resources":e.deleteSelectedResources,"filter-changed":e.filterChanged,"force-delete-all-matching-resources":e.forceDeleteAllMatchingResources,"force-delete-selected-resources":e.forceDeleteSelectedResources,"get-resources":a.getResources,"has-filters":e.hasFilters,"have-standalone-actions":e.haveStandaloneActions,lens:r.lens,"is-lens-view":e.isLensView,"per-page-options":e.perPageOptions,"per-page":e.perPage,"pivot-actions":e.pivotActions,"pivot-name":e.pivotName,resources:e.resources,"resource-information":e.resourceInformation,"resource-name":e.resourceName,"restore-all-matching-resources":e.restoreAllMatchingResources,"restore-selected-resources":e.restoreSelectedResources,"current-page-count":e.resources.length,"select-all-checked":e.selectAllChecked,"select-all-matching-checked":e.selectAllMatchingResources,onDeselect:e.clearResourceSelections,"selected-resources":e.selectedResources,"selected-resources-for-action-selector":e.selectedResourcesForActionSelector,"should-show-action-selector":e.shouldShowActionSelector,"should-show-checkboxes":e.shouldShowCheckboxes,"should-show-delete-menu":e.shouldShowDeleteMenu,"should-show-polling-toggle":e.shouldShowPollingToggle,"soft-deletes":e.softDeletes,onStartPolling:e.startPolling,onStopPolling:e.stopPolling,"toggle-select-all-matching":e.toggleSelectAllMatching,"toggle-select-all":e.toggleSelectAll,"toggle-polling":e.togglePolling,"trashed-changed":e.trashedChanged,"trashed-parameter":e.trashedParameter,trashed:e.trashed,"update-per-page-changed":e.updatePerPageChanged,"via-many-to-many":e.viaManyToMany,"via-resource":e.viaResource},null,8,["actions-endpoint","action-query-string","all-matching-resource-count","authorized-to-delete-any-resources","authorized-to-delete-selected-resources","authorized-to-force-delete-any-resources","authorized-to-force-delete-selected-resources","authorized-to-restore-any-resources","authorized-to-restore-selected-resources","available-actions","clear-selected-filters","close-delete-modal","currently-polling","delete-all-matching-resources","delete-selected-resources","filter-changed","force-delete-all-matching-resources","force-delete-selected-resources","get-resources","has-filters","have-standalone-actions","lens","is-lens-view","per-page-options","per-page","pivot-actions","pivot-name","resources","resource-information","resource-name","restore-all-matching-resources","restore-selected-resources","current-page-count","select-all-checked","select-all-matching-checked","onDeselect","selected-resources","selected-resources-for-action-selector","should-show-action-selector","should-show-checkboxes","should-show-delete-menu","should-show-polling-toggle","soft-deletes","onStartPolling","onStopPolling","toggle-select-all-matching","toggle-select-all","toggle-polling","trashed-changed","trashed-parameter","trashed","update-per-page-changed","via-many-to-many","via-resource"]),(0,o.createVNode)(w,{loading:e.loading,variant:e.resourceResponse?"overlay":"default"},{default:(0,o.withCtx)((()=>[null!=e.resourceResponseError?((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,resource:e.resourceInformation,onClick:a.getResources},null,8,["resource","onClick"])):((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:1},[e.resources.length?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,"create-button-label":e.createButtonLabel,"singular-name":e.singularName,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"authorized-to-create":e.authorizedToCreate,"authorized-to-relate":e.authorizedToRelate},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create","authorized-to-relate"])),(0,o.createVNode)(f,{"authorized-to-relate":e.authorizedToRelate,"resource-name":e.resourceName,resources:e.resources,"singular-name":e.singularName,"selected-resources":e.selectedResources,"selected-resource-ids":e.selectedResourceIds,"actions-are-available":a.actionsAreAvailable,"actions-endpoint":a.lensActionEndpoint,"should-show-checkboxes":e.shouldShowCheckboxes,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"update-selection-status":e.updateSelectionStatus,sortable:!0,onOrder:e.orderByField,onResetOrderBy:e.resetOrderBy,onDelete:e.deleteResources,onRestore:e.restoreResources,onActionExecuted:a.getResources,ref:"resourceTable"},null,8,["authorized-to-relate","resource-name","resources","singular-name","selected-resources","selected-resource-ids","actions-are-available","actions-endpoint","should-show-checkboxes","via-resource","via-resource-id","via-relationship","relationship-type","update-selection-status","onOrder","onResetOrderBy","onDelete","onRestore","onActionExecuted"]),(0,o.createVNode)(g,{"pagination-component":e.paginationComponent,"should-show-pagination":e.shouldShowPagination,"has-next-page":e.hasNextPage,"has-previous-page":e.hasPreviousPage,"load-more":a.loadMore,"select-page":e.selectPage,"total-pages":e.totalPages,"current-page":e.currentPage,"per-page":e.perPage,"resource-count-label":e.resourceCountLabel,"current-resource-count":e.currentResourceCount,"all-matching-resource-count":e.allMatchingResourceCount},null,8,["pagination-component","should-show-pagination","has-next-page","has-previous-page","load-more","select-page","total-pages","current-page","per-page","resource-count-label","current-resource-count","all-matching-resource-count"])],64))])),_:1},8,["loading","variant"])])),_:1})])),_:1},8,["loading","dusk"])}],["__file","Lens.vue"]])},props:function(e){for(var t=1;t{"use strict";r.d(t,{c:()=>f});var o=r(74032);const n={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},i={class:"block mb-2",for:"email"},a={class:"mb-6"},s={class:"block mb-2",for:"password"},c={class:"flex mb-6"},d={key:0,class:"ml-auto"},u=["href","textContent"];var h=r(57612),p=r(98240),m=r(10076);const v={name:"LoginPage",layout:h.c,components:{Checkbox:p.c,Button:m.c},data:()=>({form:Nova.form({email:"",password:"",remember:!1})}),methods:{async attempt(){try{const{redirect:e}=await this.form.post(Nova.url("/login"));let t={url:Nova.url("/"),remote:!0};null!=e&&(t={url:e,remote:!0}),Nova.visit(t)}catch(e){500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}}},computed:{supportsPasswordReset:()=>Nova.config("withPasswordReset"),forgotPasswordPath:()=>Nova.config("forgotPasswordPath")}};const f=(0,r(18152).c)(v,[["render",function(e,t,r,h,p,m){const v=(0,o.resolveComponent)("Head"),f=(0,o.resolveComponent)("DividerLine"),g=(0,o.resolveComponent)("HelpText"),w=(0,o.resolveComponent)("Checkbox"),k=(0,o.resolveComponent)("Link"),y=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(v,{title:e.__("Log In")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>m.attempt&&m.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 max-w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",n,(0,o.toDisplayString)(e.__("Welcome Back!")),1),(0,o.createVNode)(f),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",i,(0,o.toDisplayString)(e.__("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.email=t),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("email")}]),id:"email",type:"email",name:"email",autofocus:"",required:""},null,2),[[o.vModelText,e.form.email]]),e.form.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("label",s,(0,o.toDisplayString)(e.__("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=t=>e.form.password=t),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}]),id:"password",type:"password",name:"password",required:""},null,2),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",c,[(0,o.createVNode)(w,{onChange:t[2]||(t[2]=()=>e.form.remember=!e.form.remember),"model-value":e.form.remember,dusk:"remember-button",label:e.__("Remember me")},null,8,["model-value","label"]),m.supportsPasswordReset||!1!==m.forgotPasswordPath?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[!1===m.forgotPasswordPath?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0,href:e.$url("/password/reset"),class:"text-gray-500 font-bold no-underline",textContent:(0,o.toDisplayString)(e.__("Forgot your password?"))},null,8,["href","textContent"])):((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:1,href:m.forgotPasswordPath,class:"text-gray-500 font-bold no-underline",textContent:(0,o.toDisplayString)(e.__("Forgot your password?"))},null,8,u))])):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(y,{class:"w-full flex justify-center",type:"submit",loading:e.form.processing},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Log In")),1)])),_:1},8,["loading"])],32)])}],["__file","Login.vue"]])},45620:(e,t,r)=>{"use strict";r.d(t,{c:()=>i});var o=r(74032);var n=r(63916);const l={name:"Replicate",extends:r(21852).c,props:(0,n.Wk)(["resourceName","resourceId"])};const i=(0,r(18152).c)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(a,{onResourceCreated:e.handleResourceCreated,onCreateCancelled:e.handleCreateCancelled,mode:"form","resource-name":e.resourceName,"from-resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,onUpdateFormStatus:e.onUpdateFormStatus,"should-override-meta":!0,"form-unique-id":e.formUniqueId},null,8,["onResourceCreated","onCreateCancelled","resource-name","from-resource-id","via-resource","via-resource-id","via-relationship","onUpdateFormStatus","form-unique-id"])}],["__file","Replicate.vue"]])},67508:(e,t,r)=>{"use strict";r.d(t,{c:()=>f});var o=r(74032);const n={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},i={class:"block mb-2",for:"email"},a={class:"mb-6"},s={class:"block mb-2",for:"password"},c={class:"mb-6"},d={class:"block mb-2",for:"password_confirmation"};var u=r(11192),h=r.n(u),p=r(57612),m=r(10076);const v={layout:p.c,components:{Button:m.c},props:["email","token"],data(){return{form:Nova.form({email:this.email,password:"",password_confirmation:"",token:this.token})}},methods:{async attempt(){const{message:e}=await this.form.post(Nova.url("/password/reset")),t={url:Nova.url("/"),remote:!0};h().set("token",Math.random().toString(36),{expires:365}),Nova.$toasted.show(e,{action:{onClick:()=>Nova.visit(t),text:this.__("Reload")},duration:null,type:"success"}),setTimeout((()=>Nova.visit(t)),5e3)}}};const f=(0,r(18152).c)(v,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("Head"),v=(0,o.resolveComponent)("DividerLine"),f=(0,o.resolveComponent)("HelpText"),g=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(m,{title:e.__("Reset Password")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>p.attempt&&p.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",n,(0,o.toDisplayString)(e.__("Reset Password")),1),(0,o.createVNode)(v),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",i,(0,o.toDisplayString)(e.__("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=e=>h.form.email=e),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":h.form.errors.has("email")}]),id:"email",type:"email",name:"email",required:"",autofocus:""},null,2),[[o.vModelText,h.form.email]]),h.form.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(h.form.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("label",s,(0,o.toDisplayString)(e.__("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=e=>h.form.password=e),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":h.form.errors.has("password")}]),id:"password",type:"password",name:"password",required:""},null,2),[[o.vModelText,h.form.password]]),h.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(h.form.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("label",d,(0,o.toDisplayString)(e.__("Confirm Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[2]||(t[2]=e=>h.form.password_confirmation=e),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":h.form.errors.has("password_confirmation")}]),id:"password_confirmation",type:"password",name:"password_confirmation",required:""},null,2),[[o.vModelText,h.form.password_confirmation]]),h.form.errors.has("password_confirmation")?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(h.form.errors.first("password_confirmation")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(g,{class:"w-full flex justify-center",type:"submit",loading:h.form.processing},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Reset Password")),1)])),_:1},8,["loading"])],32)])}],["__file","ResetPassword.vue"]])},98594:(e,t,r)=>{"use strict";r.d(t,{c:()=>b});var o=r(74032);var n=r(63916);const l=["data-form-unique-id"],i={class:"mb-8 space-y-4"},a={class:"flex flex-col md:flex-row md:items-center justify-center md:justify-end space-y-2 md:space-y-0 md:space-x-3"};var s=r(94960),c=r.n(s),d=r(44684),u=r.n(d),h=r(48936);function p(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function m(e){for(var t=1;t({relationResponse:null,loading:!0,submittedViaUpdateResourceAndContinueEditing:!1,submittedViaUpdateResource:!1,title:null,fields:[],panels:[],lastRetrievedAt:null}),async created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");if(this.isRelation){const{data:e}=await Nova.request().get(`/nova-api/${this.viaResource}/field/${this.viaRelationship}`,{params:{relatable:!0}});this.relationResponse=e}this.getFields(),this.updateLastRetrievedAtTimestamp(),this.allowLeavingForm()},methods:m(m({},(0,h.ae)(["fetchPolicies"])),{},{handleFileDeleted(){},removeFile(e){const{resourceName:t,resourceId:r}=this;Nova.request().delete(`/nova-api/${t}/${r}/field/${e}`)},handleResourceLoaded(){this.loading=!1,Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:this.resourceId.toString(),mode:"update"})},async getFields(){this.loading=!0,this.panels=[],this.fields=[];const{data:{title:e,panels:t,fields:r}}=await Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/update-fields`,{params:{editing:!0,editMode:"update",viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}}).catch((e=>{404!=e.response.status||Nova.visit("/404")}));this.title=e,this.panels=t,this.fields=r,this.handleResourceLoaded()},async submitViaUpdateResource(e){e.preventDefault(),this.submittedViaUpdateResource=!0,this.submittedViaUpdateResourceAndContinueEditing=!1,this.allowLeavingForm(),await this.updateResource()},async submitViaUpdateResourceAndContinueEditing(e){e.preventDefault(),this.submittedViaUpdateResourceAndContinueEditing=!0,this.submittedViaUpdateResource=!1,this.allowLeavingForm(),await this.updateResource()},cancelUpdatingResource(){this.handleProceedingToPreviousPage(),this.allowLeavingForm(),this.proceedToPreviousPage(this.isRelation?`/resources/${this.viaResource}/${this.viaResourceId}`:`/resources/${this.resourceName}/${this.resourceId}`)},async updateResource(){if(this.isWorking=!0,this.$refs.form.reportValidity())try{const{data:{redirect:e,id:t}}=await this.updateRequest();if(await this.fetchPolicies(),Nova.success(this.__("The :resource was updated!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),Nova.$emit("resource-updated",{resourceName:this.resourceName,resourceId:t}),await this.updateLastRetrievedAtTimestamp(),!this.submittedViaUpdateResource)return void(t!=this.resourceId?Nova.visit(`/resources/${this.resourceName}/${t}/edit`):(window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.getFields(),this.resetErrors(),this.submittedViaUpdateResource=!1,this.submittedViaUpdateResourceAndContinueEditing=!1,this.isWorking=!1));Nova.visit(e)}catch(e){window.scrollTo(0,0),this.submittedViaUpdateResource=!1,this.submittedViaUpdateResourceAndContinueEditing=!1,this.preventLeavingForm(),this.handleOnUpdateResponseError(e)}this.submittedViaUpdateResource=!1,this.submittedViaUpdateResourceAndContinueEditing=!1,this.isWorking=!1},updateRequest(){return Nova.request().post(`/nova-api/${this.resourceName}/${this.resourceId}`,this.updateResourceFormData(),{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,editing:!0,editMode:"update"}})},updateResourceFormData(){return u()(new FormData,(e=>{c()(this.panels,(t=>{c()(t.fields,(t=>{t.fill(e)}))})),e.append("_method","PUT"),e.append("_retrieved_at",this.lastRetrievedAt)}))},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){this.updateFormStatus()}}),computed:{wasSubmittedViaUpdateResourceAndContinueEditing(){return this.isWorking&&this.submittedViaUpdateResourceAndContinueEditing},wasSubmittedViaUpdateResource(){return this.isWorking&&this.submittedViaUpdateResource},singularName(){return this.relationResponse?this.relationResponse.singularLabel:this.resourceInformation.singularLabel},updateButtonLabel(){return this.resourceInformation.updateButtonLabel},isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)}}};var g=r(18152);const w=(0,g.c)(f,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(h,{loading:e.loading},{default:(0,o.withCtx)((()=>[e.resourceInformation&&e.title?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,title:e.__("Update :resource: :title",{resource:e.resourceInformation.singularLabel,title:e.title})},null,8,["title"])):(0,o.createCommentVNode)("",!0),e.panels?((0,o.openBlock)(),(0,o.createElementBlock)("form",{key:1,onSubmit:t[0]||(t[0]=(...e)=>c.submitViaUpdateResource&&c.submitViaUpdateResource(...e)),onChange:t[1]||(t[1]=(...e)=>c.onUpdateFormStatus&&c.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off",ref:"form"},[(0,o.createElementVNode)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.panels,(t=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+t.component),{key:t.id,onUpdateLastRetrievedAtTimestamp:c.updateLastRetrievedAtTimestamp,onFileDeleted:c.handleFileDeleted,onFieldChanged:c.onUpdateFormStatus,onFileUploadStarted:e.handleFileUploadStarted,onFileUploadFinished:e.handleFileUploadFinished,panel:t,name:t.name,"resource-id":e.resourceId,"resource-name":e.resourceName,fields:t.fields,"form-unique-id":e.formUniqueId,mode:"form","validation-errors":e.validationErrors,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"show-help-text":!0},null,40,["onUpdateLastRetrievedAtTimestamp","onFileDeleted","onFieldChanged","onFileUploadStarted","onFileUploadFinished","panel","name","resource-id","resource-name","fields","form-unique-id","validation-errors","via-resource","via-resource-id","via-relationship"])))),128))]),(0,o.createElementVNode)("div",a,[(0,o.createVNode)(u,{dusk:"cancel-update-button",variant:"ghost",label:e.__("Cancel"),onClick:c.cancelUpdatingResource,disabled:e.isWorking},null,8,["label","onClick","disabled"]),(0,o.createVNode)(u,{dusk:"update-and-continue-editing-button",onClick:c.submitViaUpdateResourceAndContinueEditing,disabled:e.isWorking,loading:c.wasSubmittedViaUpdateResourceAndContinueEditing,label:e.__("Update & Continue Editing")},null,8,["onClick","disabled","loading","label"]),(0,o.createVNode)(u,{dusk:"update-button",type:"submit",disabled:e.isWorking,loading:c.wasSubmittedViaUpdateResource,label:c.updateButtonLabel},null,8,["disabled","loading","label"])])],40,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Update.vue"]]);var k=r(79624);const y={name:"Update",components:{ResourceUpdate:w},props:(0,n.Wk)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"]),data:()=>({formUniqueId:(0,k.c)()})},b=(0,g.c)(y,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceUpdate");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":e.resourceName,"resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"form-unique-id":e.formUniqueId},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","form-unique-id"])}],["__file","Update.vue"]])},96842:(e,t,r)=>{"use strict";r.d(t,{c:()=>i});var o=r(74032);var n=r(79624);const l={name:"UpdateAttached",props:{resourceName:{type:String,required:!0},resourceId:{required:!0},relatedResourceName:{type:String,required:!0},relatedResourceId:{required:!0},viaResource:{default:""},viaResourceId:{default:""},parentResource:{type:Object},viaRelationship:{default:""},viaPivotId:{default:null},polymorphic:{default:!1}},data:()=>({formUniqueId:(0,n.c)()})};const i=(0,r(18152).c)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("UpdateAttachedResource");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":r.resourceName,"resource-id":r.resourceId,"related-resource-name":r.relatedResourceName,"related-resource-id":r.relatedResourceId,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"parent-resource":r.parentResource,"via-relationship":r.viaRelationship,"via-pivot-id":r.viaPivotId,polymorphic:r.polymorphic,"form-unique-id":e.formUniqueId},null,8,["resource-name","resource-id","related-resource-name","related-resource-id","via-resource","via-resource-id","parent-resource","via-relationship","via-pivot-id","polymorphic","form-unique-id"])}],["__file","UpdateAttached.vue"]])},21852:(e,t,r)=>{"use strict";r.d(t,{c:()=>c});var o=r(74032);var n=r(63916),l=r(79624);function i(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function a(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={emits:["refresh","create-cancelled","finished-loading"],mixins:[n.mW,n.QX],provide(){return{removeFile:this.removeFile}},props:function(e){for(var t=1;t["modal","form"].includes(e)}},(0,n.Wk)(["resourceName","viaResource","viaResourceId","viaRelationship"])),data:()=>({formUniqueId:(0,l.c)()}),methods:{handleResourceCreated({redirect:e,id:t}){return"form"===this.mode?this.allowLeavingForm():this.allowLeavingModal(),Nova.$emit("resource-created",{resourceName:this.resourceName,resourceId:t}),"form"===this.mode?Nova.visit(e):this.$emit("refresh",{redirect:e,id:t})},handleResourceCreatedAndAddingAnother(){this.disableNavigateBackUsingHistory()},handleCreateCancelled(){return"form"===this.mode?(this.handleProceedingToPreviousPage(),this.allowLeavingForm(),void this.proceedToPreviousPage(this.isRelation?`/resources/${this.viaResource}/${this.viaResourceId}`:`/resources/${this.resourceName}`)):(this.allowLeavingModal(),this.$emit("create-cancelled"))},onUpdateFormStatus(){"form"===this.mode?this.updateFormStatus():this.updateModalStatus()},removeFile(e){}},computed:{isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)}}};const c=(0,r(18152).c)(s,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(a,{onResourceCreated:i.handleResourceCreated,onResourceCreatedAndAddingAnother:i.handleResourceCreatedAndAddingAnother,onCreateCancelled:i.handleCreateCancelled,mode:r.mode,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,onUpdateFormStatus:i.onUpdateFormStatus,onFinishedLoading:t[0]||(t[0]=t=>e.$emit("finished-loading")),"should-override-meta":"form"===r.mode,"form-unique-id":e.formUniqueId},null,8,["onResourceCreated","onResourceCreatedAndAddingAnother","onCreateCancelled","mode","resource-name","via-resource","via-resource-id","via-relationship","onUpdateFormStatus","should-override-meta","form-unique-id"])}],["__file","Create.vue"]])},41976:(e,t,r)=>{var o={"./ActionSelector.vue":77528,"./AppLogo.vue":86148,"./Avatar.vue":19440,"./Backdrop.vue":17392,"./Badges/Badge.vue":29046,"./Badges/CircleBadge.vue":56424,"./BooleanOption.vue":9660,"./Buttons/BasicButton.vue":10672,"./Buttons/ButtonInertiaLink.vue":89052,"./Buttons/CopyButton.vue":16740,"./Buttons/CreateRelationButton.vue":73588,"./Buttons/DefaultButton.vue":15380,"./Buttons/IconButton.vue":11856,"./Buttons/InertiaButton.vue":61888,"./Buttons/InvertedButton.vue":86724,"./Buttons/LinkButton.vue":77512,"./Buttons/OutlineButton.vue":70056,"./Buttons/OutlineButtonInertiaLink.vue":87248,"./Buttons/RemoveButton.vue":36664,"./Buttons/ResourcePollingButton.vue":9320,"./Buttons/ToolbarButton.vue":47776,"./CancelButton.vue":66500,"./Card.vue":76452,"./CardWrapper.vue":94e3,"./Cards.vue":76648,"./Cards/HelpCard.vue":43648,"./Checkbox.vue":92988,"./CheckboxWithLabel.vue":148,"./CollapseButton.vue":75040,"./Controls/MultiSelectControl.vue":57934,"./Controls/SelectControl.vue":96360,"./CreateForm.vue":5156,"./CreateResourceButton.vue":71312,"./DefaultField.vue":44920,"./DeleteButton.vue":96944,"./DeleteMenu.vue":37160,"./DividerLine.vue":54368,"./DropZone/DropZone.vue":60104,"./DropZone/FilePreviewBlock.vue":27112,"./DropZone/SingleDropZone.vue":89536,"./Dropdowns/ActionDropdown.vue":47704,"./Dropdowns/DetailActionDropdown.vue":93940,"./Dropdowns/Dropdown.vue":65362,"./Dropdowns/DropdownMenu.vue":41772,"./Dropdowns/DropdownMenuHeading.vue":49844,"./Dropdowns/DropdownMenuItem.vue":59932,"./Dropdowns/InlineActionDropdown.vue":98732,"./Dropdowns/SelectAllDropdown.vue":53184,"./Dropdowns/ThemeDropdown.vue":59408,"./Excerpt.vue":3944,"./FadeTransition.vue":42576,"./FieldWrapper.vue":81268,"./FilterMenu.vue":53720,"./Filters/BooleanFilter.vue":23800,"./Filters/DateFilter.vue":10408,"./Filters/FilterContainer.vue":38160,"./Filters/SelectFilter.vue":8832,"./FormButton.vue":83840,"./FormLabel.vue":52728,"./GlobalSearch.vue":656,"./Heading.vue":3836,"./HelpText.vue":58278,"./HelpTextTooltip.vue":75130,"./Heroicons/outline/HeroiconsOutlineAcademicCap.vue":70272,"./Heroicons/outline/HeroiconsOutlineAdjustments.vue":78880,"./Heroicons/outline/HeroiconsOutlineAnnotation.vue":9584,"./Heroicons/outline/HeroiconsOutlineArchive.vue":91104,"./Heroicons/outline/HeroiconsOutlineArrowCircleDown.vue":50228,"./Heroicons/outline/HeroiconsOutlineArrowCircleLeft.vue":35340,"./Heroicons/outline/HeroiconsOutlineArrowCircleRight.vue":69680,"./Heroicons/outline/HeroiconsOutlineArrowCircleUp.vue":45900,"./Heroicons/outline/HeroiconsOutlineArrowDown.vue":31160,"./Heroicons/outline/HeroiconsOutlineArrowLeft.vue":58780,"./Heroicons/outline/HeroiconsOutlineArrowNarrowDown.vue":86112,"./Heroicons/outline/HeroiconsOutlineArrowNarrowLeft.vue":87688,"./Heroicons/outline/HeroiconsOutlineArrowNarrowRight.vue":42600,"./Heroicons/outline/HeroiconsOutlineArrowNarrowUp.vue":38374,"./Heroicons/outline/HeroiconsOutlineArrowRight.vue":61736,"./Heroicons/outline/HeroiconsOutlineArrowUp.vue":6184,"./Heroicons/outline/HeroiconsOutlineArrowsExpand.vue":32976,"./Heroicons/outline/HeroiconsOutlineAtSymbol.vue":95868,"./Heroicons/outline/HeroiconsOutlineBackspace.vue":66832,"./Heroicons/outline/HeroiconsOutlineBadgeCheck.vue":72644,"./Heroicons/outline/HeroiconsOutlineBan.vue":27024,"./Heroicons/outline/HeroiconsOutlineBeaker.vue":5288,"./Heroicons/outline/HeroiconsOutlineBell.vue":9864,"./Heroicons/outline/HeroiconsOutlineBookOpen.vue":87588,"./Heroicons/outline/HeroiconsOutlineBookmark.vue":3328,"./Heroicons/outline/HeroiconsOutlineBookmarkAlt.vue":82812,"./Heroicons/outline/HeroiconsOutlineBriefcase.vue":81136,"./Heroicons/outline/HeroiconsOutlineCake.vue":4048,"./Heroicons/outline/HeroiconsOutlineCalculator.vue":63688,"./Heroicons/outline/HeroiconsOutlineCalendar.vue":83376,"./Heroicons/outline/HeroiconsOutlineCamera.vue":98861,"./Heroicons/outline/HeroiconsOutlineCash.vue":34252,"./Heroicons/outline/HeroiconsOutlineChartBar.vue":85584,"./Heroicons/outline/HeroiconsOutlineChartPie.vue":85400,"./Heroicons/outline/HeroiconsOutlineChartSquareBar.vue":99400,"./Heroicons/outline/HeroiconsOutlineChat.vue":43588,"./Heroicons/outline/HeroiconsOutlineChatAlt.vue":97748,"./Heroicons/outline/HeroiconsOutlineChatAlt2.vue":32420,"./Heroicons/outline/HeroiconsOutlineCheck.vue":91428,"./Heroicons/outline/HeroiconsOutlineCheckCircle.vue":29996,"./Heroicons/outline/HeroiconsOutlineChevronDoubleDown.vue":11872,"./Heroicons/outline/HeroiconsOutlineChevronDoubleLeft.vue":5408,"./Heroicons/outline/HeroiconsOutlineChevronDoubleRight.vue":15212,"./Heroicons/outline/HeroiconsOutlineChevronDoubleUp.vue":23996,"./Heroicons/outline/HeroiconsOutlineChevronDown.vue":52156,"./Heroicons/outline/HeroiconsOutlineChevronLeft.vue":19612,"./Heroicons/outline/HeroiconsOutlineChevronRight.vue":28620,"./Heroicons/outline/HeroiconsOutlineChevronUp.vue":53144,"./Heroicons/outline/HeroiconsOutlineChip.vue":9512,"./Heroicons/outline/HeroiconsOutlineClipboard.vue":42208,"./Heroicons/outline/HeroiconsOutlineClipboardCheck.vue":62716,"./Heroicons/outline/HeroiconsOutlineClipboardCopy.vue":42652,"./Heroicons/outline/HeroiconsOutlineClipboardList.vue":7652,"./Heroicons/outline/HeroiconsOutlineClock.vue":96120,"./Heroicons/outline/HeroiconsOutlineCloud.vue":13719,"./Heroicons/outline/HeroiconsOutlineCloudDownload.vue":12268,"./Heroicons/outline/HeroiconsOutlineCloudUpload.vue":55748,"./Heroicons/outline/HeroiconsOutlineCode.vue":13560,"./Heroicons/outline/HeroiconsOutlineCog.vue":37884,"./Heroicons/outline/HeroiconsOutlineCollection.vue":91888,"./Heroicons/outline/HeroiconsOutlineColorSwatch.vue":52628,"./Heroicons/outline/HeroiconsOutlineCreditCard.vue":2120,"./Heroicons/outline/HeroiconsOutlineCube.vue":26684,"./Heroicons/outline/HeroiconsOutlineCubeTransparent.vue":5696,"./Heroicons/outline/HeroiconsOutlineCurrencyBangladeshi.vue":72604,"./Heroicons/outline/HeroiconsOutlineCurrencyDollar.vue":93336,"./Heroicons/outline/HeroiconsOutlineCurrencyEuro.vue":87752,"./Heroicons/outline/HeroiconsOutlineCurrencyPound.vue":40096,"./Heroicons/outline/HeroiconsOutlineCurrencyRupee.vue":7818,"./Heroicons/outline/HeroiconsOutlineCurrencyYen.vue":91200,"./Heroicons/outline/HeroiconsOutlineCursorClick.vue":23544,"./Heroicons/outline/HeroiconsOutlineDatabase.vue":60830,"./Heroicons/outline/HeroiconsOutlineDesktopComputer.vue":28164,"./Heroicons/outline/HeroiconsOutlineDeviceMobile.vue":34580,"./Heroicons/outline/HeroiconsOutlineDeviceTablet.vue":22500,"./Heroicons/outline/HeroiconsOutlineDocument.vue":51728,"./Heroicons/outline/HeroiconsOutlineDocumentAdd.vue":10924,"./Heroicons/outline/HeroiconsOutlineDocumentDownload.vue":7868,"./Heroicons/outline/HeroiconsOutlineDocumentDuplicate.vue":18224,"./Heroicons/outline/HeroiconsOutlineDocumentRemove.vue":31412,"./Heroicons/outline/HeroiconsOutlineDocumentReport.vue":96668,"./Heroicons/outline/HeroiconsOutlineDocumentSearch.vue":64528,"./Heroicons/outline/HeroiconsOutlineDocumentText.vue":68e3,"./Heroicons/outline/HeroiconsOutlineDotsCircleHorizontal.vue":95656,"./Heroicons/outline/HeroiconsOutlineDotsHorizontal.vue":56108,"./Heroicons/outline/HeroiconsOutlineDotsVertical.vue":28732,"./Heroicons/outline/HeroiconsOutlineDownload.vue":5760,"./Heroicons/outline/HeroiconsOutlineDuplicate.vue":93420,"./Heroicons/outline/HeroiconsOutlineEmojiHappy.vue":86864,"./Heroicons/outline/HeroiconsOutlineEmojiSad.vue":43604,"./Heroicons/outline/HeroiconsOutlineExclamation.vue":32096,"./Heroicons/outline/HeroiconsOutlineExclamationCircle.vue":98760,"./Heroicons/outline/HeroiconsOutlineExternalLink.vue":16532,"./Heroicons/outline/HeroiconsOutlineEye.vue":38668,"./Heroicons/outline/HeroiconsOutlineEyeOff.vue":12960,"./Heroicons/outline/HeroiconsOutlineFastForward.vue":90203,"./Heroicons/outline/HeroiconsOutlineFilm.vue":24664,"./Heroicons/outline/HeroiconsOutlineFilter.vue":43304,"./Heroicons/outline/HeroiconsOutlineFingerPrint.vue":47072,"./Heroicons/outline/HeroiconsOutlineFire.vue":22346,"./Heroicons/outline/HeroiconsOutlineFlag.vue":81856,"./Heroicons/outline/HeroiconsOutlineFolder.vue":71864,"./Heroicons/outline/HeroiconsOutlineFolderAdd.vue":24604,"./Heroicons/outline/HeroiconsOutlineFolderDownload.vue":15028,"./Heroicons/outline/HeroiconsOutlineFolderOpen.vue":79992,"./Heroicons/outline/HeroiconsOutlineFolderRemove.vue":6264,"./Heroicons/outline/HeroiconsOutlineGift.vue":94504,"./Heroicons/outline/HeroiconsOutlineGlobe.vue":91236,"./Heroicons/outline/HeroiconsOutlineGlobeAlt.vue":83280,"./Heroicons/outline/HeroiconsOutlineHand.vue":77096,"./Heroicons/outline/HeroiconsOutlineHashtag.vue":47588,"./Heroicons/outline/HeroiconsOutlineHeart.vue":54208,"./Heroicons/outline/HeroiconsOutlineHome.vue":34828,"./Heroicons/outline/HeroiconsOutlineIdentification.vue":87560,"./Heroicons/outline/HeroiconsOutlineInbox.vue":48060,"./Heroicons/outline/HeroiconsOutlineInboxIn.vue":87832,"./Heroicons/outline/HeroiconsOutlineInformationCircle.vue":52540,"./Heroicons/outline/HeroiconsOutlineKey.vue":76880,"./Heroicons/outline/HeroiconsOutlineLibrary.vue":25516,"./Heroicons/outline/HeroiconsOutlineLightBulb.vue":8880,"./Heroicons/outline/HeroiconsOutlineLightningBolt.vue":71720,"./Heroicons/outline/HeroiconsOutlineLink.vue":78132,"./Heroicons/outline/HeroiconsOutlineLocationMarker.vue":7328,"./Heroicons/outline/HeroiconsOutlineLockClosed.vue":27744,"./Heroicons/outline/HeroiconsOutlineLockOpen.vue":39904,"./Heroicons/outline/HeroiconsOutlineLogin.vue":25385,"./Heroicons/outline/HeroiconsOutlineLogout.vue":21100,"./Heroicons/outline/HeroiconsOutlineMail.vue":43276,"./Heroicons/outline/HeroiconsOutlineMailOpen.vue":93312,"./Heroicons/outline/HeroiconsOutlineMap.vue":17796,"./Heroicons/outline/HeroiconsOutlineMenu.vue":57416,"./Heroicons/outline/HeroiconsOutlineMenuAlt1.vue":92728,"./Heroicons/outline/HeroiconsOutlineMenuAlt2.vue":51355,"./Heroicons/outline/HeroiconsOutlineMenuAlt3.vue":60100,"./Heroicons/outline/HeroiconsOutlineMenuAlt4.vue":51320,"./Heroicons/outline/HeroiconsOutlineMicrophone.vue":57856,"./Heroicons/outline/HeroiconsOutlineMinus.vue":26276,"./Heroicons/outline/HeroiconsOutlineMinusCircle.vue":12576,"./Heroicons/outline/HeroiconsOutlineMoon.vue":36500,"./Heroicons/outline/HeroiconsOutlineMusicNote.vue":37728,"./Heroicons/outline/HeroiconsOutlineNewspaper.vue":55184,"./Heroicons/outline/HeroiconsOutlineOfficeBuilding.vue":46056,"./Heroicons/outline/HeroiconsOutlinePaperAirplane.vue":9272,"./Heroicons/outline/HeroiconsOutlinePaperClip.vue":69572,"./Heroicons/outline/HeroiconsOutlinePause.vue":86956,"./Heroicons/outline/HeroiconsOutlinePencil.vue":24963,"./Heroicons/outline/HeroiconsOutlinePencilAlt.vue":62456,"./Heroicons/outline/HeroiconsOutlinePhone.vue":44376,"./Heroicons/outline/HeroiconsOutlinePhoneIncoming.vue":75020,"./Heroicons/outline/HeroiconsOutlinePhoneMissedCall.vue":35300,"./Heroicons/outline/HeroiconsOutlinePhoneOutgoing.vue":80232,"./Heroicons/outline/HeroiconsOutlinePhotograph.vue":1064,"./Heroicons/outline/HeroiconsOutlinePlay.vue":68992,"./Heroicons/outline/HeroiconsOutlinePlus.vue":22184,"./Heroicons/outline/HeroiconsOutlinePlusCircle.vue":25600,"./Heroicons/outline/HeroiconsOutlinePresentationChartBar.vue":39064,"./Heroicons/outline/HeroiconsOutlinePresentationChartLine.vue":65208,"./Heroicons/outline/HeroiconsOutlinePrinter.vue":48924,"./Heroicons/outline/HeroiconsOutlinePuzzle.vue":5808,"./Heroicons/outline/HeroiconsOutlineQrcode.vue":47296,"./Heroicons/outline/HeroiconsOutlineQuestionMarkCircle.vue":95438,"./Heroicons/outline/HeroiconsOutlineReceiptRefund.vue":82514,"./Heroicons/outline/HeroiconsOutlineReceiptTax.vue":26220,"./Heroicons/outline/HeroiconsOutlineRefresh.vue":8652,"./Heroicons/outline/HeroiconsOutlineReply.vue":83632,"./Heroicons/outline/HeroiconsOutlineRewind.vue":19584,"./Heroicons/outline/HeroiconsOutlineRss.vue":10912,"./Heroicons/outline/HeroiconsOutlineSave.vue":42920,"./Heroicons/outline/HeroiconsOutlineSaveAs.vue":42700,"./Heroicons/outline/HeroiconsOutlineScale.vue":71620,"./Heroicons/outline/HeroiconsOutlineScissors.vue":38848,"./Heroicons/outline/HeroiconsOutlineSearch.vue":43624,"./Heroicons/outline/HeroiconsOutlineSearchCircle.vue":25016,"./Heroicons/outline/HeroiconsOutlineSelector.vue":90233,"./Heroicons/outline/HeroiconsOutlineServer.vue":87365,"./Heroicons/outline/HeroiconsOutlineShare.vue":38176,"./Heroicons/outline/HeroiconsOutlineShieldCheck.vue":14055,"./Heroicons/outline/HeroiconsOutlineShieldExclamation.vue":72228,"./Heroicons/outline/HeroiconsOutlineShoppingBag.vue":3212,"./Heroicons/outline/HeroiconsOutlineShoppingCart.vue":89606,"./Heroicons/outline/HeroiconsOutlineSortAscending.vue":51352,"./Heroicons/outline/HeroiconsOutlineSortDescending.vue":14200,"./Heroicons/outline/HeroiconsOutlineSparkles.vue":77068,"./Heroicons/outline/HeroiconsOutlineSpeakerphone.vue":31881,"./Heroicons/outline/HeroiconsOutlineStar.vue":51828,"./Heroicons/outline/HeroiconsOutlineStatusOffline.vue":6544,"./Heroicons/outline/HeroiconsOutlineStatusOnline.vue":63124,"./Heroicons/outline/HeroiconsOutlineStop.vue":6836,"./Heroicons/outline/HeroiconsOutlineSun.vue":12064,"./Heroicons/outline/HeroiconsOutlineSupport.vue":27404,"./Heroicons/outline/HeroiconsOutlineSwitchHorizontal.vue":21468,"./Heroicons/outline/HeroiconsOutlineSwitchVertical.vue":95352,"./Heroicons/outline/HeroiconsOutlineTable.vue":61960,"./Heroicons/outline/HeroiconsOutlineTag.vue":26e3,"./Heroicons/outline/HeroiconsOutlineTemplate.vue":37368,"./Heroicons/outline/HeroiconsOutlineTerminal.vue":79134,"./Heroicons/outline/HeroiconsOutlineThumbDown.vue":67856,"./Heroicons/outline/HeroiconsOutlineThumbUp.vue":29192,"./Heroicons/outline/HeroiconsOutlineTicket.vue":66687,"./Heroicons/outline/HeroiconsOutlineTranslate.vue":18804,"./Heroicons/outline/HeroiconsOutlineTrash.vue":92536,"./Heroicons/outline/HeroiconsOutlineTrendingDown.vue":340,"./Heroicons/outline/HeroiconsOutlineTrendingUp.vue":89592,"./Heroicons/outline/HeroiconsOutlineTruck.vue":6904,"./Heroicons/outline/HeroiconsOutlineUpload.vue":70524,"./Heroicons/outline/HeroiconsOutlineUser.vue":53232,"./Heroicons/outline/HeroiconsOutlineUserAdd.vue":52536,"./Heroicons/outline/HeroiconsOutlineUserCircle.vue":19416,"./Heroicons/outline/HeroiconsOutlineUserGroup.vue":46352,"./Heroicons/outline/HeroiconsOutlineUserRemove.vue":74966,"./Heroicons/outline/HeroiconsOutlineUsers.vue":64868,"./Heroicons/outline/HeroiconsOutlineVariable.vue":59956,"./Heroicons/outline/HeroiconsOutlineVideoCamera.vue":8448,"./Heroicons/outline/HeroiconsOutlineViewBoards.vue":78076,"./Heroicons/outline/HeroiconsOutlineViewGrid.vue":51992,"./Heroicons/outline/HeroiconsOutlineViewGridAdd.vue":3172,"./Heroicons/outline/HeroiconsOutlineViewList.vue":69340,"./Heroicons/outline/HeroiconsOutlineVolumeOff.vue":87712,"./Heroicons/outline/HeroiconsOutlineVolumeUp.vue":22847,"./Heroicons/outline/HeroiconsOutlineWifi.vue":84408,"./Heroicons/outline/HeroiconsOutlineX.vue":77480,"./Heroicons/outline/HeroiconsOutlineXCircle.vue":68472,"./Heroicons/outline/HeroiconsOutlineZoomIn.vue":37460,"./Heroicons/outline/HeroiconsOutlineZoomOut.vue":61450,"./Heroicons/solid/HeroiconsSolidAcademicCap.vue":5164,"./Heroicons/solid/HeroiconsSolidAdjustments.vue":22960,"./Heroicons/solid/HeroiconsSolidAnnotation.vue":85903,"./Heroicons/solid/HeroiconsSolidArchive.vue":7924,"./Heroicons/solid/HeroiconsSolidArrowCircleDown.vue":93540,"./Heroicons/solid/HeroiconsSolidArrowCircleLeft.vue":25896,"./Heroicons/solid/HeroiconsSolidArrowCircleRight.vue":26412,"./Heroicons/solid/HeroiconsSolidArrowCircleUp.vue":812,"./Heroicons/solid/HeroiconsSolidArrowDown.vue":16880,"./Heroicons/solid/HeroiconsSolidArrowLeft.vue":91336,"./Heroicons/solid/HeroiconsSolidArrowNarrowDown.vue":6080,"./Heroicons/solid/HeroiconsSolidArrowNarrowLeft.vue":83812,"./Heroicons/solid/HeroiconsSolidArrowNarrowRight.vue":22176,"./Heroicons/solid/HeroiconsSolidArrowNarrowUp.vue":16108,"./Heroicons/solid/HeroiconsSolidArrowRight.vue":69908,"./Heroicons/solid/HeroiconsSolidArrowUp.vue":66188,"./Heroicons/solid/HeroiconsSolidArrowsExpand.vue":80224,"./Heroicons/solid/HeroiconsSolidAtSymbol.vue":20572,"./Heroicons/solid/HeroiconsSolidBackspace.vue":71872,"./Heroicons/solid/HeroiconsSolidBadgeCheck.vue":65080,"./Heroicons/solid/HeroiconsSolidBan.vue":64240,"./Heroicons/solid/HeroiconsSolidBeaker.vue":54848,"./Heroicons/solid/HeroiconsSolidBell.vue":95888,"./Heroicons/solid/HeroiconsSolidBookOpen.vue":86928,"./Heroicons/solid/HeroiconsSolidBookmark.vue":97856,"./Heroicons/solid/HeroiconsSolidBookmarkAlt.vue":40952,"./Heroicons/solid/HeroiconsSolidBriefcase.vue":86576,"./Heroicons/solid/HeroiconsSolidCake.vue":21284,"./Heroicons/solid/HeroiconsSolidCalculator.vue":45836,"./Heroicons/solid/HeroiconsSolidCalendar.vue":44144,"./Heroicons/solid/HeroiconsSolidCamera.vue":8270,"./Heroicons/solid/HeroiconsSolidCash.vue":30852,"./Heroicons/solid/HeroiconsSolidChartBar.vue":23060,"./Heroicons/solid/HeroiconsSolidChartPie.vue":72500,"./Heroicons/solid/HeroiconsSolidChartSquareBar.vue":5204,"./Heroicons/solid/HeroiconsSolidChat.vue":71092,"./Heroicons/solid/HeroiconsSolidChatAlt.vue":35380,"./Heroicons/solid/HeroiconsSolidChatAlt2.vue":75272,"./Heroicons/solid/HeroiconsSolidCheck.vue":44444,"./Heroicons/solid/HeroiconsSolidCheckCircle.vue":98276,"./Heroicons/solid/HeroiconsSolidChevronDoubleDown.vue":58512,"./Heroicons/solid/HeroiconsSolidChevronDoubleLeft.vue":25740,"./Heroicons/solid/HeroiconsSolidChevronDoubleRight.vue":30612,"./Heroicons/solid/HeroiconsSolidChevronDoubleUp.vue":73280,"./Heroicons/solid/HeroiconsSolidChevronDown.vue":236,"./Heroicons/solid/HeroiconsSolidChevronLeft.vue":14132,"./Heroicons/solid/HeroiconsSolidChevronRight.vue":22644,"./Heroicons/solid/HeroiconsSolidChevronUp.vue":2330,"./Heroicons/solid/HeroiconsSolidChip.vue":9452,"./Heroicons/solid/HeroiconsSolidClipboard.vue":88346,"./Heroicons/solid/HeroiconsSolidClipboardCheck.vue":68888,"./Heroicons/solid/HeroiconsSolidClipboardCopy.vue":24620,"./Heroicons/solid/HeroiconsSolidClipboardList.vue":58020,"./Heroicons/solid/HeroiconsSolidClock.vue":72344,"./Heroicons/solid/HeroiconsSolidCloud.vue":64604,"./Heroicons/solid/HeroiconsSolidCloudDownload.vue":71859,"./Heroicons/solid/HeroiconsSolidCloudUpload.vue":98840,"./Heroicons/solid/HeroiconsSolidCode.vue":99368,"./Heroicons/solid/HeroiconsSolidCog.vue":78300,"./Heroicons/solid/HeroiconsSolidCollection.vue":63760,"./Heroicons/solid/HeroiconsSolidColorSwatch.vue":93404,"./Heroicons/solid/HeroiconsSolidCreditCard.vue":59778,"./Heroicons/solid/HeroiconsSolidCube.vue":42064,"./Heroicons/solid/HeroiconsSolidCubeTransparent.vue":22776,"./Heroicons/solid/HeroiconsSolidCurrencyBangladeshi.vue":68020,"./Heroicons/solid/HeroiconsSolidCurrencyDollar.vue":81368,"./Heroicons/solid/HeroiconsSolidCurrencyEuro.vue":32600,"./Heroicons/solid/HeroiconsSolidCurrencyPound.vue":60952,"./Heroicons/solid/HeroiconsSolidCurrencyRupee.vue":64646,"./Heroicons/solid/HeroiconsSolidCurrencyYen.vue":82314,"./Heroicons/solid/HeroiconsSolidCursorClick.vue":85200,"./Heroicons/solid/HeroiconsSolidDatabase.vue":38924,"./Heroicons/solid/HeroiconsSolidDesktopComputer.vue":46360,"./Heroicons/solid/HeroiconsSolidDeviceMobile.vue":23604,"./Heroicons/solid/HeroiconsSolidDeviceTablet.vue":26208,"./Heroicons/solid/HeroiconsSolidDocument.vue":53256,"./Heroicons/solid/HeroiconsSolidDocumentAdd.vue":90532,"./Heroicons/solid/HeroiconsSolidDocumentDownload.vue":87992,"./Heroicons/solid/HeroiconsSolidDocumentDuplicate.vue":45608,"./Heroicons/solid/HeroiconsSolidDocumentRemove.vue":25208,"./Heroicons/solid/HeroiconsSolidDocumentReport.vue":88444,"./Heroicons/solid/HeroiconsSolidDocumentSearch.vue":86632,"./Heroicons/solid/HeroiconsSolidDocumentText.vue":71316,"./Heroicons/solid/HeroiconsSolidDotsCircleHorizontal.vue":45408,"./Heroicons/solid/HeroiconsSolidDotsHorizontal.vue":35576,"./Heroicons/solid/HeroiconsSolidDotsVertical.vue":54632,"./Heroicons/solid/HeroiconsSolidDownload.vue":17749,"./Heroicons/solid/HeroiconsSolidDuplicate.vue":15460,"./Heroicons/solid/HeroiconsSolidEmojiHappy.vue":89096,"./Heroicons/solid/HeroiconsSolidEmojiSad.vue":48440,"./Heroicons/solid/HeroiconsSolidExclamation.vue":56252,"./Heroicons/solid/HeroiconsSolidExclamationCircle.vue":90552,"./Heroicons/solid/HeroiconsSolidExternalLink.vue":9694,"./Heroicons/solid/HeroiconsSolidEye.vue":76104,"./Heroicons/solid/HeroiconsSolidEyeOff.vue":46084,"./Heroicons/solid/HeroiconsSolidFastForward.vue":53036,"./Heroicons/solid/HeroiconsSolidFilm.vue":8208,"./Heroicons/solid/HeroiconsSolidFilter.vue":43800,"./Heroicons/solid/HeroiconsSolidFingerPrint.vue":31032,"./Heroicons/solid/HeroiconsSolidFire.vue":5680,"./Heroicons/solid/HeroiconsSolidFlag.vue":29768,"./Heroicons/solid/HeroiconsSolidFolder.vue":18828,"./Heroicons/solid/HeroiconsSolidFolderAdd.vue":66036,"./Heroicons/solid/HeroiconsSolidFolderDownload.vue":19608,"./Heroicons/solid/HeroiconsSolidFolderOpen.vue":65996,"./Heroicons/solid/HeroiconsSolidFolderRemove.vue":24352,"./Heroicons/solid/HeroiconsSolidGift.vue":50812,"./Heroicons/solid/HeroiconsSolidGlobe.vue":15152,"./Heroicons/solid/HeroiconsSolidGlobeAlt.vue":31388,"./Heroicons/solid/HeroiconsSolidHand.vue":89896,"./Heroicons/solid/HeroiconsSolidHashtag.vue":37496,"./Heroicons/solid/HeroiconsSolidHeart.vue":84108,"./Heroicons/solid/HeroiconsSolidHome.vue":47208,"./Heroicons/solid/HeroiconsSolidIdentification.vue":16168,"./Heroicons/solid/HeroiconsSolidInbox.vue":91288,"./Heroicons/solid/HeroiconsSolidInboxIn.vue":93064,"./Heroicons/solid/HeroiconsSolidInformationCircle.vue":79692,"./Heroicons/solid/HeroiconsSolidKey.vue":33060,"./Heroicons/solid/HeroiconsSolidLibrary.vue":85384,"./Heroicons/solid/HeroiconsSolidLightBulb.vue":27248,"./Heroicons/solid/HeroiconsSolidLightningBolt.vue":44556,"./Heroicons/solid/HeroiconsSolidLink.vue":37664,"./Heroicons/solid/HeroiconsSolidLocationMarker.vue":64412,"./Heroicons/solid/HeroiconsSolidLockClosed.vue":72544,"./Heroicons/solid/HeroiconsSolidLockOpen.vue":75268,"./Heroicons/solid/HeroiconsSolidLogin.vue":33927,"./Heroicons/solid/HeroiconsSolidLogout.vue":7620,"./Heroicons/solid/HeroiconsSolidMail.vue":26828,"./Heroicons/solid/HeroiconsSolidMailOpen.vue":69384,"./Heroicons/solid/HeroiconsSolidMap.vue":83598,"./Heroicons/solid/HeroiconsSolidMenu.vue":32828,"./Heroicons/solid/HeroiconsSolidMenuAlt1.vue":45580,"./Heroicons/solid/HeroiconsSolidMenuAlt2.vue":93208,"./Heroicons/solid/HeroiconsSolidMenuAlt3.vue":30140,"./Heroicons/solid/HeroiconsSolidMenuAlt4.vue":35248,"./Heroicons/solid/HeroiconsSolidMicrophone.vue":50520,"./Heroicons/solid/HeroiconsSolidMinus.vue":4028,"./Heroicons/solid/HeroiconsSolidMinusCircle.vue":1188,"./Heroicons/solid/HeroiconsSolidMoon.vue":54820,"./Heroicons/solid/HeroiconsSolidMusicNote.vue":47356,"./Heroicons/solid/HeroiconsSolidNewspaper.vue":92195,"./Heroicons/solid/HeroiconsSolidOfficeBuilding.vue":34460,"./Heroicons/solid/HeroiconsSolidPaperAirplane.vue":27936,"./Heroicons/solid/HeroiconsSolidPaperClip.vue":63412,"./Heroicons/solid/HeroiconsSolidPause.vue":89840,"./Heroicons/solid/HeroiconsSolidPencil.vue":78253,"./Heroicons/solid/HeroiconsSolidPencilAlt.vue":84496,"./Heroicons/solid/HeroiconsSolidPhone.vue":91964,"./Heroicons/solid/HeroiconsSolidPhoneIncoming.vue":35264,"./Heroicons/solid/HeroiconsSolidPhoneMissedCall.vue":25536,"./Heroicons/solid/HeroiconsSolidPhoneOutgoing.vue":95424,"./Heroicons/solid/HeroiconsSolidPhotograph.vue":33252,"./Heroicons/solid/HeroiconsSolidPlay.vue":71052,"./Heroicons/solid/HeroiconsSolidPlus.vue":72196,"./Heroicons/solid/HeroiconsSolidPlusCircle.vue":41144,"./Heroicons/solid/HeroiconsSolidPresentationChartBar.vue":40068,"./Heroicons/solid/HeroiconsSolidPresentationChartLine.vue":59112,"./Heroicons/solid/HeroiconsSolidPrinter.vue":38112,"./Heroicons/solid/HeroiconsSolidPuzzle.vue":83332,"./Heroicons/solid/HeroiconsSolidQrcode.vue":49748,"./Heroicons/solid/HeroiconsSolidQuestionMarkCircle.vue":89160,"./Heroicons/solid/HeroiconsSolidReceiptRefund.vue":86280,"./Heroicons/solid/HeroiconsSolidReceiptTax.vue":24192,"./Heroicons/solid/HeroiconsSolidRefresh.vue":90720,"./Heroicons/solid/HeroiconsSolidReply.vue":88376,"./Heroicons/solid/HeroiconsSolidRewind.vue":46324,"./Heroicons/solid/HeroiconsSolidRss.vue":59472,"./Heroicons/solid/HeroiconsSolidSave.vue":12800,"./Heroicons/solid/HeroiconsSolidSaveAs.vue":11727,"./Heroicons/solid/HeroiconsSolidScale.vue":70208,"./Heroicons/solid/HeroiconsSolidScissors.vue":98968,"./Heroicons/solid/HeroiconsSolidSearch.vue":44662,"./Heroicons/solid/HeroiconsSolidSearchCircle.vue":76608,"./Heroicons/solid/HeroiconsSolidSelector.vue":11368,"./Heroicons/solid/HeroiconsSolidServer.vue":56912,"./Heroicons/solid/HeroiconsSolidShare.vue":65040,"./Heroicons/solid/HeroiconsSolidShieldCheck.vue":14668,"./Heroicons/solid/HeroiconsSolidShieldExclamation.vue":15032,"./Heroicons/solid/HeroiconsSolidShoppingBag.vue":25072,"./Heroicons/solid/HeroiconsSolidShoppingCart.vue":95528,"./Heroicons/solid/HeroiconsSolidSortAscending.vue":49988,"./Heroicons/solid/HeroiconsSolidSortDescending.vue":49324,"./Heroicons/solid/HeroiconsSolidSparkles.vue":32716,"./Heroicons/solid/HeroiconsSolidSpeakerphone.vue":93796,"./Heroicons/solid/HeroiconsSolidStar.vue":86532,"./Heroicons/solid/HeroiconsSolidStatusOffline.vue":93134,"./Heroicons/solid/HeroiconsSolidStatusOnline.vue":73800,"./Heroicons/solid/HeroiconsSolidStop.vue":43081,"./Heroicons/solid/HeroiconsSolidSun.vue":10880,"./Heroicons/solid/HeroiconsSolidSupport.vue":11112,"./Heroicons/solid/HeroiconsSolidSwitchHorizontal.vue":74748,"./Heroicons/solid/HeroiconsSolidSwitchVertical.vue":94332,"./Heroicons/solid/HeroiconsSolidTable.vue":39880,"./Heroicons/solid/HeroiconsSolidTag.vue":81256,"./Heroicons/solid/HeroiconsSolidTemplate.vue":86776,"./Heroicons/solid/HeroiconsSolidTerminal.vue":14908,"./Heroicons/solid/HeroiconsSolidThumbDown.vue":18912,"./Heroicons/solid/HeroiconsSolidThumbUp.vue":16384,"./Heroicons/solid/HeroiconsSolidTicket.vue":13518,"./Heroicons/solid/HeroiconsSolidTranslate.vue":35660,"./Heroicons/solid/HeroiconsSolidTrash.vue":65388,"./Heroicons/solid/HeroiconsSolidTrendingDown.vue":96148,"./Heroicons/solid/HeroiconsSolidTrendingUp.vue":47860,"./Heroicons/solid/HeroiconsSolidTruck.vue":85340,"./Heroicons/solid/HeroiconsSolidUpload.vue":47464,"./Heroicons/solid/HeroiconsSolidUser.vue":56936,"./Heroicons/solid/HeroiconsSolidUserAdd.vue":12032,"./Heroicons/solid/HeroiconsSolidUserCircle.vue":22516,"./Heroicons/solid/HeroiconsSolidUserGroup.vue":11948,"./Heroicons/solid/HeroiconsSolidUserRemove.vue":51804,"./Heroicons/solid/HeroiconsSolidUsers.vue":57192,"./Heroicons/solid/HeroiconsSolidVariable.vue":83859,"./Heroicons/solid/HeroiconsSolidVideoCamera.vue":25456,"./Heroicons/solid/HeroiconsSolidViewBoards.vue":12872,"./Heroicons/solid/HeroiconsSolidViewGrid.vue":58368,"./Heroicons/solid/HeroiconsSolidViewGridAdd.vue":13526,"./Heroicons/solid/HeroiconsSolidViewList.vue":29552,"./Heroicons/solid/HeroiconsSolidVolumeOff.vue":81752,"./Heroicons/solid/HeroiconsSolidVolumeUp.vue":7244,"./Heroicons/solid/HeroiconsSolidWifi.vue":64720,"./Heroicons/solid/HeroiconsSolidX.vue":24392,"./Heroicons/solid/HeroiconsSolidXCircle.vue":5172,"./Heroicons/solid/HeroiconsSolidZoomIn.vue":87420,"./Heroicons/solid/HeroiconsSolidZoomOut.vue":24440,"./IconBooleanOption.vue":56528,"./Icons/CopyIcon.vue":1036,"./Icons/Editor/IconBold.vue":74396,"./Icons/Editor/IconFullScreen.vue":35052,"./Icons/Editor/IconImage.vue":10560,"./Icons/Editor/IconItalic.vue":67236,"./Icons/Editor/IconLink.vue":90784,"./Icons/ErrorPageIcon.vue":2596,"./Icons/Icon.vue":41908,"./Icons/IconAdd.vue":29392,"./Icons/IconArrow.vue":43064,"./Icons/IconBoolean.vue":91996,"./Icons/IconCheckCircle.vue":37388,"./Icons/IconDelete.vue":35320,"./Icons/IconDownload.vue":95064,"./Icons/IconEdit.vue":8968,"./Icons/IconFilter.vue":15232,"./Icons/IconForceDelete.vue":73172,"./Icons/IconHelp.vue":64072,"./Icons/IconMenu.vue":69432,"./Icons/IconMore.vue":77940,"./Icons/IconPlay.vue":59476,"./Icons/IconRefresh.vue":78296,"./Icons/IconRestore.vue":76600,"./Icons/IconSearch.vue":29640,"./Icons/IconView.vue":4240,"./Icons/IconXCircle.vue":94308,"./Icons/Loader.vue":82736,"./ImageLoader.vue":46152,"./IndexEmptyDialog.vue":48483,"./IndexErrorDialog.vue":28139,"./Inputs/CharacterCounter.vue":16896,"./Inputs/IndexSearchInput.vue":20788,"./Inputs/RoundInput.vue":81232,"./Inputs/SearchInput.vue":78520,"./Inputs/SearchInputResult.vue":1811,"./Inputs/SearchSearchInput.vue":79472,"./LensSelector.vue":71724,"./LicenseWarning.vue":96584,"./LoadingCard.vue":90484,"./LoadingView.vue":14928,"./Markdown/MarkdownEditor.vue":40916,"./Markdown/MarkdownEditorToolbar.vue":23748,"./Menu/Breadcrumbs.vue":80896,"./Menu/MainMenu.vue":40516,"./Menu/MenuGroup.vue":58416,"./Menu/MenuItem.vue":54084,"./Menu/MenuList.vue":60692,"./Menu/MenuSection.vue":73832,"./Metrics/Base/BasePartitionMetric.vue":91368,"./Metrics/Base/BaseProgressMetric.vue":83176,"./Metrics/Base/BaseTrendMetric.vue":76492,"./Metrics/Base/BaseValueMetric.vue":45984,"./Metrics/MetricTableRow.vue":97540,"./Metrics/PartitionMetric.vue":63268,"./Metrics/ProgressMetric.vue":4008,"./Metrics/TableMetric.vue":82516,"./Metrics/TrendMetric.vue":44306,"./Metrics/ValueMetric.vue":15180,"./MobileUserMenu.vue":36956,"./Modals/ConfirmActionModal.vue":12168,"./Modals/ConfirmUploadRemovalModal.vue":16600,"./Modals/CreateRelationModal.vue":12136,"./Modals/DeleteResourceModal.vue":68680,"./Modals/Modal.vue":496,"./Modals/ModalContent.vue":55872,"./Modals/ModalFooter.vue":91916,"./Modals/ModalHeader.vue":20276,"./Modals/PreviewResourceModal.vue":46016,"./Modals/RestoreResourceModal.vue":7672,"./Notifications/MessageNotification.vue":33188,"./Notifications/NotificationCenter.vue":94616,"./Notifications/NotificationList.vue":41872,"./Pagination/PaginationLinks.vue":91380,"./Pagination/PaginationLoadMore.vue":81104,"./Pagination/PaginationSimple.vue":7612,"./Pagination/ResourcePagination.vue":37136,"./PanelItem.vue":26776,"./PassthroughLogo.vue":51120,"./ProgressBar.vue":26582,"./RelationPeek.vue":54540,"./Repeater/RepeaterRow.vue":30280,"./ResourceTable.vue":43644,"./ResourceTableHeader.vue":9122,"./ResourceTableRow.vue":95792,"./ResourceTableToolbar.vue":14116,"./ScrollWrap.vue":53796,"./SortableIcon.vue":31056,"./Tags/TagGroup.vue":74336,"./Tags/TagGroupItem.vue":64808,"./Tags/TagList.vue":22564,"./Tags/TagListItem.vue":3992,"./Tooltip.vue":48372,"./TooltipContent.vue":52024,"./TrashedCheckbox.vue":66884,"./Trix.vue":22104,"./UserMenu.vue":4864,"./ValidationErrors.vue":936};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=41976},93832:(e,t,r)=>{var o={"./AudioField.vue":19384,"./BadgeField.vue":18428,"./BelongsToField.vue":99876,"./BelongsToManyField.vue":57984,"./BooleanField.vue":74700,"./BooleanGroupField.vue":89640,"./CodeField.vue":17452,"./ColorField.vue":57854,"./CurrencyField.vue":24422,"./DateField.vue":63180,"./DateTimeField.vue":93484,"./EmailField.vue":26712,"./FileField.vue":80216,"./HasManyField.vue":81308,"./HasManyThroughField.vue":47560,"./HasOneField.vue":69776,"./HasOneThroughField.vue":21636,"./HeadingField.vue":50256,"./HiddenField.vue":95821,"./IdField.vue":37878,"./KeyValueField.vue":38364,"./MarkdownField.vue":99996,"./MorphToActionTargetField.vue":67808,"./MorphToField.vue":71604,"./MorphToManyField.vue":22024,"./MultiSelectField.vue":86584,"./Panel.vue":96876,"./PasswordField.vue":60108,"./PlaceField.vue":41324,"./RelationshipPanel.vue":16224,"./SelectField.vue":76252,"./SlugField.vue":22694,"./SparklineField.vue":45548,"./StackField.vue":2140,"./StatusField.vue":6924,"./TagField.vue":79200,"./TextField.vue":39383,"./TextareaField.vue":9048,"./TrixField.vue":10976,"./UrlField.vue":45228,"./VaporAudioField.vue":14240,"./VaporFileField.vue":65964};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=93832},74692:(e,t,r)=>{var o={"./BooleanField.vue":432,"./BooleanGroupField.vue":84352,"./DateField.vue":87780,"./DateTimeField.vue":88756,"./EloquentField.vue":83320,"./EmailField.vue":57812,"./MorphToField.vue":87616,"./MultiSelectField.vue":2809,"./NumberField.vue":95320,"./SelectField.vue":59056,"./TextField.vue":3092};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=74692},9144:(e,t,r)=>{var o={"./AudioField.vue":13248,"./BelongsToField.vue":32108,"./BooleanField.vue":20224,"./BooleanGroupField.vue":21970,"./CodeField.vue":37932,"./ColorField.vue":97876,"./CurrencyField.vue":92080,"./DateField.vue":85764,"./DateTimeField.vue":41092,"./EmailField.vue":40256,"./FileField.vue":67024,"./HasOneField.vue":160,"./HeadingField.vue":60020,"./HiddenField.vue":9752,"./KeyValueField.vue":59564,"./KeyValueHeader.vue":44936,"./KeyValueItem.vue":26948,"./KeyValueTable.vue":83432,"./MarkdownField.vue":67096,"./MorphToField.vue":66672,"./MultiSelectField.vue":77804,"./Panel.vue":12016,"./PasswordField.vue":14606,"./PlaceField.vue":26936,"./RelationshipPanel.vue":89408,"./RepeaterField.vue":40,"./SelectField.vue":32168,"./SlugField.vue":76142,"./StatusField.vue":30159,"./TagField.vue":52128,"./TextField.vue":11720,"./TextareaField.vue":3620,"./TrixField.vue":63220,"./UrlField.vue":14688,"./VaporAudioField.vue":27476,"./VaporFileField.vue":47724};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=9144},56532:(e,t,r)=>{var o={"./AudioField.vue":66872,"./BadgeField.vue":98956,"./BelongsToField.vue":85816,"./BooleanField.vue":53304,"./BooleanGroupField.vue":44972,"./ColorField.vue":58684,"./CurrencyField.vue":37095,"./DateField.vue":58100,"./DateTimeField.vue":45475,"./EmailField.vue":93716,"./FileField.vue":68612,"./HeadingField.vue":75644,"./HiddenField.vue":82568,"./IdField.vue":99532,"./LineField.vue":79120,"./MorphToActionTargetField.vue":91072,"./MorphToField.vue":22420,"./MultiSelectField.vue":95358,"./PasswordField.vue":30608,"./PlaceField.vue":93736,"./SelectField.vue":26642,"./SlugField.vue":34640,"./SparklineField.vue":62340,"./StackField.vue":93388,"./StatusField.vue":54200,"./TagField.vue":27276,"./TextField.vue":85316,"./UrlField.vue":40284,"./VaporAudioField.vue":92976,"./VaporFileField.vue":81300};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=56532},36512:()=>{},16204:()=>{}},e=>{var t=t=>e(e.s=t);e.O(0,[524,0],(()=>(t(82656),t(76024))));e.O()}]); +(self.webpackChunklaravel_nova=self.webpackChunklaravel_nova||[]).push([[895],{29553:(e,t,r)=>{"use strict";var o=r(15237),n=r.n(o),l=r(36334),i=r(94335),a=r(69843),s=r.n(a);function c(){const e=i.A.create();return e.defaults.headers.common["X-Requested-With"]="XMLHttpRequest",e.defaults.headers.common["X-CSRF-TOKEN"]=document.head.querySelector('meta[name="csrf-token"]').content,e.interceptors.response.use((e=>e),(e=>{if(i.A.isCancel(e))return Promise.reject(e);const t=e.response,{status:r,data:{redirect:o}}=t;if(r>=500&&Nova.$emit("error",e.response.data.message),401===r){if(!s()(o))return void(location.href=o);Nova.redirectToLogin()}return 403===r&&Nova.visit("/403"),419===r&&Nova.$emit("token-expired"),Promise.reject(e)})),e}var d=r(28646),u=r.n(d),h=r(13152),p=r.n(h);var m=r(6265),v=r(34443),f=r(38221),g=r.n(f);var w=r(83488),k=r.n(w),y=r(71086),b=r.n(y);var x=r(29726),B=r(29234),C=r(5947),N=r.n(C),V=r(84058),E=r.n(V),S=r(55808),_=r.n(S);const A=(0,x.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"404",-1),H={class:"text-2xl"},O={class:"text-lg leading-normal"};const M={class:"flex justify-center h-screen"},R=["dusk"],D={class:"flex flex-col md:flex-row justify-center items-center space-y-4 md:space-y-0 md:space-x-20",role:"alert"},z={class:"md:w-[20rem] md:shrink-0 space-y-2 md:space-y-4"};const P={props:{status:{type:String,default:"403"}}};var F=r(66262);const T=(0,F.A)(P,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("ErrorPageIcon"),a=(0,x.resolveComponent)("Link");return(0,x.openBlock)(),(0,x.createElementBlock)("div",M,[(0,x.createElementVNode)("div",{class:"z-50 flex items-center justify-center p-6",dusk:`${r.status}-error-page`},[(0,x.createElementVNode)("div",D,[(0,x.createVNode)(i,{class:"shrink-0 md:w-[20rem]"}),(0,x.createElementVNode)("div",z,[(0,x.renderSlot)(e.$slots,"default"),(0,x.createVNode)(a,{href:e.$url("/"),class:"inline-flex items-center focus:outline-none focus:ring rounded border-2 border-primary-300 dark:border-gray-500 hover:border-primary-500 active:border-primary-400 dark:hover:border-gray-400 dark:active:border-gray-300 bg-white dark:bg-transparent text-primary-500 dark:text-gray-400 px-3 py-2 h-9 font-bold tracking-wide uppercase",tabindex:"0",replace:""},{default:(0,x.withCtx)((()=>[(0,x.createTextVNode)((0,x.toDisplayString)(e.__("Go Home")),1)])),_:1},8,["href"])])])],8,R)])}],["__file","ErrorLayout.vue"]]),j={components:{ErrorLayout:T}},I=(0,F.A)(j,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("Head"),a=(0,x.resolveComponent)("ErrorLayout");return(0,x.openBlock)(),(0,x.createBlock)(a,{status:"404"},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(i,{title:"Page Not Found"}),A,(0,x.createElementVNode)("p",H,(0,x.toDisplayString)(e.__("Whoops"))+"…",1),(0,x.createElementVNode)("p",O,(0,x.toDisplayString)(e.__("We're lost in space. The page you were trying to view does not exist.")),1)])),_:1})}],["__file","CustomError404.vue"]]),$=(0,x.createElementVNode)("h1",{class:"text-[5rem] md:text-[4rem] font-normal leading-none"},"403",-1),L={class:"text-2xl"},U={class:"text-lg leading-normal"};const q={components:{ErrorLayout:T}},K=(0,F.A)(q,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("Head"),a=(0,x.resolveComponent)("ErrorLayout");return(0,x.openBlock)(),(0,x.createBlock)(a,{status:"403"},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(i,{title:"Forbidden"}),$,(0,x.createElementVNode)("p",L,(0,x.toDisplayString)(e.__("Hold Up!")),1),(0,x.createElementVNode)("p",U,(0,x.toDisplayString)(e.__("The government won't let us show you what's behind these doors"))+"… ",1)])),_:1})}],["__file","CustomError403.vue"]]),W={class:"text-[5rem] md:text-[4rem] font-normal leading-none"},G={class:"text-2xl"},Q={class:"text-lg leading-normal"};const Z={components:{ErrorLayout:T}},J=(0,F.A)(Z,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("Head"),a=(0,x.resolveComponent)("ErrorLayout");return(0,x.openBlock)(),(0,x.createBlock)(a,null,{default:(0,x.withCtx)((()=>[(0,x.createVNode)(i,{title:"Error"}),(0,x.createElementVNode)("h1",W,(0,x.toDisplayString)(e.__(":-(")),1),(0,x.createElementVNode)("p",G,(0,x.toDisplayString)(e.__("Whoops"))+"…",1),(0,x.createElementVNode)("p",Q,(0,x.toDisplayString)(e.__("Nova experienced an unrecoverable error.")),1)])),_:1})}],["__file","CustomAppError.vue"]]),Y=["innerHTML"],X=["aria-label","aria-expanded"],ee={class:"flex gap-2 mb-6"},te={key:1,class:"inline-flex items-center gap-2 ml-auto"};var re=r(53110),oe=r(18700),ne=r(84451),le=r(66278);function ie(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function ae(e){for(var t=1;t({lenses:[],sortable:!0,actionCanceller:null}),async created(){this.resourceInformation&&(!0===this.shouldEnableShortcut&&(Nova.addShortcut("c",this.handleKeydown),Nova.addShortcut("mod+a",this.toggleSelectAll),Nova.addShortcut("mod+shift+a",this.toggleSelectAllMatching)),this.getLenses(),Nova.$on("refresh-resources",this.getResources),Nova.$on("resources-detached",this.getAuthorizationToRelate),null!==this.actionCanceller&&this.actionCanceller())},beforeUnmount(){this.shouldEnableShortcut&&(Nova.disableShortcut("c"),Nova.disableShortcut("mod+a"),Nova.disableShortcut("mod+shift+a")),Nova.$off("refresh-resources",this.getResources),Nova.$off("resources-detached",this.getAuthorizationToRelate),null!==this.actionCanceller&&this.actionCanceller()},methods:ae(ae({},(0,le.i0)(["fetchPolicies"])),{},{handleKeydown(e){this.authorizedToCreate&&"INPUT"!==e.target.tagName&&"TEXTAREA"!==e.target.tagName&&"true"!==e.target.contentEditable&&Nova.visit(`/resources/${this.resourceName}/new`)},getResources(){this.shouldBeCollapsed?this.loading=!1:(this.loading=!0,this.resourceResponseError=null,this.$nextTick((()=>(this.clearResourceSelections(),(0,ne.Bp)(Nova.request().get("/nova-api/"+this.resourceName,{params:this.resourceRequestQueryString,cancelToken:new re.qm((e=>{this.canceller=e}))}),300).then((({data:e})=>{this.resources=[],this.resourceResponse=e,this.resources=e.resources,this.softDeletes=e.softDeletes,this.perPage=e.per_page,this.sortable=e.sortable,this.handleResourcesLoaded()})).catch((e=>{if(!(0,re.FZ)(e))throw this.loading=!1,this.resourceResponseError=e,e}))))))},getAuthorizationToRelate(){if(!this.shouldBeCollapsed&&(this.authorizedToCreate||"belongsToMany"===this.relationshipType||"morphToMany"===this.relationshipType))return this.viaResource?Nova.request().get("/nova-api/"+this.resourceName+"/relate-authorization?viaResource="+this.viaResource+"&viaResourceId="+this.viaResourceId+"&viaRelationship="+this.viaRelationship+"&relationshipType="+this.relationshipType).then((e=>{this.authorizedToRelate=e.data.authorized})):this.authorizedToRelate=!0},getLenses(){if(this.lenses=[],!this.viaResource)return Nova.request().get("/nova-api/"+this.resourceName+"/lenses").then((e=>{this.lenses=e.data}))},getActions(){if(null!==this.actionCanceller&&this.actionCanceller(),this.actions=[],this.pivotActions=null,!this.shouldBeCollapsed)return Nova.request().get(`/nova-api/${this.resourceName}/actions`,{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,display:"index",resources:this.selectAllMatchingChecked?"all":this.selectedResourceIds,pivots:this.selectAllMatchingChecked?null:this.selectedPivotIds},cancelToken:new re.qm((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,re.FZ)(e))throw e}))},getAllMatchingResourceCount(){Nova.request().get("/nova-api/"+this.resourceName+"/count",{params:this.resourceRequestQueryString}).then((e=>{this.allMatchingResourceCount=e.data.count}))},loadMore(){return null===this.currentPageLoadMore&&(this.currentPageLoadMore=this.currentPage),this.currentPageLoadMore=this.currentPageLoadMore+1,(0,ne.Bp)(Nova.request().get("/nova-api/"+this.resourceName,{params:ae(ae({},this.resourceRequestQueryString),{},{page:this.currentPageLoadMore})}),300).then((({data:e})=>{this.resourceResponse=e,this.resources=[...this.resources,...e.resources],null!==e.total?this.allMatchingResourceCount=e.total:this.getAllMatchingResourceCount(),Nova.$emit("resources-loaded",{resourceName:this.resourceName,mode:this.isRelation?"related":"index"})}))},async handleCollapsableChange(){this.loading=!0,this.toggleCollapse(),this.collapsed?this.loading=!1:(this.filterHasLoaded?await this.getResources():(await this.initializeFilters(null),this.hasFilters||await this.getResources()),await this.getAuthorizationToRelate(),await this.getActions(),this.restartPolling())}}),computed:{actionQueryString(){return{currentSearch:this.currentSearch,encodedFilters:this.encodedFilters,currentTrashed:this.currentTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}},shouldBeCollapsed(){return this.collapsed&&null!=this.viaRelationship},collapsedByDefault(){return this.field?.collapsedByDefault??!1},cardsEndpoint(){return`/nova-api/${this.resourceName}/cards`},resourceRequestQueryString(){return{search:this.currentSearch,filters:this.encodedFilters,orderBy:this.currentOrderBy,orderByDirection:this.currentOrderByDirection,perPage:this.currentPerPage,trashed:this.currentTrashed,page:this.currentPage,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,viaResourceRelationship:this.viaResourceRelationship,relationshipType:this.relationshipType}},canShowDeleteMenu(){return Boolean(this.authorizedToDeleteSelectedResources||this.authorizedToForceDeleteSelectedResources||this.authorizedToRestoreSelectedResources||this.selectAllMatchingChecked)},headingTitle(){return this.initialLoading?" ":this.isRelation&&this.field?this.field.name:null!==this.resourceResponse?this.resourceResponse.label:this.resourceInformation.label}}},de=(0,F.A)(ce,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("Head"),a=(0,x.resolveComponent)("Cards"),s=(0,x.resolveComponent)("CollapseButton"),c=(0,x.resolveComponent)("Heading"),d=(0,x.resolveComponent)("IndexSearchInput"),u=(0,x.resolveComponent)("ActionDropdown"),h=(0,x.resolveComponent)("CreateResourceButton"),p=(0,x.resolveComponent)("ResourceTableToolbar"),m=(0,x.resolveComponent)("IndexErrorDialog"),v=(0,x.resolveComponent)("IndexEmptyDialog"),f=(0,x.resolveComponent)("ResourceTable"),g=(0,x.resolveComponent)("ResourcePagination"),w=(0,x.resolveComponent)("LoadingView"),k=(0,x.resolveComponent)("Card");return(0,x.openBlock)(),(0,x.createBlock)(w,{loading:e.initialLoading,dusk:e.resourceName+"-index-component","data-relationship":e.viaRelationship},{default:(0,x.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation?((0,x.openBlock)(),(0,x.createBlock)(i,{key:0,title:e.__(`${e.resourceInformation.label}`)},null,8,["title"])):(0,x.createCommentVNode)("",!0),e.shouldShowCards?((0,x.openBlock)(),(0,x.createBlock)(a,{key:1,cards:e.cards,"resource-name":e.resourceName},null,8,["cards","resource-name"])):(0,x.createCommentVNode)("",!0),(0,x.createVNode)(c,{level:1,class:(0,x.normalizeClass)(["mb-3 flex items-center",{"mt-6":e.shouldShowCards&&e.cards.length>0}]),dusk:"index-heading"},{default:(0,x.withCtx)((()=>[(0,x.createElementVNode)("span",{innerHTML:l.headingTitle},null,8,Y),!e.loading&&e.viaRelationship?((0,x.openBlock)(),(0,x.createElementBlock)("button",{key:0,onClick:t[0]||(t[0]=(...e)=>l.handleCollapsableChange&&l.handleCollapsableChange(...e)),class:"rounded border border-transparent h-6 w-6 ml-1 inline-flex items-center justify-center focus:outline-none focus:ring ring-primary-200","aria-label":e.__("Toggle Collapsed"),"aria-expanded":!1===l.shouldBeCollapsed?"true":"false"},[(0,x.createVNode)(s,{collapsed:l.shouldBeCollapsed},null,8,["collapsed"])],8,X)):(0,x.createCommentVNode)("",!0)])),_:1},8,["class"]),l.shouldBeCollapsed?(0,x.createCommentVNode)("",!0):((0,x.openBlock)(),(0,x.createElementBlock)(x.Fragment,{key:2},[(0,x.createElementVNode)("div",ee,[e.resourceInformation&&e.resourceInformation.searchable?((0,x.openBlock)(),(0,x.createBlock)(d,{key:0,searchable:e.resourceInformation&&e.resourceInformation.searchable,keyword:e.search,"onUpdate:keyword":[t[1]||(t[1]=t=>e.search=t),t[2]||(t[2]=t=>e.search=t)]},null,8,["searchable","keyword"])):(0,x.createCommentVNode)("",!0),e.availableStandaloneActions.length>0||e.authorizedToCreate||e.authorizedToRelate?((0,x.openBlock)(),(0,x.createElementBlock)("div",te,[e.availableStandaloneActions.length>0?((0,x.openBlock)(),(0,x.createBlock)(u,{key:0,onActionExecuted:e.handleActionExecuted,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,actions:e.availableStandaloneActions,"selected-resources":e.selectedResourcesForActionSelector,"trigger-dusk-attribute":"index-standalone-action-dropdown"},null,8,["onActionExecuted","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","actions","selected-resources"])):(0,x.createCommentVNode)("",!0),(0,x.createVNode)(h,{label:e.createButtonLabel,"singular-name":e.singularName,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"authorized-to-create":e.authorizedToCreate,"authorized-to-relate":e.authorizedToRelate,class:"shrink-0"},null,8,["label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create","authorized-to-relate"])])):(0,x.createCommentVNode)("",!0)]),(0,x.createVNode)(k,null,{default:(0,x.withCtx)((()=>[(0,x.createVNode)(p,{"action-query-string":l.actionQueryString,"all-matching-resource-count":e.allMatchingResourceCount,"authorized-to-delete-any-resources":e.authorizedToDeleteAnyResources,"authorized-to-delete-selected-resources":e.authorizedToDeleteSelectedResources,"authorized-to-force-delete-any-resources":e.authorizedToForceDeleteAnyResources,"authorized-to-force-delete-selected-resources":e.authorizedToForceDeleteSelectedResources,"authorized-to-restore-any-resources":e.authorizedToRestoreAnyResources,"authorized-to-restore-selected-resources":e.authorizedToRestoreSelectedResources,"available-actions":e.availableActions,"clear-selected-filters":e.clearSelectedFilters,"close-delete-modal":e.closeDeleteModal,"currently-polling":e.currentlyPolling,"current-page-count":e.resources.length,"delete-all-matching-resources":e.deleteAllMatchingResources,"delete-selected-resources":e.deleteSelectedResources,"filter-changed":e.filterChanged,"force-delete-all-matching-resources":e.forceDeleteAllMatchingResources,"force-delete-selected-resources":e.forceDeleteSelectedResources,"get-resources":l.getResources,"has-filters":e.hasFilters,"have-standalone-actions":e.haveStandaloneActions,lenses:e.lenses,loading:e.resourceResponse&&e.loading,"per-page-options":e.perPageOptions,"per-page":e.perPage,"pivot-actions":e.pivotActions,"pivot-name":e.pivotName,resources:e.resources,"resource-information":e.resourceInformation,"resource-name":e.resourceName,"restore-all-matching-resources":e.restoreAllMatchingResources,"restore-selected-resources":e.restoreSelectedResources,"select-all-matching-checked":e.selectAllMatchingResources,onDeselect:e.deselectAllResources,"selected-resources":e.selectedResources,"selected-resources-for-action-selector":e.selectedResourcesForActionSelector,"should-show-action-selector":e.shouldShowActionSelector,"should-show-checkboxes":e.shouldShowCheckboxes,"should-show-delete-menu":e.shouldShowDeleteMenu,"should-show-polling-toggle":e.shouldShowPollingToggle,"soft-deletes":e.softDeletes,onStartPolling:e.startPolling,onStopPolling:e.stopPolling,"toggle-select-all-matching":e.toggleSelectAllMatching,"toggle-select-all":e.toggleSelectAll,"toggle-polling":e.togglePolling,"trashed-changed":e.trashedChanged,"trashed-parameter":e.trashedParameter,trashed:e.trashed,"update-per-page-changed":e.updatePerPageChanged,"via-many-to-many":e.viaManyToMany,"via-resource":e.viaResource},null,8,["action-query-string","all-matching-resource-count","authorized-to-delete-any-resources","authorized-to-delete-selected-resources","authorized-to-force-delete-any-resources","authorized-to-force-delete-selected-resources","authorized-to-restore-any-resources","authorized-to-restore-selected-resources","available-actions","clear-selected-filters","close-delete-modal","currently-polling","current-page-count","delete-all-matching-resources","delete-selected-resources","filter-changed","force-delete-all-matching-resources","force-delete-selected-resources","get-resources","has-filters","have-standalone-actions","lenses","loading","per-page-options","per-page","pivot-actions","pivot-name","resources","resource-information","resource-name","restore-all-matching-resources","restore-selected-resources","select-all-matching-checked","onDeselect","selected-resources","selected-resources-for-action-selector","should-show-action-selector","should-show-checkboxes","should-show-delete-menu","should-show-polling-toggle","soft-deletes","onStartPolling","onStopPolling","toggle-select-all-matching","toggle-select-all","toggle-polling","trashed-changed","trashed-parameter","trashed","update-per-page-changed","via-many-to-many","via-resource"]),(0,x.createVNode)(w,{loading:e.loading,variant:e.resourceResponse?"overlay":"default"},{default:(0,x.withCtx)((()=>[null!=e.resourceResponseError?((0,x.openBlock)(),(0,x.createBlock)(m,{key:0,resource:e.resourceInformation,onClick:l.getResources},null,8,["resource","onClick"])):((0,x.openBlock)(),(0,x.createElementBlock)(x.Fragment,{key:1},[e.loading||e.resources.length?(0,x.createCommentVNode)("",!0):((0,x.openBlock)(),(0,x.createBlock)(v,{key:0,"create-button-label":e.createButtonLabel,"singular-name":e.singularName,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"authorized-to-create":e.authorizedToCreate,"authorized-to-relate":e.authorizedToRelate},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create","authorized-to-relate"])),(0,x.createVNode)(f,{"authorized-to-relate":e.authorizedToRelate,"resource-name":e.resourceName,resources:e.resources,"singular-name":e.singularName,"selected-resources":e.selectedResources,"selected-resource-ids":e.selectedResourceIds,"actions-are-available":e.allActions.length>0,"should-show-checkboxes":e.shouldShowCheckboxes,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"update-selection-status":e.updateSelectionStatus,sortable:e.sortable,onOrder:e.orderByField,onResetOrderBy:e.resetOrderBy,onDelete:e.deleteResources,onRestore:e.restoreResources,onActionExecuted:e.handleActionExecuted,ref:"resourceTable"},null,8,["authorized-to-relate","resource-name","resources","singular-name","selected-resources","selected-resource-ids","actions-are-available","should-show-checkboxes","via-resource","via-resource-id","via-relationship","relationship-type","update-selection-status","sortable","onOrder","onResetOrderBy","onDelete","onRestore","onActionExecuted"]),e.shouldShowPagination?((0,x.openBlock)(),(0,x.createBlock)(g,{key:1,"pagination-component":e.paginationComponent,"has-next-page":e.hasNextPage,"has-previous-page":e.hasPreviousPage,"load-more":l.loadMore,"select-page":e.selectPage,"total-pages":e.totalPages,"current-page":e.currentPage,"per-page":e.perPage,"resource-count-label":e.resourceCountLabel,"current-resource-count":e.currentResourceCount,"all-matching-resource-count":e.allMatchingResourceCount},null,8,["pagination-component","has-next-page","has-previous-page","load-more","select-page","total-pages","current-page","per-page","resource-count-label","current-resource-count","all-matching-resource-count"])):(0,x.createCommentVNode)("",!0)],64))])),_:1},8,["loading","variant"])])),_:1})],64))])),_:1},8,["loading","dusk","data-relationship"])}],["__file","Index.vue"]]),ue={key:1},he=["dusk"],pe={key:0,class:"md:flex items-center mb-3"},me={class:"flex flex-auto truncate items-center"},ve={class:"ml-auto flex items-center"};function fe(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function ge(e){for(var t=1;t({initialLoading:!0,loading:!0,title:null,resource:null,panels:[],actions:[],actionValidationErrors:new oe.I}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");!0===this.shouldEnableShortcut&&Nova.addShortcut("e",this.handleKeydown)},beforeUnmount(){!0===this.shouldEnableShortcut&&Nova.disableShortcut("e")},mounted(){this.initializeComponent()},methods:ge(ge({},(0,le.i0)(["startImpersonating"])),{},{handleResourceLoaded(){this.loading=!1,Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:this.resourceId.toString(),mode:"detail"})},handleKeydown(e){this.resource.authorizedToUpdate&&"INPUT"!=e.target.tagName&&"TEXTAREA"!=e.target.tagName&&"true"!=e.target.contentEditable&&Nova.visit(`/resources/${this.resourceName}/${this.resourceId}/edit`)},async initializeComponent(){await this.getResource(),await this.getActions(),this.initialLoading=!1},getResource(){return this.loading=!0,this.panels=null,this.resource=null,(0,ne.Bp)(Nova.request().get("/nova-api/"+this.resourceName+"/"+this.resourceId,{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType}})).then((({data:{title:e,panels:t,resource:r}})=>{this.title=e,this.panels=t,this.resource=r,this.handleResourceLoaded()})).catch((e=>{if(e.response.status>=500)Nova.$emit("error",e.response.data.message);else if(404===e.response.status&&this.initialLoading)Nova.visit("/404");else if(403!==e.response.status){if(401===e.response.status)return Nova.redirectToLogin();Nova.error(this.__("This resource no longer exists")),Nova.visit(`/resources/${this.resourceName}`)}else Nova.visit("/403")}))},async getActions(){this.actions=[];try{const e=await Nova.request().get("/nova-api/"+this.resourceName+"/actions",{params:{resourceId:this.resourceId,editing:!0,editMode:"create",display:"detail"}});this.actions=e.data?.actions}catch(e){console.log(e),Nova.error(this.__("Unable to load actions for this resource"))}},async actionExecuted(){await this.getResource(),await this.getActions()},resolveComponentName:e=>s()(e.prefixComponent)||e.prefixComponent?"detail-"+e.component:e.component}),computed:ge(ge({},(0,le.L8)(["currentUser"])),{},{canBeImpersonated(){return this.currentUser.canImpersonate&&this.resource.authorizedToImpersonate},shouldShowActionDropdown(){return this.resource&&(this.actions.length>0||this.canModifyResource)},canModifyResource(){return this.resource.authorizedToReplicate||this.canBeImpersonated||this.resource.authorizedToDelete&&!this.resource.softDeleted||this.resource.authorizedToRestore&&this.resource.softDeleted||this.resource.authorizedToForceDelete},isActionDetail(){return"action-events"===this.resourceName},cardsEndpoint(){return`/nova-api/${this.resourceName}/cards`},extraCardParams(){return{resourceId:this.resourceId}}})},ye=(0,F.A)(ke,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("Head"),a=(0,x.resolveComponent)("Cards"),s=(0,x.resolveComponent)("Heading"),c=(0,x.resolveComponent)("Badge"),d=(0,x.resolveComponent)("DetailActionDropdown"),u=(0,x.resolveComponent)("Icon"),h=(0,x.resolveComponent)("BasicButton"),p=(0,x.resolveComponent)("Link"),m=(0,x.resolveComponent)("LoadingView"),v=(0,x.resolveDirective)("tooltip");return(0,x.openBlock)(),(0,x.createBlock)(m,{loading:e.initialLoading},{default:(0,x.withCtx)((()=>[r.shouldOverrideMeta&&e.resourceInformation&&e.title?((0,x.openBlock)(),(0,x.createBlock)(i,{key:0,title:e.__(":resource Details: :title",{resource:e.resourceInformation.singularLabel,title:e.title})},null,8,["title"])):(0,x.createCommentVNode)("",!0),e.shouldShowCards&&e.hasDetailOnlyCards?((0,x.openBlock)(),(0,x.createElementBlock)("div",ue,[e.cards.length>0?((0,x.openBlock)(),(0,x.createBlock)(a,{key:0,cards:e.cards,"only-on-detail":!0,resource:e.resource,"resource-id":e.resourceId,"resource-name":e.resourceName},null,8,["cards","resource","resource-id","resource-name"])):(0,x.createCommentVNode)("",!0)])):(0,x.createCommentVNode)("",!0),(0,x.createElementVNode)("div",{class:(0,x.normalizeClass)({"mt-6":e.shouldShowCards&&e.hasDetailOnlyCards&&e.cards.length>0}),dusk:e.resourceName+"-detail-component"},[((0,x.openBlock)(!0),(0,x.createElementBlock)(x.Fragment,null,(0,x.renderList)(e.panels,(t=>((0,x.openBlock)(),(0,x.createBlock)((0,x.resolveDynamicComponent)(l.resolveComponentName(t)),{key:t.id,panel:t,resource:e.resource,"resource-id":e.resourceId,"resource-name":e.resourceName,class:"mb-8"},{default:(0,x.withCtx)((()=>[t.showToolbar?((0,x.openBlock)(),(0,x.createElementBlock)("div",pe,[(0,x.createElementVNode)("div",me,[(0,x.createVNode)(s,{level:1,textContent:(0,x.toDisplayString)(t.name),dusk:`${t.name}-detail-heading`},null,8,["textContent","dusk"]),e.resource.softDeleted?((0,x.openBlock)(),(0,x.createBlock)(c,{key:0,label:e.__("Soft Deleted"),class:"bg-red-100 text-red-500 dark:bg-red-400 dark:text-red-900 rounded px-2 py-0.5 ml-3"},null,8,["label"])):(0,x.createCommentVNode)("",!0)]),(0,x.createElementVNode)("div",ve,[l.shouldShowActionDropdown?((0,x.openBlock)(),(0,x.createBlock)(d,{key:0,resource:e.resource,actions:e.actions,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"resource-name":e.resourceName,class:"mt-1 md:mt-0 md:ml-2 md:mr-2",onActionExecuted:l.actionExecuted,onResourceDeleted:l.getResource,onResourceRestored:l.getResource},null,8,["resource","actions","via-resource","via-resource-id","via-relationship","resource-name","onActionExecuted","onResourceDeleted","onResourceRestored"])):(0,x.createCommentVNode)("",!0),r.showViewLink?(0,x.withDirectives)(((0,x.openBlock)(),(0,x.createBlock)(p,{key:1,href:e.$url(`/resources/${e.resourceName}/${e.resourceId}`),class:"rounded hover:bg-gray-200 dark:hover:bg-gray-800 focus:outline-none focus:ring",dusk:"view-resource-button",tabindex:"1"},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(h,{component:"span"},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(u,{type:"eye"})])),_:1})])),_:1},8,["href"])),[[v,{placement:"bottom",distance:10,skidding:0,content:e.__("View")}]]):(0,x.createCommentVNode)("",!0),e.resource.authorizedToUpdate?(0,x.withDirectives)(((0,x.openBlock)(),(0,x.createBlock)(p,{key:2,href:e.$url(`/resources/${e.resourceName}/${e.resourceId}/edit`),class:"rounded hover:bg-gray-200 dark:hover:bg-gray-800 focus:outline-none focus:ring",dusk:"edit-resource-button",tabindex:"1"},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(h,{component:"span"},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(u,{type:"pencil-alt"})])),_:1})])),_:1},8,["href"])),[[v,{placement:"bottom",distance:10,skidding:0,content:e.__("Edit")}]]):(0,x.createCommentVNode)("",!0)])])):(0,x.createCommentVNode)("",!0)])),_:2},1032,["panel","resource","resource-id","resource-name"])))),128))],10,he)])),_:1},8,["loading"])}],["__file","Detail.vue"]]),be=["data-form-unique-id"],xe={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},Be={class:"w-1/5 px-8 py-6"},Ce=["for"],Ne={class:"py-6 px-8 w-1/2"},Ve={class:"inline-block font-bold text-gray-500 pt-2"},Ee={class:"flex items-center"},Se={key:0,class:"flex items-center"},_e={key:0,class:"mr-3"},Ae=["src"],He={class:"flex items-center"},Oe={key:0,class:"flex-none mr-3"},Me=["src"],Re={class:"flex-auto"},De={key:0},ze={key:1},Pe={value:"",disabled:"",selected:""},Fe={class:"flex flex-col md:flex-row md:items-center justify-center md:justify-end space-y-2 md:space-y-0 space-x-3"};var Te=r(76135),je=r.n(Te),Ie=r(7309),$e=r.n(Ie),Le=r(15101),Ue=r.n(Le),qe=r(27226);function Ke(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function We(e){for(var t=1;t({initialLoading:!0,loading:!0,submittedViaAttachAndAttachAnother:!1,submittedViaAttachResource:!1,field:null,softDeletes:!1,fields:[],selectedResource:null,selectedResourceId:null,relationModalOpen:!1,initializingWithExistingResource:!1}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:We(We({},(0,le.i0)(["fetchPolicies"])),{},{initializeComponent(){this.softDeletes=!1,this.disableWithTrashed(),this.clearSelection(),this.getField(),this.getPivotFields(),this.resetErrors(),this.allowLeavingForm()},handlePivotFieldsLoaded(){this.loading=!1,je()(this.fields,(e=>{e.fill=()=>""}))},getField(){this.field=null,Nova.request().get("/nova-api/"+this.resourceName+"/field/"+this.viaRelationship,{params:{relatable:!0}}).then((({data:e})=>{this.field=e,this.field.searchable?this.determineIfSoftDeletes():this.getAvailableResources(),this.initialLoading=!1}))},getPivotFields(){this.fields=[],this.loading=!0,Nova.request().get("/nova-api/"+this.resourceName+"/"+this.resourceId+"/creation-pivot-fields/"+this.relatedResourceName,{params:{editing:!0,editMode:"attach",viaRelationship:this.viaRelationship}}).then((({data:e})=>{this.fields=e,this.handlePivotFieldsLoaded()}))},getAvailableResources(e=""){return Nova.$progress.start(),Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/attachable/${this.relatedResourceName}`,{params:{search:e,current:this.selectedResourceId,first:this.initializingWithExistingResource,withTrashed:this.withTrashed,viaRelationship:this.viaRelationship}}).then((e=>{Nova.$progress.done(),this.isSearchable&&(this.initializingWithExistingResource=!1),this.availableResources=e.data.resources,this.withTrashed=e.data.withTrashed,this.softDeletes=e.data.softDeletes})).catch((e=>{Nova.$progress.done()}))},determineIfSoftDeletes(){Nova.request().get("/nova-api/"+this.relatedResourceName+"/soft-deletes").then((e=>{this.softDeletes=e.data.softDeletes}))},async attachResource(){this.submittedViaAttachResource=!0;try{await this.attachRequest(),this.submittedViaAttachResource=!1,this.allowLeavingForm(),await this.fetchPolicies(),Nova.success(this.__("The resource was attached!")),Nova.visit(`/resources/${this.resourceName}/${this.resourceId}`)}catch(e){window.scrollTo(0,0),this.submittedViaAttachResource=!1,this.preventLeavingForm(),this.handleOnCreateResponseError(e)}},async attachAndAttachAnother(){this.submittedViaAttachAndAttachAnother=!0;try{await this.attachRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.allowLeavingForm(),this.submittedViaAttachAndAttachAnother=!1,await this.fetchPolicies(),this.initializeComponent()}catch(e){this.submittedViaAttachAndAttachAnother=!1,this.handleOnCreateResponseError(e)}},cancelAttachingResource(){this.handleProceedingToPreviousPage(),this.allowLeavingForm(),this.proceedToPreviousPage(`/resources/${this.resourceName}/${this.resourceId}`)},attachRequest(){return Nova.request().post(this.attachmentEndpoint,this.attachmentFormData(),{params:{editing:!0,editMode:"attach"}})},attachmentFormData(){return Ue()(new FormData,(e=>{je()(this.fields,(t=>{t.fill(e)})),this.selectedResource?e.append(this.relatedResourceName,this.selectedResource.value):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("viaRelationship",this.viaRelationship)}))},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},selectInitialResource(){this.selectedResource=$e()(this.availableResources,(e=>e.value==this.selectedResourceId))},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},onUpdateFormStatus(){this.updateFormStatus()},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.initializingWithExistingResource=!0,this.getAvailableResources().then((()=>this.selectInitialResource()))},openRelationModal(){Nova.$emit("create-relation-modal-opened"),this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1,Nova.$emit("create-relation-modal-closed")},clearResourceSelection(){this.clearSelection(),this.isSearchable||(this.initializingWithExistingResource=!1,this.getAvailableResources())}}),computed:{attachmentEndpoint(){return this.polymorphic?"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach-morphed/"+this.relatedResourceName:"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach/"+this.relatedResourceName},relatedResourceLabel(){if(this.field)return this.field.singularLabel},isSearchable(){return this.field.searchable},isWorking(){return this.submittedViaAttachResource||this.submittedViaAttachAndAttachAnother},headingTitle(){return this.__("Attach :resource",{resource:this.relatedResourceLabel})},shouldShowTrashed(){return Boolean(this.softDeletes)},authorizedToCreate(){return $e()(Nova.config("resources"),(e=>e.uriKey==this.field.resourceName)).authorizedToCreate},canShowNewRelationModal(){return this.field.showCreateRelationButton&&this.authorizedToCreate}}},Ze=(0,F.A)(Qe,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("Head"),a=(0,x.resolveComponent)("Heading"),s=(0,x.resolveComponent)("SearchInput"),c=(0,x.resolveComponent)("SelectControl"),d=(0,x.resolveComponent)("CreateRelationButton"),u=(0,x.resolveComponent)("CreateRelationModal"),h=(0,x.resolveComponent)("TrashedCheckbox"),p=(0,x.resolveComponent)("DefaultField"),m=(0,x.resolveComponent)("LoadingView"),v=(0,x.resolveComponent)("Card"),f=(0,x.resolveComponent)("Button");return(0,x.openBlock)(),(0,x.createBlock)(m,{loading:e.initialLoading},{default:(0,x.withCtx)((()=>[l.relatedResourceLabel?((0,x.openBlock)(),(0,x.createBlock)(i,{key:0,title:e.__("Attach :resource",{resource:l.relatedResourceLabel})},null,8,["title"])):(0,x.createCommentVNode)("",!0),(0,x.createVNode)(a,{class:"mb-3",textContent:(0,x.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),dusk:"attach-heading"},null,8,["textContent"]),e.field?((0,x.openBlock)(),(0,x.createElementBlock)("form",{key:1,onSubmit:t[1]||(t[1]=(0,x.withModifiers)(((...e)=>l.attachResource&&l.attachResource(...e)),["prevent"])),onChange:t[2]||(t[2]=(...e)=>l.onUpdateFormStatus&&l.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off"},[(0,x.createVNode)(v,{class:"mb-8"},{default:(0,x.withCtx)((()=>[r.parentResource?((0,x.openBlock)(),(0,x.createElementBlock)("div",xe,[(0,x.createElementVNode)("div",Be,[(0,x.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,x.toDisplayString)(r.parentResource.name),9,Ce)]),(0,x.createElementVNode)("div",Ne,[(0,x.createElementVNode)("span",Ve,(0,x.toDisplayString)(r.parentResource.display),1)])])):(0,x.createCommentVNode)("",!0),(0,x.createVNode)(p,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,x.withCtx)((()=>[(0,x.createElementVNode)("div",Ee,[e.field.searchable?((0,x.openBlock)(),(0,x.createBlock)(s,{key:0,dusk:`${e.field.resourceName}-search-input`,onInput:e.performSearch,onClear:l.clearResourceSelection,onSelected:e.selectResource,debounce:e.field.debounce,value:e.selectedResource,data:e.availableResources,trackBy:"value",class:"w-full"},{option:(0,x.withCtx)((({selected:t,option:r})=>[(0,x.createElementVNode)("div",He,[r.avatar?((0,x.openBlock)(),(0,x.createElementBlock)("div",Oe,[(0,x.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,Me)])):(0,x.createCommentVNode)("",!0),(0,x.createElementVNode)("div",Re,[(0,x.createElementVNode)("div",{class:(0,x.normalizeClass)(["text-sm font-semibold leading-5",{"text-white":t}])},(0,x.toDisplayString)(r.display),3),e.field.withSubtitles?((0,x.openBlock)(),(0,x.createElementBlock)("div",{key:0,class:(0,x.normalizeClass)(["mt-1 text-xs font-semibold leading-5 text-gray-500",{"text-white":t}])},[r.subtitle?((0,x.openBlock)(),(0,x.createElementBlock)("span",De,(0,x.toDisplayString)(r.subtitle),1)):((0,x.openBlock)(),(0,x.createElementBlock)("span",ze,(0,x.toDisplayString)(e.__("No additional information...")),1))],2)):(0,x.createCommentVNode)("",!0)])])])),default:(0,x.withCtx)((()=>[e.selectedResource?((0,x.openBlock)(),(0,x.createElementBlock)("div",Se,[e.selectedResource.avatar?((0,x.openBlock)(),(0,x.createElementBlock)("div",_e,[(0,x.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,Ae)])):(0,x.createCommentVNode)("",!0),(0,x.createTextVNode)(" "+(0,x.toDisplayString)(e.selectedResource.display),1)])):(0,x.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onSelected","debounce","value","data"])):((0,x.openBlock)(),(0,x.createBlock)(c,{key:1,class:(0,x.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select",selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:l.selectResourceFromSelectControl,options:e.availableResources,label:"display"},{default:(0,x.withCtx)((()=>[(0,x.createElementVNode)("option",Pe,(0,x.toDisplayString)(e.__("Choose :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["class","selected","onChange","options"])),l.canShowNewRelationModal?((0,x.openBlock)(),(0,x.createBlock)(d,{key:2,onClick:l.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,x.createCommentVNode)("",!0)]),(0,x.createVNode)(u,{show:l.canShowNewRelationModal&&e.relationModalOpen,onSetResource:l.handleSetResource,onCreateCancelled:l.closeRelationModal,"resource-name":e.field.resourceName,"resource-id":r.resourceId,"via-relationship":r.viaRelationship,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId},null,8,["show","onSetResource","onCreateCancelled","resource-name","resource-id","via-relationship","via-resource","via-resource-id"]),e.softDeletes?((0,x.openBlock)(),(0,x.createBlock)(h,{key:0,class:"mt-3","resource-name":e.field.resourceName,checked:e.withTrashed,onInput:l.toggleWithTrashed},null,8,["resource-name","checked","onInput"])):(0,x.createCommentVNode)("",!0)])),_:1},8,["field","errors"]),(0,x.createVNode)(m,{loading:e.loading},{default:(0,x.withCtx)((()=>[((0,x.openBlock)(!0),(0,x.createElementBlock)(x.Fragment,null,(0,x.renderList)(e.fields,(t=>((0,x.openBlock)(),(0,x.createElementBlock)("div",{key:t.uniqueKey},[((0,x.openBlock)(),(0,x.createBlock)((0,x.resolveDynamicComponent)(`form-${t.component}`),{"resource-name":r.resourceName,"resource-id":r.resourceId,"related-resource-name":r.relatedResourceName,field:t,"form-unique-id":e.formUniqueId,errors:e.validationErrors,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,"show-help-text":!0},null,8,["resource-name","resource-id","related-resource-name","field","form-unique-id","errors","via-resource","via-resource-id","via-relationship"]))])))),128))])),_:1},8,["loading"])])),_:1}),(0,x.createElementVNode)("div",Fe,[(0,x.createVNode)(f,{dusk:"cancel-attach-button",onClick:l.cancelAttachingResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,x.createVNode)(f,{dusk:"attach-and-attach-another-button",onClick:(0,x.withModifiers)(l.attachAndAttachAnother,["prevent"]),disabled:l.isWorking,loading:e.submittedViaAttachAndAttachAnother},{default:(0,x.withCtx)((()=>[(0,x.createTextVNode)((0,x.toDisplayString)(e.__("Attach & Attach Another")),1)])),_:1},8,["onClick","disabled","loading"]),(0,x.createVNode)(f,{type:"submit",dusk:"attach-button",disabled:l.isWorking,loading:e.submittedViaAttachResource},{default:(0,x.withCtx)((()=>[(0,x.createTextVNode)((0,x.toDisplayString)(e.__("Attach :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,be)):(0,x.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Attach.vue"]]),Je=["data-form-unique-id"],Ye={key:0,dusk:"via-resource-field",class:"field-wrapper flex flex-col md:flex-row border-b border-gray-100 dark:border-gray-700"},Xe={class:"w-1/5 px-8 py-6"},et=["for"],tt={class:"py-6 px-8 w-1/2"},rt={class:"inline-block font-bold text-gray-500 pt-2"},ot={value:"",disabled:"",selected:""},nt={class:"flex flex-col mt-3 md:mt-6 md:flex-row items-center justify-center md:justify-end"};function lt(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function it(e){for(var t=1;t({initialLoading:!0,loading:!0,submittedViaUpdateAndContinueEditing:!1,submittedViaUpdateAttachedResource:!1,field:null,softDeletes:!1,fields:[],selectedResource:null,selectedResourceId:null,lastRetrievedAt:null,title:null}),created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404")},mounted(){this.initializeComponent()},methods:it(it({},(0,le.i0)(["fetchPolicies"])),{},{async initializeComponent(){this.softDeletes=!1,this.disableWithTrashed(),this.clearSelection(),await this.getField(),await this.getPivotFields(),await this.getAvailableResources(),this.resetErrors(),this.selectedResourceId=this.relatedResourceId,this.selectInitialResource(),this.updateLastRetrievedAtTimestamp(),this.allowLeavingForm()},removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:n,viaRelationship:l}=this;Nova.request().delete(`/nova-api/${t}/${r}/${o}/${n}/field/${e}?viaRelationship=${l}`)},handlePivotFieldsLoaded(){this.loading=!1,je()(this.fields,(e=>{e&&(e.fill=()=>"")}))},async getField(){this.field=null;const{data:e}=await Nova.request().get("/nova-api/"+this.resourceName+"/field/"+this.viaRelationship,{params:{relatable:!0}});this.field=e,this.field.searchable&&this.determineIfSoftDeletes(),this.initialLoading=!1},async getPivotFields(){this.fields=[];const{data:{title:e,fields:t}}=await Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/update-pivot-fields/${this.relatedResourceName}/${this.relatedResourceId}`,{params:{editing:!0,editMode:"update-attached",viaRelationship:this.viaRelationship,viaPivotId:this.viaPivotId}}).catch((e=>{404!=e.response.status||Nova.visit("/404")}));this.title=e,this.fields=t,this.handlePivotFieldsLoaded()},async getAvailableResources(e=""){try{const t=await Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/attachable/${this.relatedResourceName}`,{params:{search:e,current:this.relatedResourceId,first:!0,withTrashed:this.withTrashed,viaRelationship:this.viaRelationship}});this.availableResources=t.data.resources,this.withTrashed=t.data.withTrashed,this.softDeletes=t.data.softDeletes}catch(e){}},determineIfSoftDeletes(){Nova.request().get("/nova-api/"+this.relatedResourceName+"/soft-deletes").then((e=>{this.softDeletes=e.data.softDeletes}))},async updateAttachedResource(){this.submittedViaUpdateAttachedResource=!0;try{await this.updateRequest(),this.submittedViaUpdateAttachedResource=!1,this.allowLeavingForm(),await this.fetchPolicies(),Nova.success(this.__("The resource was updated!")),Nova.visit(`/resources/${this.resourceName}/${this.resourceId}`)}catch(e){window.scrollTo(0,0),this.submittedViaUpdateAttachedResource=!1,this.preventLeavingForm(),this.handleOnUpdateResponseError(e)}},async updateAndContinueEditing(){this.submittedViaUpdateAndContinueEditing=!0;try{await this.updateRequest(),window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.allowLeavingForm(),this.submittedViaUpdateAndContinueEditing=!1,Nova.success(this.__("The resource was updated!")),this.initializeComponent()}catch(e){this.submittedViaUpdateAndContinueEditing=!1,this.handleOnUpdateResponseError(e)}},cancelUpdatingAttachedResource(){this.handleProceedingToPreviousPage(),this.allowLeavingForm(),this.proceedToPreviousPage(`/resources/${this.resourceName}/${this.resourceId}`)},updateRequest(){return Nova.request().post(`/nova-api/${this.resourceName}/${this.resourceId}/update-attached/${this.relatedResourceName}/${this.relatedResourceId}`,this.updateAttachmentFormData(),{params:{editing:!0,editMode:"update-attached",viaPivotId:this.viaPivotId}})},updateAttachmentFormData(){return Ue()(new FormData,(e=>{je()(this.fields,(t=>{t.fill(e)})),e.append("viaRelationship",this.viaRelationship),this.selectedResource?e.append(this.relatedResourceName,this.selectedResource.value):e.append(this.relatedResourceName,""),e.append(this.relatedResourceName+"_trashed",this.withTrashed),e.append("_retrieved_at",this.lastRetrievedAt)}))},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},toggleWithTrashed(){this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources()},selectInitialResource(){this.selectedResource=$e()(this.availableResources,(e=>e.value==this.selectedResourceId))},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){this.updateFormStatus()}}),computed:{attachmentEndpoint(){return this.polymorphic?"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach-morphed/"+this.relatedResourceName:"/nova-api/"+this.resourceName+"/"+this.resourceId+"/attach/"+this.relatedResourceName},relatedResourceLabel(){if(this.field)return this.field.singularLabel},isSearchable(){return this.field.searchable},isWorking(){return this.submittedViaUpdateAttachedResource||this.submittedViaUpdateAndContinueEditing}}},ct=(0,F.A)(st,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("Head"),a=(0,x.resolveComponent)("Heading"),s=(0,x.resolveComponent)("SelectControl"),c=(0,x.resolveComponent)("DefaultField"),d=(0,x.resolveComponent)("LoadingView"),u=(0,x.resolveComponent)("Card"),h=(0,x.resolveComponent)("Button");return(0,x.openBlock)(),(0,x.createBlock)(d,{loading:e.initialLoading},{default:(0,x.withCtx)((()=>[l.relatedResourceLabel&&e.title?((0,x.openBlock)(),(0,x.createBlock)(i,{key:0,title:e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})},null,8,["title"])):(0,x.createCommentVNode)("",!0),l.relatedResourceLabel&&e.title?((0,x.openBlock)(),(0,x.createBlock)(a,{key:1,class:"mb-3"},{default:(0,x.withCtx)((()=>[(0,x.createTextVNode)((0,x.toDisplayString)(e.__("Update attached :resource: :title",{resource:l.relatedResourceLabel,title:e.title})),1)])),_:1})):(0,x.createCommentVNode)("",!0),e.field?((0,x.openBlock)(),(0,x.createElementBlock)("form",{key:2,onSubmit:t[1]||(t[1]=(0,x.withModifiers)(((...e)=>l.updateAttachedResource&&l.updateAttachedResource(...e)),["prevent"])),onChange:t[2]||(t[2]=(...e)=>l.onUpdateFormStatus&&l.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off"},[(0,x.createVNode)(u,{class:"mb-8"},{default:(0,x.withCtx)((()=>[r.parentResource?((0,x.openBlock)(),(0,x.createElementBlock)("div",Ye,[(0,x.createElementVNode)("div",Xe,[(0,x.createElementVNode)("label",{for:r.parentResource.name,class:"inline-block text-gray-500 pt-2 leading-tight"},(0,x.toDisplayString)(r.parentResource.name),9,et)]),(0,x.createElementVNode)("div",tt,[(0,x.createElementVNode)("span",rt,(0,x.toDisplayString)(r.parentResource.display),1)])])):(0,x.createCommentVNode)("",!0),(0,x.createVNode)(c,{field:e.field,errors:e.validationErrors,"show-help-text":!0},{field:(0,x.withCtx)((()=>[(0,x.createVNode)(s,{class:(0,x.normalizeClass)(["w-full",{"form-control-bordered-error":e.validationErrors.has(e.field.attribute)}]),dusk:"attachable-select",selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:l.selectResourceFromSelectControl,disabled:"",options:e.availableResources,label:"display"},{default:(0,x.withCtx)((()=>[(0,x.createElementVNode)("option",ot,(0,x.toDisplayString)(e.__("Choose :field",{field:e.field.name})),1)])),_:1},8,["class","selected","onChange","options"])])),_:1},8,["field","errors"]),(0,x.createVNode)(d,{loading:e.loading},{default:(0,x.withCtx)((()=>[((0,x.openBlock)(!0),(0,x.createElementBlock)(x.Fragment,null,(0,x.renderList)(e.fields,(t=>((0,x.openBlock)(),(0,x.createElementBlock)("div",null,[((0,x.openBlock)(),(0,x.createBlock)((0,x.resolveDynamicComponent)("form-"+t.component),{"resource-name":r.resourceName,"resource-id":r.resourceId,field:t,"form-unique-id":e.formUniqueId,errors:e.validationErrors,"related-resource-name":r.relatedResourceName,"related-resource-id":r.relatedResourceId,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,"show-help-text":!0},null,8,["resource-name","resource-id","field","form-unique-id","errors","related-resource-name","related-resource-id","via-resource","via-resource-id","via-relationship"]))])))),256))])),_:1},8,["loading"])])),_:1}),(0,x.createElementVNode)("div",nt,[(0,x.createVNode)(h,{dusk:"cancel-update-attached-button",onClick:l.cancelUpdatingAttachedResource,label:e.__("Cancel"),variant:"ghost"},null,8,["onClick","label"]),(0,x.createVNode)(h,{class:"mr-3",dusk:"update-and-continue-editing-button",onClick:(0,x.withModifiers)(l.updateAndContinueEditing,["prevent"]),disabled:l.isWorking,loading:e.submittedViaUpdateAndContinueEditing},{default:(0,x.withCtx)((()=>[(0,x.createTextVNode)((0,x.toDisplayString)(e.__("Update & Continue Editing")),1)])),_:1},8,["onClick","disabled","loading"]),(0,x.createVNode)(h,{dusk:"update-button",type:"submit",disabled:l.isWorking,loading:e.submittedViaUpdateAttachedResource},{default:(0,x.withCtx)((()=>[(0,x.createTextVNode)((0,x.toDisplayString)(e.__("Update :resource",{resource:l.relatedResourceLabel})),1)])),_:1},8,["disabled","loading"])])],40,Je)):(0,x.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","UpdateAttached.vue"]]);function dt(e,t,r){r.keys().forEach((o=>{const n=r(o),l=_()(E()(o.split("/").pop().replace(/\.\w+$/,"")));e.component(t+l,n.default||n)}))}var ut=r(6411),ht=r.n(ut),pt=r(55947),mt=r(39754),vt=r.n(mt),ft=r(2673);const gt={state:()=>({baseUri:"/nova",currentUser:null,mainMenu:[],userMenu:[],breadcrumbs:[],resources:[],version:"4.x",mainMenuShown:!1,canLeaveForm:!0,canLeaveModal:!0,pushStateWasTriggered:!1,validLicense:!0,queryStringParams:{},compiledQueryStringParams:""}),getters:{currentUser:e=>e.currentUser,currentVersion:e=>e.version,mainMenu:e=>e.mainMenu,userMenu:e=>e.userMenu,breadcrumbs:e=>e.breadcrumbs,mainMenuShown:e=>e.mainMenuShown,canLeaveForm:e=>e.canLeaveForm,canLeaveFormToPreviousPage:e=>e.canLeaveForm&&!e.pushStateWasTriggered,canLeaveModal:e=>e.canLeaveModal,validLicense:e=>e.validLicense,queryStringParams:e=>e.queryStringParams},mutations:{allowLeavingForm(e){e.canLeaveForm=!0},preventLeavingForm(e){e.canLeaveForm=!1},allowLeavingModal(e){e.canLeaveModal=!0},preventLeavingModal(e){e.canLeaveModal=!1},triggerPushState(e){m.Inertia.pushState(m.Inertia.page),m.Inertia.ignoreHistoryState=!0,e.pushStateWasTriggered=!0},resetPushState(e){e.pushStateWasTriggered=!1},toggleMainMenu(e){e.mainMenuShown=!e.mainMenuShown,localStorage.setItem("nova.mainMenu.open",e.mainMenuShown)}},actions:{async login({commit:e,dispatch:t},{email:r,password:o,remember:n}){await Nova.request().post(Nova.url("/login"),{email:r,password:o,remember:n})},async logout({state:e},t){let r=null;return r=!Nova.config("withAuthentication")&&t?await Nova.request().post(t):await Nova.request().post(Nova.url("/logout")),r?.data?.redirect||null},async startImpersonating({},{resource:e,resourceId:t}){let r=null;r=await Nova.request().post("/nova-api/impersonate",{resource:e,resourceId:t});let o=r?.data?.redirect||null;null===o?Nova.visit("/"):location.href=o},async stopImpersonating({}){let e=null;e=await Nova.request().delete("/nova-api/impersonate");let t=e?.data?.redirect||null;null===t?Nova.visit("/"):location.href=t},async assignPropsFromInertia({state:e,dispatch:t}){let r=(0,B.N5)().props.value.novaConfig||Nova.appConfig,{resources:o,base:n,version:l,mainMenu:i,userMenu:a}=r,s=(0,B.N5)().props.value.currentUser,c=(0,B.N5)().props.value.validLicense,d=(0,B.N5)().props.value.breadcrumbs;Nova.appConfig=r,e.breadcrumbs=d||[],e.currentUser=s,e.validLicense=c,e.resources=o,e.baseUri=n,e.version=l,e.mainMenu=i,e.userMenu=a,t("syncQueryString")},async fetchPolicies({state:e,dispatch:t}){await t("assignPropsFromInertia")},async syncQueryString({state:e}){let t=new URLSearchParams(window.location.search);e.queryStringParams=Object.fromEntries(t.entries()),e.compiledQueryStringParams=t.toString()},async updateQueryString({state:e},t){let r=new URLSearchParams(window.location.search),o=m.Inertia.page;return vt()(t,((e,t)=>{(0,ft.A)(e)?r.set(t,e||""):r.delete(t)})),e.compiledQueryStringParams!==r.toString()&&(o.url!==`${window.location.pathname}?${r}`&&(o.url=`${window.location.pathname}?${r}`,window.history.pushState(o,"",`${window.location.pathname}?${r}`)),e.compiledQueryStringParams=r.toString()),Nova.$emit("query-string-changed",r),e.queryStringParams=Object.fromEntries(r.entries()),new Promise(((e,t)=>{e(r)}))}}},wt={state:()=>({notifications:[],notificationsShown:!1,unreadNotifications:!1}),getters:{notifications:e=>e.notifications,notificationsShown:e=>e.notificationsShown,unreadNotifications:e=>e.unreadNotifications},mutations:{toggleNotifications(e){e.notificationsShown=!e.notificationsShown,localStorage.setItem("nova.mainMenu.open",e.notificationsShown)}},actions:{async fetchNotifications({state:e}){const{data:{notifications:t,unread:r}}=await Nova.request().get("/nova-api/nova-notifications");e.notifications=t,e.unreadNotifications=r},async markNotificationAsUnread({state:e,dispatch:t},r){await Nova.request().post(`/nova-api/nova-notifications/${r}/unread`),t("fetchNotifications")},async markNotificationAsRead({state:e,dispatch:t},r){await Nova.request().post(`/nova-api/nova-notifications/${r}/read`),t("fetchNotifications")},async deleteNotification({state:e,dispatch:t},r){await Nova.request().delete(`/nova-api/nova-notifications/${r}`),t("fetchNotifications")},async deleteAllNotifications({state:e,dispatch:t},r){await Nova.request().delete("/nova-api/nova-notifications"),t("fetchNotifications")},async markAllNotificationsAsRead({state:e,dispatch:t},r){await Nova.request().post("/nova-api/nova-notifications/read-all"),t("fetchNotifications")}}};function kt(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function yt(e){for(var t=1;t({filters:[],originalFilters:[]}),getters:{filters:e=>e.filters,originalFilters:e=>e.originalFilters,hasFilters:e=>Boolean(e.filters.length>0),currentFilters:(e,t)=>Et()(Nt()(e.filters),(e=>({[e.class]:e.currentValue}))),currentEncodedFilters:(e,t)=>btoa((0,At.L)(JSON.stringify(t.currentFilters))),filtersAreApplied:(e,t)=>t.activeFilterCount>0,activeFilterCount:(e,t)=>_t()(e.filters,((e,r)=>{const o=t.getOriginalFilter(r.class),n=JSON.stringify(o.currentValue);return JSON.stringify(r.currentValue)==n?e:e+1}),0),getFilter:e=>t=>$e()(e.filters,(e=>e.class==t)),getOriginalFilter:e=>t=>$e()(e.originalFilters,(e=>e.class==t)),getOptionsForFilter:(e,t)=>e=>{const r=t.getFilter(e);return r?r.options:[]},filterOptionValue:(e,t)=>(e,r)=>{const o=t.getFilter(e);return $e()(o.currentValue,((e,t)=>t==r))}},actions:{async fetchFilters({commit:e,state:t},r){let{resourceName:o,lens:n=!1}=r,{viaResource:l,viaResourceId:i,viaRelationship:a,relationshipType:s}=r,c={params:{viaResource:l,viaResourceId:i,viaRelationship:a,relationshipType:s}};const{data:d}=n?await Nova.request().get("/nova-api/"+o+"/lens/"+n+"/filters",c):await Nova.request().get("/nova-api/"+o+"/filters",c);e("storeFilters",d)},async resetFilterState({commit:e,getters:t}){je()(t.originalFilters,(t=>{e("updateFilterState",{filterClass:t.class,value:t.currentValue})}))},async initializeCurrentFilterValuesFromQueryString({commit:e,getters:t},r){if(r){const t=JSON.parse(atob(r));je()(t,(t=>{if(t.hasOwnProperty("class")&&t.hasOwnProperty("value"))e("updateFilterState",{filterClass:t.class,value:t.value});else for(let r in t)e("updateFilterState",{filterClass:r,value:t[r]})}))}}},mutations:{updateFilterState(e,{filterClass:t,value:r}){const o=$e()(e.filters,(e=>e.class==t));null!=o&&(o.currentValue=r)},storeFilters(e,t){e.filters=t,e.originalFilters=Bt()(t)},clearFilters(e){e.filters=[],e.originalFilters=[]}}};var Ot=r(63218),Mt=r(44377),Rt=r.n(Mt),Dt=r(85015),zt=r.n(Dt),Pt=r(90179),Ft=r.n(Pt),Tt=r(52647),jt=r(51504),It=r.n(jt);const $t={id:"nova"},Lt={dusk:"content"},Ut={class:"hidden lg:block lg:absolute left-0 bottom-0 lg:top-[56px] lg:bottom-auto w-60 px-3 py-8"},qt={class:"p-4 md:py-8 md:px-12 lg:ml-60 space-y-8"};var Kt=r(13477),Wt=r(5620);const Gt={class:"bg-white dark:bg-gray-800 flex items-center h-14 shadow-b dark:border-b dark:border-gray-700"},Qt={class:"hidden lg:w-60 shrink-0 md:flex items-center"},Zt={class:"flex flex-1 px-4 sm:px-8 lg:px-12"},Jt={class:"isolate relative flex items-center pl-6 ml-auto"},Yt={class:"relative z-50"},Xt={class:"relative z-[40] hidden md:flex ml-2"},er={key:0,class:"lg:hidden w-60"},tr={class:"fixed inset-0 flex z-50"},rr={class:"absolute top-0 right-0 -mr-12 pt-2"},or=["aria-label"],nr=[(0,x.createElementVNode)("svg",{class:"h-6 w-6 text-white",xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor","aria-hidden":"true"},[(0,x.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 18L18 6M6 6l12 12"})],-1)],lr={class:"px-2 border-b border-gray-200 dark:border-gray-700"},ir={class:"flex flex-col gap-2 justify-between h-full py-3 px-3 overflow-x-auto"},ar={class:"py-1"},sr={class:"mt-auto"},cr=(0,x.createElementVNode)("div",{class:"shrink-0 w-14","aria-hidden":"true"},null,-1),dr={__name:"MainHeader",setup(e){const t=(0,le.Pj)(),r=(0,x.ref)(null),{activate:o,deactivate:n}=(0,Wt.r)(r,{initialFocus:!0,allowOutsideClick:!1,escapeDeactivates:!1}),l=()=>t.commit("toggleMainMenu"),i=(0,x.computed)((()=>Nova.config("globalSearchEnabled"))),a=(0,x.computed)((()=>Nova.config("notificationCenterEnabled"))),s=(0,x.computed)((()=>t.getters.mainMenuShown)),c=(0,x.computed)((()=>Nova.config("appName")));return(0,x.watch)((()=>s.value),(e=>{if(!0===e)return document.body.classList.add("overflow-y-hidden"),void Nova.pauseShortcuts();document.body.classList.remove("overflow-y-hidden"),Nova.resumeShortcuts(),n()})),(0,x.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),n()})),(e,t)=>{const o=(0,x.resolveComponent)("AppLogo"),n=(0,x.resolveComponent)("Link"),d=(0,x.resolveComponent)("GlobalSearch"),u=(0,x.resolveComponent)("ThemeDropdown"),h=(0,x.resolveComponent)("NotificationCenter"),p=(0,x.resolveComponent)("UserMenu"),m=(0,x.resolveComponent)("MainMenu"),v=(0,x.resolveComponent)("MobileUserMenu");return(0,x.openBlock)(),(0,x.createElementBlock)("div",null,[(0,x.createElementVNode)("header",Gt,[(0,x.createVNode)((0,x.unref)(qe.A),{icon:"bars-3",class:"lg:hidden ml-1",variant:"action",onClick:(0,x.withModifiers)(l,["prevent"]),"aria-label":e.__("Toggle Sidebar"),"aria-expanded":s.value?"true":"false"},null,8,["aria-label","aria-expanded"]),(0,x.createElementVNode)("div",Qt,[(0,x.createVNode)(n,{href:e.$url("/"),class:"text-gray-900 hover:text-gray-500 active:text-gray-900 dark:text-gray-400 dark:hover:text-gray-300 dark:active:text-gray-500 h-12 rounded-lg flex items-center ml-2 focus:ring focus:ring-inset focus:outline-none ring-primary-200 dark:ring-gray-600 px-4","aria-label":c.value},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(o,{class:"h-6"})])),_:1},8,["href","aria-label"]),(0,x.createVNode)((0,x.unref)(Kt.default))]),(0,x.createElementVNode)("div",Zt,[i.value?((0,x.openBlock)(),(0,x.createBlock)(d,{key:0,class:"relative",dusk:"global-search-component"})):(0,x.createCommentVNode)("",!0),(0,x.createElementVNode)("div",Jt,[(0,x.createVNode)(u),(0,x.createElementVNode)("div",Yt,[a.value?((0,x.openBlock)(),(0,x.createBlock)(h,{key:0})):(0,x.createCommentVNode)("",!0)]),(0,x.createElementVNode)("div",Xt,[(0,x.createVNode)(p)])])])]),((0,x.openBlock)(),(0,x.createBlock)(x.Teleport,{to:"body"},[(0,x.createVNode)(x.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,x.withCtx)((()=>[s.value?((0,x.openBlock)(),(0,x.createElementBlock)("div",er,[(0,x.createElementVNode)("div",tr,[(0,x.createElementVNode)("div",{class:"fixed inset-0","aria-hidden":"true"},[(0,x.createElementVNode)("div",{onClick:l,class:"absolute inset-0 bg-gray-600/75 dark:bg-gray-900/75"})]),(0,x.createElementVNode)("div",{ref_key:"modalContent",ref:r,class:"bg-white dark:bg-gray-800 relative flex flex-col max-w-xxs w-full"},[(0,x.createElementVNode)("div",rr,[(0,x.createElementVNode)("button",{onClick:(0,x.withModifiers)(l,["prevent"]),class:"ml-1 flex items-center justify-center h-10 w-10 rounded-full focus:outline-none focus:ring-2 focus:ring-inset focus:ring-white","aria-label":e.__("Close Sidebar")},nr,8,or)]),(0,x.createElementVNode)("div",lr,[(0,x.createVNode)(n,{href:e.$url("/"),class:"text-gray-900 hover:text-gray-500 active:text-gray-900 dark:text-gray-400 dark:hover:text-gray-300 dark:active:text-gray-500 h-12 px-2 rounded-lg flex items-center focus:ring focus:ring-inset focus:outline-none","aria-label":c.value},{default:(0,x.withCtx)((()=>[(0,x.createVNode)(o,{class:"h-6"})])),_:1},8,["href","aria-label"])]),(0,x.createElementVNode)("div",ir,[(0,x.createElementVNode)("div",ar,[(0,x.createVNode)(m,{"data-screen":"responsive"})]),(0,x.createElementVNode)("div",sr,[(0,x.createVNode)(v)])]),cr],512)])])):(0,x.createCommentVNode)("",!0)])),_:1})]))])}}},ur=["innerHTML"];const hr={computed:{footer:()=>window.Nova.config("footer")}},pr={components:{MainHeader:(0,F.A)(dr,[["__file","MainHeader.vue"]]),Footer:(0,F.A)(hr,[["render",function(e,t,r,o,n,l){return(0,x.openBlock)(),(0,x.createElementBlock)("div",{class:"mt-8 leading-normal text-xs text-gray-500 space-y-1",innerHTML:l.footer},null,8,ur)}],["__file","Footer.vue"]])},mounted(){Nova.$on("error",this.handleError),Nova.$on("token-expired",this.handleTokenExpired)},beforeUnmount(){Nova.$off("error",this.handleError),Nova.$off("token-expired",this.handleTokenExpired)},methods:{handleError(e){Nova.error(e)},handleTokenExpired(){Nova.$toasted.show(this.__("Sorry, your session has expired."),{action:{onClick:()=>Nova.redirectToLogin(),text:this.__("Reload")},duration:null,type:"error"}),setTimeout((()=>{Nova.redirectToLogin()}),5e3)}},computed:{breadcrumbsEnabled:()=>Nova.config("breadcrumbsEnabled")}},mr=(0,F.A)(pr,[["render",function(e,t,r,o,n,l){const i=(0,x.resolveComponent)("MainHeader"),a=(0,x.resolveComponent)("MainMenu"),s=(0,x.resolveComponent)("Breadcrumbs"),c=(0,x.resolveComponent)("FadeTransition"),d=(0,x.resolveComponent)("Footer");return(0,x.openBlock)(),(0,x.createElementBlock)("div",$t,[(0,x.createVNode)(i),(0,x.createElementVNode)("div",Lt,[(0,x.createElementVNode)("div",Ut,[(0,x.createVNode)(a,{class:"pb-24","data-screen":"desktop"})]),(0,x.createElementVNode)("div",qt,[l.breadcrumbsEnabled?((0,x.openBlock)(),(0,x.createBlock)(s,{key:0})):(0,x.createCommentVNode)("",!0),(0,x.createVNode)(c,null,{default:(0,x.withCtx)((()=>[(0,x.renderSlot)(e.$slots,"default")])),_:3}),(0,x.createVNode)(d)])])])}],["__file","AppLayout.vue"]]);var vr=r(91272),fr=r(80833);const{parseColor:gr}=r(50098),wr=new(It());class kr{constructor(e){this.bootingCallbacks=[],this.appConfig=e,this.useShortcuts=!0,this.pages={"Nova.Attach":r(87038).A,"Nova.Create":r(80530).A,"Nova.Dashboard":r(64355).A,"Nova.Detail":r(86586).A,"Nova.Error":r(34573).A,"Nova.Error403":r(67806).A,"Nova.Error404":r(15422).A,"Nova.ForgotPassword":r(58005).A,"Nova.Index":r(9888).A,"Nova.Lens":r(25078).A,"Nova.Login":r(40277).A,"Nova.Replicate":r(58513).A,"Nova.ResetPassword":r(87568).A,"Nova.Update":r(11017).A,"Nova.UpdateAttached":r(28471).A},this.$toasted=new Tt.A({theme:"nova",position:e.rtlEnabled?"bottom-left":"bottom-right",duration:6e3}),this.$progress=N(),this.$router=m.Inertia,!0===e.debug&&(this.$testing={timezone:e=>{vr.wB.defaultZoneName=e}})}booting(e){this.bootingCallbacks.push(e)}boot(){this.store=(0,le.y$)(yt(yt({},gt),{},{modules:{nova:{namespaced:!0,modules:{notifications:wt}}}})),this.bootingCallbacks.forEach((e=>e(this.app,this.store))),this.bootingCallbacks=[]}booted(e){e(this.app,this.store)}async countdown(){this.log("Initiating Nova countdown...");const e=this.config("appName");await(0,B.sj)({title:t=>t?`${t} - ${e}`:e,resolve:e=>{const t=s()(this.pages[e])?r(15422).A:this.pages[e];return t.layout=t.layout||mr,t},setup:({el:e,App:t,props:r,plugin:o})=>{this.mountTo=e,this.app=(0,x.createApp)({render:()=>(0,x.h)(t,r)}),this.app.use(o),this.app.use(Ot.Ay,{preventOverflow:!0,flip:!0,themes:{Nova:{$extend:"tooltip",triggers:["click"],autoHide:!0,placement:"bottom",html:!0}}})}})}liftOff(){var e;this.log("We have lift off!"),this.boot(),this.config("notificationCenterEnabled")&&(this.notificationPollingInterval=setInterval((()=>{document.hasFocus()&&this.$emit("refresh-notifications")}),this.config("notificationPollingInterval"))),this.registerStoreModules(),this.app.mixin(l.A),function(){v.y.init({delay:250,includeCSS:!1,showSpinner:!1});const e=function(e){!1===this.ignoreHistoryState&&this.handlePopstateEvent(e)};m.Inertia.ignoreHistoryState=!1,m.Inertia.setupEventListeners=function(){window.addEventListener("popstate",e.bind(m.Inertia)),document.addEventListener("scroll",g()(m.Inertia.handleScrollEvent.bind(m.Inertia),100),!0)}}(),document.addEventListener("inertia:before",(()=>{(async()=>{this.log("Syncing Inertia props to the store..."),await this.store.dispatch("assignPropsFromInertia")})()})),document.addEventListener("inertia:navigate",(()=>{(async()=>{this.log("Syncing Inertia props to the store..."),await this.store.dispatch("assignPropsFromInertia")})()})),this.app.mixin({methods:{$url:(e,t)=>this.url(e,t)}}),this.component("Link",B.N_),this.component("InertiaLink",B.N_),this.component("Head",B.p3),function(e){e.component("CustomError403",K),e.component("CustomError404",I),e.component("CustomAppError",J),e.component("ResourceIndex",de),e.component("ResourceDetail",ye),e.component("AttachResource",Ze),e.component("UpdateAttachedResource",ct);const t=r(60630);t.keys().forEach((r=>{const o=t(r),n=_()(E()(r.split("/").pop().replace(/\.\w+$/,"")));e.component(n,o.default||o)}))}(this),dt(e=this,"Index",r(49020)),dt(e,"Detail",r(11079)),dt(e,"Form",r(67970)),dt(e,"Filter",r(77978)),this.app.mount(this.mountTo);let t=ht().prototype.stopCallback;ht().prototype.stopCallback=(e,r,o)=>!this.useShortcuts||t.call(this,e,r,o),ht().init(),this.applyTheme(),this.log("All systems go...")}config(e){return this.appConfig[e]}form(e){return new pt.Ay(e,{http:this.request()})}request(e){let t=c();return void 0!==e?t(e):t}url(e,t){return"/"===e&&(e=this.config("initialPath")),function(e,t,r){let o=new URLSearchParams(b()(r||{},k())).toString();return"/"==e&&t.startsWith("/")&&(e=""),e+t+(o.length>0?`?${o}`:"")}(this.config("base"),e,t)}$on(...e){wr.on(...e)}$once(...e){wr.once(...e)}$off(...e){wr.off(...e)}$emit(...e){wr.emit(...e)}missingResource(e){return void 0===$e()(this.config("resources"),(t=>t.uriKey===e))}addShortcut(e,t){ht().bind(e,t)}disableShortcut(e){ht().unbind(e)}pauseShortcuts(){this.useShortcuts=!1}resumeShortcuts(){this.useShortcuts=!0}registerStoreModules(){this.app.use(this.store),this.config("resources").forEach((e=>{this.store.registerModule(e.uriKey,Ht)}))}inertia(e,t){this.pages[e]=t}component(e,t){s()(this.app._context.components[e])&&this.app.component(e,t)}info(e){this.$toasted.show(e,{type:"info"})}error(e){this.$toasted.show(e,{type:"error"})}success(e){this.$toasted.show(e,{type:"success"})}warning(e){this.$toasted.show(e,{type:"warning"})}formatNumber(e,t){var r;const o=((r=document.querySelector('meta[name="locale"]').content)&&(r=r.replace("_","-"),Object.values(p()).forEach((e=>{let t=e.languageTag;r!==t&&r!==t.substr(0,2)||u().registerLanguage(e)})),u().setLanguage(r)),u().setDefaults({thousandSeparated:!0}),u())(e);return void 0!==t?o.format(t):o.format()}log(e,t="log"){console[t]("[NOVA]",e)}redirectToLogin(){const e=!this.config("withAuthentication")&&this.config("customLoginPath")?this.config("customLoginPath"):this.url("/login");this.visit({remote:!0,url:e})}visit(e,t){t=t||{};const r=t?.openInNewTab||null;if(zt()(e))m.Inertia.visit(this.url(e),Ft()(t,["openInNewTab"]));else if(zt()(e.url)&&e.hasOwnProperty("remote")){if(!0===e.remote)return void(!0===r?window.open(e.url,"_blank"):window.location=e.url);m.Inertia.visit(e.url,Ft()(t,["openInNewTab"]))}}applyTheme(){const e=this.config("brandColors");if(Object.keys(e).length>0){const t=document.createElement("style");let r=Object.keys(e).reduce(((t,r)=>{let o=e[r],n=gr(o);if(n){let e=gr(fr.GB.toRGBA(function(e){let t=Rt()(Array.from(e.mode).map(((t,r)=>[t,e.color[r]])));void 0!==e.alpha&&(t.a=e.alpha);return t}(n)));return t+`\n --colors-primary-${r}: ${`${e.color.join(" ")} / ${e.alpha}`};`}return t+`\n --colors-primary-${r}: ${o};`}),"");t.innerHTML=`:root {${r}\n}`,document.head.append(t)}}}r(47216),r(94411),r(98e3),r(10386),r(13684),r(17246),r(20496),r(12082),r(48460),r(40576),r(73012),r(83838),r(71275),r(29532),r(11956),r(12520),r(98232);window.Vue=r(29726),window.createNovaApp=e=>new kr(e),n().defineMode("htmltwig",(function(e,t){return n().overlayMode(n().getMode(e,t.backdrop||"text/html"),n().getMode(e,"twig"))}))},66543:(e,t,r)=>{"use strict";r.d(t,{d:()=>B});var o=r(18700),n=r(29726),l=r(76135),i=r.n(l),a=r(7309),s=r.n(a),c=r(87612),d=r.n(c),u=r(69843),h=r.n(u),p=r(23805),m=r.n(p),v=r(55378),f=r.n(v),g=r(15101),w=r.n(g),k=r(44826),y=r.n(k),b=r(10515);const{__:x}=(0,b.B)();function B(e,t,r){const l=(0,n.reactive)({working:!1,errors:new o.I,actionModalVisible:!1,responseModalVisible:!1,selectedActionKey:"",endpoint:e.endpoint||`/nova-api/${e.resourceName}/action`,actionResponseData:null}),a=(0,n.computed)((()=>e.selectedResources)),c=(0,n.computed)((()=>{if(l.selectedActionKey)return s()(u.value,(e=>e.uriKey===l.selectedActionKey))})),u=(0,n.computed)((()=>e.actions.concat(e.pivotActions?.actions||[]))),p=(0,n.computed)((()=>r.getters[`${e.resourceName}/currentEncodedFilters`])),v=(0,n.computed)((()=>e.viaRelationship?e.viaRelationship+"_search":e.resourceName+"_search")),g=(0,n.computed)((()=>r.getters.queryStringParams[v.value]||"")),k=(0,n.computed)((()=>e.viaRelationship?e.viaRelationship+"_trashed":e.resourceName+"_trashed")),b=(0,n.computed)((()=>r.getters.queryStringParams[k.value]||"")),B=(0,n.computed)((()=>d()(e.actions,(e=>a.value.length>0&&!e.standalone)))),C=(0,n.computed)((()=>e.pivotActions?d()(e.pivotActions.actions,(e=>0!==a.value.length||e.standalone)):[])),N=(0,n.computed)((()=>C.value.length>0)),V=(0,n.computed)((()=>N.value&&Boolean(s()(e.pivotActions.actions,(e=>e===c.value))))),E=(0,n.computed)((()=>({action:l.selectedActionKey,pivotAction:V.value,search:g.value,filters:p.value,trashed:b.value,viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}))),S=(0,n.computed)((()=>w()(new FormData,(e=>{if("all"===a.value)e.append("resources","all");else{let t=d()(f()(a.value,(e=>m()(e)?e.id.pivotValue:null)));i()(a.value,(t=>e.append("resources[]",m()(t)?t.id.value:t))),"all"!==a.value&&!0===V.value&&t.length>0&&i()(t,(t=>e.append("pivots[]",t)))}i()(c.value.fields,(t=>{t.fill(e)}))}))));function _(){c.value.withoutConfirmation?D():A()}function A(){l.actionModalVisible=!0}function H(){l.actionModalVisible=!1}function O(){l.responseModalVisible=!0}function M(e){t("actionExecuted"),Nova.$emit("action-executed"),"function"==typeof e&&e()}function R(e){if(e.danger)return Nova.error(e.danger);Nova.success(e.message||x("The action was executed successfully."))}function D(e){l.working=!0,Nova.$progress.start();let t=c.value.responseType??"json";Nova.request({method:"post",url:l.endpoint,params:E.value,data:S.value,responseType:t}).then((async t=>{H(),z(t.data,t.headers,e)})).catch((e=>{e.response&&422===e.response.status&&("blob"===t?e.response.data.text().then((e=>{l.errors=new o.I(JSON.parse(e).errors)})):l.errors=new o.I(e.response.data.errors),Nova.error(x("There was a problem executing the action.")))})).finally((()=>{l.working=!1,Nova.$progress.done()}))}function z(e,t,r){let o=t["content-disposition"];if(!(e instanceof Blob&&h()(o)&&"application/json"===e.type))return e instanceof Blob?M((async()=>{let t="unknown";if(o){let e=o.split(";")[1].match(/filename=(.+)/);2===e.length&&(t=y()(e[1],'"'))}await(0,n.nextTick)((()=>{let r=window.URL.createObjectURL(new Blob([e])),o=document.createElement("a");o.href=r,o.setAttribute("download",t),document.body.appendChild(o),o.click(),o.remove(),window.URL.revokeObjectURL(r)}))})):e.modal?(l.actionResponseData=e,R(e),O()):e.download?M((async()=>{R(e),await(0,n.nextTick)((()=>{let t=document.createElement("a");t.href=e.download,t.download=e.name,document.body.appendChild(t),t.click(),document.body.removeChild(t)}))})):e.deleted?M((()=>R(e))):(e.redirect&&(window.location=e.redirect),e.visit?(R(e),Nova.visit({url:Nova.url(e.visit.path,e.visit.options),remote:!1})):e.openInNewTab?M((()=>window.open(e.openInNewTab,"_blank"))):void M((()=>R(e))));e.text().then((e=>{z(JSON.parse(e),t)}))}return{errors:(0,n.computed)((()=>l.errors)),working:(0,n.computed)((()=>l.working)),actionModalVisible:(0,n.computed)((()=>l.actionModalVisible)),responseModalVisible:(0,n.computed)((()=>l.responseModalVisible)),selectedActionKey:(0,n.computed)((()=>l.selectedActionKey)),determineActionStrategy:_,setSelectedActionKey:function(e){l.selectedActionKey=e},openConfirmationModal:A,closeConfirmationModal:H,openResponseModal:O,closeResponseModal:function(){l.responseModalVisible=!1},handleActionClick:function(e){l.selectedActionKey=e,_()},selectedAction:c,allActions:u,availableActions:B,availablePivotActions:C,executeAction:D,actionResponseData:(0,n.computed)((()=>l.actionResponseData))}}},10894:(e,t,r)=>{"use strict";r.d(t,{g:()=>n});var o=r(29726);function n(e){const t=(0,o.ref)(!1),r=(0,o.ref)([]);return{startedDrag:t,handleOnDragEnter:()=>t.value=!0,handleOnDragLeave:()=>t.value=!1,handleOnDrop:t=>{r.value=t.dataTransfer.files,e("fileChanged",t.dataTransfer.files)}}}},10515:(e,t,r)=>{"use strict";r.d(t,{B:()=>n});var o=r(52092);function n(){return{__:(e,t)=>(0,o.A)(e,t)}}},63808:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(69843),n=r.n(o);class l{constructor(e,t){this.attribute=e,this.formData=t,this.localFormData=new FormData}append(e,...t){this.localFormData.append(e,...t),this.formData.append(this.name(e),...t)}delete(e){this.localFormData.delete(e),this.formData.delete(this.name(e))}entries(){return this.localFormData.entries()}get(e){return this.localFormData.get(e)}getAll(e){return this.localFormData.getAll(e)}has(e){return this.localFormData.has(e)}keys(){return this.localFormData.keys()}set(e,...t){this.localFormData.set(e,...t),this.formData.set(this.name(e),...t)}values(){return this.localFormData.values()}name(e){let[t,...r]=e.split("[");return!n()(r)&&r.length>0?`${this.attribute}[${t}][${r.join("[")}`:`${this.attribute}[${e}]`}slug(e){return`${this.attribute}.${e}`}}},36334:(e,t,r)=>{"use strict";r.d(t,{A:()=>n});var o=r(52092);const n={methods:{__:(e,t)=>(0,o.A)(e,t)}}},18700:(e,t,r)=>{"use strict";r.d(t,{x7:()=>a,pJ:()=>de,nl:()=>c,Tu:()=>S,Gj:()=>ee,I:()=>te.I,IR:()=>xe,S0:()=>Ne,pF:()=>Ve,c_:()=>K,zB:()=>Q,Qy:()=>he,B5:()=>re,sK:()=>_e,qR:()=>oe,_w:()=>pe,k6:()=>ge,Kx:()=>Te,Z4:()=>le,XJ:()=>ie,Ye:()=>ce,vS:()=>me,je:()=>ue,Nw:()=>Ae,dn:()=>He,Bz:()=>fe,rd:()=>f,Uf:()=>y,IJ:()=>Oe,zJ:()=>ve,rr:()=>i});var o=r(44383),n=r.n(o);const l={nested:{type:Boolean,default:!1},preventInitialLoading:{type:Boolean,default:!1},showHelpText:{type:Boolean,default:!1},shownViaNewRelationModal:{type:Boolean,default:!1},resourceId:{type:[Number,String]},resourceName:{type:String},relatedResourceId:{type:[Number,String]},relatedResourceName:{type:String},field:{type:Object,required:!0},viaResource:{type:String,required:!1},viaResourceId:{type:[String,Number],required:!1},viaRelationship:{type:String,required:!1},relationshipType:{type:String,default:""},shouldOverrideMeta:{type:Boolean,default:!1},disablePagination:{type:Boolean,default:!1},clickAction:{type:String,default:"view",validator:e=>["edit","select","ignore","detail"].includes(e)},mode:{type:String,default:"form",validator:e=>["form","modal","action-modal","action-fullscreen"].includes(e)}};function i(e){return n()(l,e)}const a={emits:["actionExecuted"],props:["resourceName","resourceId","resource","panel"],methods:{actionExecuted(){this.$emit("actionExecuted")}}},s={methods:{copyValueToClipboard(e){if(navigator.clipboard)navigator.clipboard.writeText(e);else if(window.clipboardData)window.clipboardData.setData("Text",e);else{let t=document.createElement("input"),[r,o]=[document.documentElement.scrollTop,document.documentElement.scrollLeft];document.body.appendChild(t),t.value=e,t.focus(),t.select(),document.documentElement.scrollTop=r,document.documentElement.scrollLeft=o,document.execCommand("copy"),t.remove()}}}};const c=s;var d=r(66278),u=r(6265),h=r(2673);function p(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function m(e){for(var t=1;t{this.removeOnNavigationChangesEvent(),this.handlePreventFormAbandonmentOnInertia(e)})),window.addEventListener("beforeunload",this.handlePreventFormAbandonmentOnInertia),this.removeOnBeforeUnloadEvent=()=>{window.removeEventListener("beforeunload",this.handlePreventFormAbandonmentOnInertia),this.removeOnBeforeUnloadEvent=()=>{}}},mounted(){window.onpopstate=e=>{this.handlePreventFormAbandonmentOnPopState(e)}},beforeUnmount(){this.removeOnBeforeUnloadEvent()},unmounted(){this.removeOnNavigationChangesEvent(),this.resetPushState()},data:()=>({removeOnNavigationChangesEvent:null,removeOnBeforeUnloadEvent:null,navigateBackUsingHistory:!0}),methods:m(m({},(0,d.PY)(["allowLeavingForm","preventLeavingForm","triggerPushState","resetPushState"])),{},{updateFormStatus(){!0===this.canLeaveForm&&this.triggerPushState(),this.preventLeavingForm()},enableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},disableNavigateBackUsingHistory(){this.navigateBackUsingHistory=!1},handlePreventFormAbandonment(e,t){if(this.canLeaveForm)return void e();window.confirm(this.__("Do you really want to leave? You have unsaved changes."))?e():t()},handlePreventFormAbandonmentOnInertia(e){this.handlePreventFormAbandonment((()=>{this.handleProceedingToNextPage(),this.allowLeavingForm()}),(()=>{u.Inertia.ignoreHistoryState=!0,e.preventDefault(),e.returnValue="",this.removeOnNavigationChangesEvent=u.Inertia.on("before",(e=>{this.removeOnNavigationChangesEvent(),this.handlePreventFormAbandonmentOnInertia(e)}))}))},handlePreventFormAbandonmentOnPopState(e){e.stopImmediatePropagation(),e.stopPropagation(),this.handlePreventFormAbandonment((()=>{this.handleProceedingToPreviousPage(),this.allowLeavingForm()}),(()=>{this.triggerPushState()}))},handleProceedingToPreviousPage(){window.onpopstate=null,u.Inertia.ignoreHistoryState=!1,this.removeOnBeforeUnloadEvent(),!this.canLeaveFormToPreviousPage&&this.navigateBackUsingHistory&&window.history.back()},handleProceedingToNextPage(){window.onpopstate=null,u.Inertia.ignoreHistoryState=!1,this.removeOnBeforeUnloadEvent()},proceedToPreviousPage(e){this.navigateBackUsingHistory&&window.history.length>1?window.history.back():!this.navigateBackUsingHistory&&(0,h.A)(e)?Nova.visit(e,{replace:!0}):Nova.visit("/")}}),computed:m({},(0,d.L8)(["canLeaveForm","canLeaveFormToPreviousPage"]))};function g(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function w(e){for(var t=1;t{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},deleteSelectedResources(){this.deleteResources(this.selectedResources)},deleteAllMatchingResources(){return this.viaManyToMany?this.detachAllMatchingResources():Nova.request({url:this.deleteAllMatchingResourcesEndpoint,method:"delete",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},detachResources(e){return Nova.request({url:"/nova-api/"+this.resourceName+"/detach",method:"delete",params:V(V(V({},this.deletableQueryString),{resources:_(e)}),{pivots:A(e)})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-detached")})).finally((()=>{this.deleteModalOpen=!1}))},detachAllMatchingResources(){return Nova.request({url:"/nova-api/"+this.resourceName+"/detach",method:"delete",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-detached")})).finally((()=>{this.deleteModalOpen=!1}))},forceDeleteResources(e,t=null){return Nova.request({url:"/nova-api/"+this.resourceName+"/force",method:"delete",params:V(V({},this.deletableQueryString),{resources:_(e)})}).then(t||(()=>{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},forceDeleteSelectedResources(){this.forceDeleteResources(this.selectedResources)},forceDeleteAllMatchingResources(){return Nova.request({url:this.forceDeleteSelectedResourcesEndpoint,method:"delete",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-deleted")})).finally((()=>{this.deleteModalOpen=!1}))},restoreResources(e,t=null){return Nova.request({url:"/nova-api/"+this.resourceName+"/restore",method:"put",params:V(V({},this.deletableQueryString),{resources:_(e)})}).then(t||(()=>{this.getResources()})).then((()=>{Nova.$emit("resources-restored")})).finally((()=>{this.restoreModalOpen=!1}))},restoreSelectedResources(){this.restoreResources(this.selectedResources)},restoreAllMatchingResources(){return Nova.request({url:this.restoreAllMatchingResourcesEndpoint,method:"put",params:V(V({},this.deletableQueryString),{resources:"all"})}).then((()=>{this.getResources()})).then((()=>{Nova.$emit("resources-restored")})).finally((()=>{this.restoreModalOpen=!1}))}},computed:{deleteAllMatchingResourcesEndpoint(){return this.lens?"/nova-api/"+this.resourceName+"/lens/"+this.lens:"/nova-api/"+this.resourceName},forceDeleteSelectedResourcesEndpoint(){return this.lens?"/nova-api/"+this.resourceName+"/lens/"+this.lens+"/force":"/nova-api/"+this.resourceName+"/force"},restoreAllMatchingResourcesEndpoint(){return this.lens?"/nova-api/"+this.resourceName+"/lens/"+this.lens+"/restore":"/nova-api/"+this.resourceName+"/restore"},deletableQueryString(){return{search:this.currentSearch,filters:this.encodedFilters,trashed:this.currentTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}}}};function _(e){return C()(e,(e=>e.id.value))}function A(e){return x()(C()(e,(e=>e.id.pivotValue)))}var H=r(53110),O=r(38221),M=r.n(O),R=r(52420),D=r.n(R),z=r(58156),P=r.n(z),F=r(83488),T=r.n(F),j=r(62193),I=r.n(j),$=r(69843),L=r.n($),U=r(71086),q=r.n(U);const K={props:{formUniqueId:{type:String}},methods:{emitFieldValue(e,t){Nova.$emit(`${e}-value`,t),!0===this.hasFormUniqueId&&Nova.$emit(`${this.formUniqueId}-${e}-value`,t)},emitFieldValueChange(e,t){Nova.$emit(`${e}-change`,t),!0===this.hasFormUniqueId&&Nova.$emit(`${this.formUniqueId}-${e}-change`,t)},getFieldAttributeValueEventName(e){return!0===this.hasFormUniqueId?`${this.formUniqueId}-${e}-value`:`${e}-value`},getFieldAttributeChangeEventName(e){return!0===this.hasFormUniqueId?`${this.formUniqueId}-${e}-change`:`${e}-change`}},computed:{fieldAttribute(){return this.field.attribute},hasFormUniqueId(){return!L()(this.formUniqueId)&&""!==this.formUniqueId},fieldAttributeValueEventName(){return this.getFieldAttributeValueEventName(this.fieldAttribute)},fieldAttributeChangeEventName(){return this.getFieldAttributeChangeEventName(this.fieldAttribute)}}};function W(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function G(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const Q={extends:K,props:function(e){for(var t=1;t"",fill(e){this.fillIfVisible(e,this.fieldAttribute,String(this.value))},fillIfVisible(e,t,r){this.isVisible&&e.append(t,r)},handleChange(e){this.value=e.target.value,this.field&&(this.emitFieldValueChange(this.fieldAttribute,this.value),this.$emit("field-changed"))},beforeRemove(){},listenToValueChanges(e){this.value=e}},computed:{currentField(){return this.field},fullWidthContent(){return this.currentField.fullWidth||this.field.fullWidth},placeholder(){return this.currentField.placeholder||this.field.name},isVisible(){return this.field.visible},isReadonly(){return Boolean(this.field.readonly||P()(this.field,"extraAttributes.readonly"))},isActionRequest(){return["action-fullscreen","action-modal"].includes(this.mode)}}};var Z=r(23615);function J(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function Y(e){for(var t=1;t({dependentFieldDebouncer:null,canceller:null,watchedFields:{},watchedEvents:{},syncedField:null,pivot:!1,editMode:"create"}),created(){this.dependentFieldDebouncer=M()((e=>e()),50)},mounted(){""===this.relatedResourceName||L()(this.relatedResourceName)?""===this.resourceId||L()(this.resourceId)||(this.editMode="update"):(this.pivot=!0,""===this.relatedResourceId||L()(this.relatedResourceId)?this.editMode="attach":this.editMode="update-attached"),I()(this.dependsOn)||D()(this.dependsOn,((e,t)=>{this.watchedEvents[t]=e=>{this.watchedFields[t]=e,this.dependentFieldDebouncer((()=>{this.watchedFields[t]=e,this.syncField()}))},this.watchedFields[t]=e,Nova.$on(this.getFieldAttributeChangeEventName(t),this.watchedEvents[t])}))},beforeUnmount(){null!==this.canceller&&this.canceller(),I()(this.watchedEvents)||D()(this.watchedEvents,((e,t)=>{Nova.$off(this.getFieldAttributeChangeEventName(t),e)}))},methods:{setInitialValue(){this.value=void 0!==this.currentField.value&&null!==this.currentField.value?this.currentField.value:this.value},fillIfVisible(e,t,r){this.currentlyIsVisible&&e.append(t,r)},syncField(){null!==this.canceller&&this.canceller(),Nova.request().patch(this.syncEndpoint||this.syncFieldEndpoint,this.dependentFieldValues,{params:q()({editing:!0,editMode:this.editMode,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,field:this.fieldAttribute,component:this.field.dependentComponentKey},T()),cancelToken:new H.qm((e=>{this.canceller=e}))}).then((e=>{let t=JSON.parse(JSON.stringify(this.currentField)),r=this.currentlyIsVisible;this.syncedField=e.data,this.syncedField.visible!==r&&this.$emit(!0===this.syncedField.visible?"field-shown":"field-hidden",this.fieldAttribute),L()(this.syncedField.value)?(this.syncedField.value=t.value,this.revertSyncedFieldToPreviousValue(t)):this.setInitialValue();let o=!this.syncedFieldValueHasNotChanged();this.onSyncedField(),this.syncedField.dependentShouldEmitChangesEvent&&o&&this.emitOnSyncedFieldValueChange()})).catch((e=>{if(!(0,H.FZ)(e))throw e}))},revertSyncedFieldToPreviousValue(e){},onSyncedField(){},emitOnSyncedFieldValueChange(){this.emitFieldValueChange(this.field.attribute,this.currentField.value)},syncedFieldValueHasNotChanged(){const e=this.currentField.value;return(0,h.A)(e)?!(0,h.A)(this.value):!L()(e)&&e?.toString()===this.value?.toString()}},computed:{currentField(){return this.syncedField||this.field},currentlyIsVisible(){return this.currentField.visible},currentlyIsReadonly(){return null!==this.syncedField?Boolean(this.syncedField.readonly||P()(this.syncedField,"extraAttributes.readonly")):Boolean(this.field.readonly||P()(this.field,"extraAttributes.readonly"))},dependsOn(){return this.field.dependsOn||[]},currentFieldValues(){return{[this.fieldAttribute]:this.value}},dependentFieldValues(){return Y(Y({},this.currentFieldValues),this.watchedFields)},encodedDependentFieldValues(){return btoa((0,Z.L)(JSON.stringify(this.dependentFieldValues)))},syncFieldEndpoint(){return"update-attached"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/update-pivot-fields/${this.relatedResourceName}/${this.relatedResourceId}`:"attach"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/creation-pivot-fields/${this.relatedResourceName}`:"update"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/update-fields`:`/nova-api/${this.resourceName}/creation-fields`}}};var te=r(55947);const re={props:{formUniqueId:{type:String}},data:()=>({validationErrors:new te.I}),methods:{handleResponseError(e){void 0===e.response||500==e.response.status?Nova.error(this.__("There was a problem submitting the form.")):422==e.response.status?(this.validationErrors=new te.I(e.response.data.errors),Nova.error(this.__("There was a problem submitting the form."))):Nova.error(this.__("There was a problem submitting the form.")+' "'+e.response.statusText+'"')},handleOnCreateResponseError(e){this.handleResponseError(e)},handleOnUpdateResponseError(e){e.response&&409==e.response.status?Nova.error(this.__("Another user has updated this resource since this page was loaded. Please refresh the page and try again.")):this.handleResponseError(e)},resetErrors(){this.validationErrors=new te.I}}},oe={data:()=>({isWorking:!1,fileUploadsCount:0}),methods:{handleFileUploadFinished(){this.fileUploadsCount--,this.fileUploadsCount<1&&(this.fileUploadsCount=0,this.isWorking=!1)},handleFileUploadStarted(){this.isWorking=!0,this.fileUploadsCount++}}};var ne=r(84451);const le={computed:{userTimezone:()=>Nova.config("userTimezone")||Nova.config("timezone"),usesTwelveHourTime(){let e=(new Intl.DateTimeFormat).resolvedOptions().locale;return 12===(0,ne.Nr)(e)}}},ie={async created(){this.syncQueryString()},methods:(0,d.i0)(["syncQueryString","updateQueryString"]),computed:(0,d.L8)(["queryStringParams"])};var ae=r(7309),se=r.n(ae);const ce={computed:{resourceInformation(){return se()(Nova.config("resources"),(e=>e.uriKey===this.resourceName))},viaResourceInformation(){if(this.viaResource)return se()(Nova.config("resources"),(e=>e.uriKey===this.viaResource))},authorizedToCreate(){return!(["hasOneThrough","hasManyThrough"].indexOf(this.relationshipType)>=0)&&(this.resourceInformation?.authorizedToCreate||!1)}}};r(36334);const de={data:()=>({collapsed:!1}),created(){const e=localStorage.getItem(this.localStorageKey);"undefined"!==e&&(this.collapsed=JSON.parse(e)??this.collapsedByDefault)},unmounted(){localStorage.setItem(this.localStorageKey,this.collapsed)},methods:{toggleCollapse(){this.collapsed=!this.collapsed,localStorage.setItem(this.localStorageKey,this.collapsed)}},computed:{ariaExpanded(){return!1===this.collapsed?"true":"false"},shouldBeCollapsed(){return this.collapsed},localStorageKey(){return`nova.navigation.${this.item.key}.collapsed`},collapsedByDefault:()=>!1}},ue={created(){Nova.$on("metric-refresh",this.fetch),Nova.$on("resources-deleted",this.fetch),Nova.$on("resources-detached",this.fetch),Nova.$on("resources-restored",this.fetch),this.card.refreshWhenActionRuns&&Nova.$on("action-executed",this.fetch)},beforeUnmount(){Nova.$off("metric-refresh",this.fetch),Nova.$off("resources-deleted",this.fetch),Nova.$off("resources-detached",this.fetch),Nova.$off("resources-restored",this.fetch),Nova.$off("action-executed",this.fetch)}},he={emits:["file-upload-started","file-upload-finished"],props:i(["resourceName"]),async created(){if(this.field.withFiles){const{data:{draftId:e}}=await Nova.request().get(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}/draftId`);this.draftId=e}},data:()=>({draftId:null,files:[],filesToRemove:[]}),methods:{uploadAttachment(e,{onUploadProgress:t,onCompleted:r,onFailure:o}){const n=new FormData;if(n.append("Content-Type",e.type),n.append("attachment",e),n.append("draftId",this.draftId),L()(t)&&(t=()=>{}),L()(o)&&(o=()=>{}),L()(r))throw"Missing onCompleted parameter";this.$emit("file-upload-started"),Nova.request().post(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,n,{onUploadProgress:t}).then((({data:{path:e,url:t}})=>{this.files.push({path:e,url:t});const o=r(e,t);return this.$emit("file-upload-finished"),o})).catch((e=>{if(o(e),422==e.response.status){const t=new te.I(e.response.data.errors);Nova.error(this.__("An error occurred while uploading the file: :error",{error:t.first("attachment")}))}else Nova.error(this.__("An error occurred while uploading the file."))}))},flagFileForRemoval(e){const t=this.files.findIndex((t=>t.url===e));-1===t?this.filesToRemove.push({url:e}):this.filesToRemove.push(this.files[t])},unflagFileForRemoval(e){const t=this.filesToRemove.findIndex((t=>t.url===e));-1!==t&&this.filesToRemove.splice(t,1)},clearAttachments(){this.field.withFiles&&Nova.request().delete(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}/${this.draftId}`).then((e=>{})).catch((e=>{}))},clearFilesMarkedForRemoval(){this.field.withFiles&&this.filesToRemove.forEach((e=>{console.log("deleting",e),Nova.request().delete(`/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,{params:{attachment:e.path,attachmentUrl:e.url,draftId:this.draftId}}).then((e=>{})).catch((e=>{}))}))},fillAttachmentDraftId(e){let t=this.fieldAttribute,[r,...o]=t.split("[");if(!L()(o)&&o.length>0){let e=o.pop();t=o.length>0?`${r}[${o.join("[")}[${e.slice(0,-1)}DraftId]`:`${r}[${e.slice(0,-1)}DraftId]`}else t=`${t}DraftId`;this.fillIfVisible(e,t,this.draftId)}}},pe={props:{errors:{default:()=>new te.I}},inject:{index:{default:null},viaParent:{default:null}},data:()=>({errorClass:"form-control-bordered-error"}),computed:{errorClasses(){return this.hasError?[this.errorClass]:[]},fieldAttribute(){return this.field.attribute},validationKey(){return this.nestedValidationKey||this.field.validationKey},hasError(){return this.errors.has(this.validationKey)},firstError(){if(this.hasError)return this.errors.first(this.validationKey)},nestedAttribute(){if(this.viaParent)return`${this.viaParent}[${this.index}][${this.field.attribute}]`},nestedValidationKey(){if(this.viaParent)return`${this.viaParent}.${this.index}.fields.${this.field.attribute}`}}},me={props:i(["resourceName","viaRelationship"]),computed:{localStorageKey(){let e=this.resourceName;return this.viaRelationship&&(e=`${e}.${this.viaRelationship}`),`nova.resources.${e}.collapsed`}}},ve={data:()=>({withTrashed:!1}),methods:{toggleWithTrashed(){this.withTrashed=!this.withTrashed},enableWithTrashed(){this.withTrashed=!0},disableWithTrashed(){this.withTrashed=!1}}},fe={data:()=>({search:"",selectedResource:null,selectedResourceId:null,availableResources:[]}),methods:{selectResource(e){this.selectedResource=e,this.selectedResourceId=e.value,this.field&&("function"==typeof this.emitFieldValueChange?this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId):Nova.$emit(this.fieldAttribute+"-change",this.selectedResourceId))},handleSearchCleared(){this.availableResources=[]},clearSelection(){this.selectedResource=null,this.selectedResourceId=null,this.availableResources=[],this.field&&("function"==typeof this.emitFieldValueChange?this.emitFieldValueChange(this.fieldAttribute,null):Nova.$emit(this.fieldAttribute+"-change",null))},performSearch(e){this.search=e;const t=e.trim();""!=t&&this.searchDebouncer((()=>{this.getAvailableResources(t)}),500)},searchDebouncer:M()((e=>e()),500)}},ge={props:{loadCards:{type:Boolean,default:!0}},data:()=>({cards:[]}),created(){this.fetchCards()},watch:{cardsEndpoint(){this.fetchCards()}},methods:{async fetchCards(){if(this.loadCards){const{data:e}=await Nova.request().get(this.cardsEndpoint,{params:this.extraCardParams});this.cards=e}}},computed:{shouldShowCards(){return this.cards.length>0},hasDetailOnlyCards(){return x()(this.cards,(e=>1==e.onlyOnDetail)).length>0},extraCardParams:()=>null}};var we=r(42194),ke=r.n(we);function ye(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function be(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const xe={computed:{suggestionsId(){return`${this.fieldAttribute}-list`},suggestions(){let e=L()(this.syncedField)?this.field:this.syncedField;return L()(e.suggestions)?[]:e.suggestions},suggestionsAttributes(){return function(e){for(var t=1;t0?this.suggestionsId:null},L()))}}};var Be=r(56449),Ce=r.n(Be);const Ne={props:["field"],methods:{isEqualsToValue(e){return Ce()(this.field.value)&&(0,h.A)(e)?Boolean(this.field.value.includes(e)||this.field.value.includes(e.toString())):Boolean(this.field.value===e||this.field.value?.toString()===e||this.field.value===e?.toString()||this.field.value?.toString()===e?.toString())}},computed:{fieldAttribute(){return this.field.attribute},fieldHasValue(){return(0,h.A)(this.field.value)},usesCustomizedDisplay(){return this.field.usesCustomizedDisplay&&(0,h.A)(this.field.displayedAs)},fieldHasValueOrCustomizedDisplay(){return this.usesCustomizedDisplay||this.fieldHasValue},fieldValue(){return this.fieldHasValueOrCustomizedDisplay?String(this.field.displayedAs??this.field.value):null},shouldDisplayAsHtml(){return this.field.asHtml}}},Ve={data:()=>({filterHasLoaded:!1,filterIsActive:!1}),watch:{encodedFilters(e){Nova.$emit("filter-changed",[e])}},methods:{async clearSelectedFilters(e){e?await this.$store.dispatch(`${this.resourceName}/resetFilterState`,{resourceName:this.resourceName,lens:e}):await this.$store.dispatch(`${this.resourceName}/resetFilterState`,{resourceName:this.resourceName}),this.updateQueryString({[this.pageParameter]:1,[this.filterParameter]:""}),Nova.$emit("filter-reset")},filterChanged(){(this.$store.getters[`${this.resourceName}/filtersAreApplied`]||this.filterIsActive)&&(this.filterIsActive=!0,this.updateQueryString({[this.pageParameter]:1,[this.filterParameter]:this.encodedFilters}))},async initializeFilters(e){!0!==this.filterHasLoaded&&(this.$store.commit(`${this.resourceName}/clearFilters`),await this.$store.dispatch(`${this.resourceName}/fetchFilters`,q()({resourceName:this.resourceName,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,lens:e},T())),await this.initializeState(e),this.filterHasLoaded=!0)},async initializeState(e){this.initialEncodedFilters?await this.$store.dispatch(`${this.resourceName}/initializeCurrentFilterValuesFromQueryString`,this.initialEncodedFilters):await this.$store.dispatch(`${this.resourceName}/resetFilterState`,{resourceName:this.resourceName,lens:e})}},computed:{filterParameter(){return this.resourceName+"_filter"},encodedFilters(){return this.$store.getters[`${this.resourceName}/currentEncodedFilters`]}}};var Ee=r(76135),Se=r.n(Ee);const _e={emits:["field-shown","field-hidden"],data:()=>({visibleFieldsForPanel:{}}),created(){Se()(this.panel.fields,(e=>{this.visibleFieldsForPanel[e.attribute]=e.visible}))},methods:{handleFieldShown(e){this.visibleFieldsForPanel[e]=!0,this.$emit("field-shown",e)},handleFieldHidden(e){this.visibleFieldsForPanel[e]=!1,this.$emit("field-hidden",e)}},computed:{visibleFieldsCount(){return Object.entries(x()(this.visibleFieldsForPanel,(e=>!0===e))).length}}},Ae={methods:{selectPreviousPage(){this.updateQueryString({[this.pageParameter]:this.currentPage-1})},selectNextPage(){this.updateQueryString({[this.pageParameter]:this.currentPage+1})}},computed:{currentPage(){return parseInt(this.queryStringParams[this.pageParameter]||1)}}},He={data:()=>({perPage:25}),methods:{initializePerPageFromQueryString(){this.perPage=this.currentPerPage},perPageChanged(){this.updateQueryString({[this.perPageParameter]:this.perPage})}},computed:{currentPerPage(){return this.queryStringParams[this.perPageParameter]||25}}},Oe={data:()=>({pollingListener:null,currentlyPolling:!1}),beforeUnmount(){this.stopPolling()},methods:{initializePolling(){if(this.currentlyPolling=this.currentlyPolling||this.resourceResponse.polling,this.currentlyPolling&&null===this.pollingListener)return this.startPolling()},togglePolling(){this.currentlyPolling?this.stopPolling():this.startPolling()},stopPolling(){this.pollingListener&&(clearInterval(this.pollingListener),this.pollingListener=null),this.currentlyPolling=!1},startPolling(){this.pollingListener=setInterval((()=>{let e=this.selectedResources??[];document.hasFocus()&&document.querySelectorAll("[data-modal-open]").length<1&&e.length<1&&this.getResources()}),this.pollingInterval),this.currentlyPolling=!0},restartPolling(){!0===this.currentlyPolling&&(this.stopPolling(),this.startPolling())}},computed:{initiallyPolling(){return this.resourceResponse.polling},pollingInterval(){return this.resourceResponse.pollingInterval},shouldShowPollingToggle(){return this.resourceResponse&&this.resourceResponse.showPollingToggle||!1}}};var Me=r(79859),Re=r.n(Me),De=(r(5187),r(29726));function ze(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function Pe(e){for(var t=1;tthis.resourceHasId)),authorizedToViewAnyResources:(0,De.computed)((()=>this.authorizedToViewAnyResources)),authorizedToUpdateAnyResources:(0,De.computed)((()=>this.authorizedToUpdateAnyResources)),authorizedToDeleteAnyResources:(0,De.computed)((()=>this.authorizedToDeleteAnyResources)),authorizedToRestoreAnyResources:(0,De.computed)((()=>this.authorizedToRestoreAnyResources)),selectedResourcesCount:(0,De.computed)((()=>this.selectedResources.length)),selectAllChecked:(0,De.computed)((()=>this.selectAllChecked)),selectAllMatchingChecked:(0,De.computed)((()=>this.selectAllMatchingChecked)),selectAllOrSelectAllMatchingChecked:(0,De.computed)((()=>this.selectAllOrSelectAllMatchingChecked)),selectAllAndSelectAllMatchingChecked:(0,De.computed)((()=>this.selectAllAndSelectAllMatchingChecked)),selectAllIndeterminate:(0,De.computed)((()=>this.selectAllIndeterminate)),orderByParameter:(0,De.computed)((()=>this.orderByParameter)),orderByDirectionParameter:(0,De.computed)((()=>this.orderByDirectionParameter))}},data:()=>({actions:[],allMatchingResourceCount:0,authorizedToRelate:!1,canceller:null,currentPageLoadMore:null,deleteModalOpen:!1,initialLoading:!0,loading:!0,orderBy:"",orderByDirection:"",pivotActions:null,resourceHasId:!0,resourceHasActions:!1,resourceResponse:null,resourceResponseError:null,resources:[],search:"",selectAllMatchingResources:!1,selectedResources:[],softDeletes:!1,trashed:""}),async created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");const e=M()((e=>e()),this.resourceInformation.debounce);this.initializeSearchFromQueryString(),this.initializePerPageFromQueryString(),this.initializeTrashedFromQueryString(),this.initializeOrderingFromQueryString(),await this.initializeFilters(this.lens||null),await this.getResources(),this.isLensView||await this.getAuthorizationToRelate(),this.getActions(),this.initialLoading=!1,this.$watch((()=>this.lens+this.resourceName+this.encodedFilters+this.currentSearch+this.currentPage+this.currentPerPage+this.currentOrderBy+this.currentOrderByDirection+this.currentTrashed),(()=>{null!==this.canceller&&this.canceller(),1===this.currentPage&&(this.currentPageLoadMore=null),this.getResources()})),this.$watch("search",(t=>{this.search=t,e((()=>this.performSearch()))}))},beforeUnmount(){null!==this.canceller&&this.canceller()},methods:{handleResourcesLoaded(){this.loading=!1,this.isLensView||null===this.resourceResponse.total?this.getAllMatchingResourceCount():this.allMatchingResourceCount=this.resourceResponse.total,Nova.$emit("resources-loaded",this.isLensView?{resourceName:this.resourceName,lens:this.lens,mode:"lens"}:{resourceName:this.resourceName,mode:this.isRelation?"related":"index"}),this.initializePolling()},selectAllResources(){this.selectedResources=this.resources.slice(0)},toggleSelectAll(e){e&&e.preventDefault(),this.selectAllChecked?this.clearResourceSelections():this.selectAllResources(),this.getActions()},toggleSelectAllMatching(e){e&&e.preventDefault(),this.selectAllMatchingResources?this.selectAllMatchingResources=!1:(this.selectAllResources(),this.selectAllMatchingResources=!0),this.getActions()},deselectAllResources(e){e&&e.preventDefault(),this.clearResourceSelections(),this.getActions()},updateSelectionStatus(e){if(Re()(this.selectedResources,e)){const t=this.selectedResources.indexOf(e);t>-1&&this.selectedResources.splice(t,1)}else this.selectedResources.push(e);this.selectAllMatchingResources=!1,this.getActions()},clearResourceSelections(){this.selectAllMatchingResources=!1,this.selectedResources=[]},orderByField(e){let t="asc"==this.currentOrderByDirection?"desc":"asc";this.currentOrderBy!=e.sortableUriKey&&(t="asc"),this.updateQueryString({[this.orderByParameter]:e.sortableUriKey,[this.orderByDirectionParameter]:t})},resetOrderBy(e){this.updateQueryString({[this.orderByParameter]:e.sortableUriKey,[this.orderByDirectionParameter]:null})},initializeSearchFromQueryString(){this.search=this.currentSearch},initializeOrderingFromQueryString(){this.orderBy=this.currentOrderBy,this.orderByDirection=this.currentOrderByDirection},initializeTrashedFromQueryString(){this.trashed=this.currentTrashed},trashedChanged(e){this.trashed=e,this.updateQueryString({[this.trashedParameter]:this.trashed})},updatePerPageChanged(e){this.perPage=e,this.perPageChanged()},selectPage(e){this.updateQueryString({[this.pageParameter]:e})},initializePerPageFromQueryString(){this.perPage=this.queryStringParams[this.perPageParameter]||this.initialPerPage||this.resourceInformation?.perPageOptions[0]||null},closeDeleteModal(){this.deleteModalOpen=!1},performSearch(){this.updateQueryString({[this.pageParameter]:1,[this.searchParameter]:this.search})},handleActionExecuted(){this.fetchPolicies(),this.getResources()}},computed:{hasFilters(){return this.$store.getters[`${this.resourceName}/hasFilters`]},pageParameter(){return this.viaRelationship?this.viaRelationship+"_page":this.resourceName+"_page"},selectAllChecked(){return this.selectedResources.length==this.resources.length},selectAllIndeterminate(){return Boolean(this.selectAllChecked||this.selectAllMatchingChecked)&&Boolean(!this.selectAllAndSelectAllMatchingChecked)},selectAllAndSelectAllMatchingChecked(){return this.selectAllChecked&&this.selectAllMatchingChecked},selectAllOrSelectAllMatchingChecked(){return this.selectAllChecked||this.selectAllMatchingChecked},selectAllMatchingChecked(){return this.selectAllMatchingResources},selectedResourceIds(){return C()(this.selectedResources,(e=>e.id.value))},selectedPivotIds(){return C()(this.selectedResources,(e=>e.id.pivotValue??null))},currentSearch(){return this.queryStringParams[this.searchParameter]||""},currentOrderBy(){return this.queryStringParams[this.orderByParameter]||""},currentOrderByDirection(){return this.queryStringParams[this.orderByDirectionParameter]||null},currentTrashed(){return this.queryStringParams[this.trashedParameter]||""},viaManyToMany(){return"belongsToMany"==this.relationshipType||"morphToMany"==this.relationshipType},isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)},singularName(){return this.isRelation&&this.field?(0,ne.ZH)(this.field.singularLabel):this.resourceInformation?(0,ne.ZH)(this.resourceInformation.singularLabel):void 0},hasResources(){return Boolean(this.resources.length>0)},hasLenses(){return Boolean(this.lenses.length>0)},shouldShowCards(){return Boolean(this.cards.length>0&&!this.isRelation)},shouldShowCheckboxes(){return Boolean(this.hasResources)&&Boolean(this.resourceHasId)&&Boolean(this.resourceHasActions||this.authorizedToDeleteAnyResources||this.canShowDeleteMenu)},shouldShowDeleteMenu(){return Boolean(this.selectedResources.length>0)&&this.canShowDeleteMenu},authorizedToDeleteSelectedResources(){return Boolean(se()(this.selectedResources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteSelectedResources(){return Boolean(se()(this.selectedResources,(e=>e.authorizedToForceDelete)))},authorizedToViewAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToView)))},authorizedToUpdateAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToUpdate)))},authorizedToDeleteAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToDelete)))},authorizedToForceDeleteAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToForceDelete)))},authorizedToRestoreSelectedResources(){return Boolean(this.resourceHasId)&&Boolean(se()(this.selectedResources,(e=>e.authorizedToRestore)))},authorizedToRestoreAnyResources(){return this.resources.length>0&&Boolean(this.resourceHasId)&&Boolean(se()(this.resources,(e=>e.authorizedToRestore)))},encodedFilters(){return this.$store.getters[`${this.resourceName}/currentEncodedFilters`]},initialEncodedFilters(){return this.queryStringParams[this.filterParameter]||""},paginationComponent:()=>`pagination-${Nova.config("pagination")||"links"}`,hasNextPage(){return Boolean(this.resourceResponse&&this.resourceResponse.next_page_url)},hasPreviousPage(){return Boolean(this.resourceResponse&&this.resourceResponse.prev_page_url)},totalPages(){return Math.ceil(this.allMatchingResourceCount/this.currentPerPage)},resourceCountLabel(){const e=this.perPage*(this.currentPage-1);return this.resources.length&&`${Nova.formatNumber(e+1)}-${Nova.formatNumber(e+this.resources.length)} ${this.__("of")} ${Nova.formatNumber(this.allMatchingResourceCount)}`},currentPerPage(){return this.perPage},perPageOptions(){if(this.resourceResponse)return this.resourceResponse.per_page_options},createButtonLabel(){return this.resourceInformation?this.resourceInformation.createButtonLabel:this.__("Create")},resourceRequestQueryString(){const e={search:this.currentSearch,filters:this.encodedFilters,orderBy:this.currentOrderBy,orderByDirection:this.currentOrderByDirection,perPage:this.currentPerPage,trashed:this.currentTrashed,page:this.currentPage,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,viaResourceRelationship:this.viaResourceRelationship,relationshipType:this.relationshipType};return this.lensName||(e.viaRelationship=this.viaRelationship),e},shouldShowActionSelector(){return this.selectedResources.length>0||this.haveStandaloneActions},isLensView(){return""!==this.lens&&null!=this.lens&&null!=this.lens},shouldShowPagination(){return!0!==this.disablePagination&&this.resourceResponse&&(this.hasResources||this.hasPreviousPage)},currentResourceCount(){return this.resources.length},searchParameter(){return this.viaRelationship?this.viaRelationship+"_search":this.resourceName+"_search"},orderByParameter(){return this.viaRelationship?this.viaRelationship+"_order":this.resourceName+"_order"},orderByDirectionParameter(){return this.viaRelationship?this.viaRelationship+"_direction":this.resourceName+"_direction"},trashedParameter(){return this.viaRelationship?this.viaRelationship+"_trashed":this.resourceName+"_trashed"},perPageParameter(){return this.viaRelationship?this.viaRelationship+"_per_page":this.resourceName+"_per_page"},haveStandaloneActions(){return x()(this.allActions,(e=>!0===e.standalone)).length>0},availableActions(){return this.actions},hasPivotActions(){return this.pivotActions&&this.pivotActions.actions.length>0},pivotName(){return this.pivotActions?this.pivotActions.name:""},actionsAreAvailable(){return this.allActions.length>0},allActions(){return this.hasPivotActions?this.actions.concat(this.pivotActions.actions):this.actions},availableStandaloneActions(){return this.allActions.filter((e=>!0===e.standalone))},selectedResourcesForActionSelector(){return this.selectAllMatchingChecked?"all":this.selectedResources}}}},78755:(e,t,r)=>{"use strict";r.d(t,{A:()=>o});const o={fetchAvailableResources:(e,t)=>Nova.request().get(`/nova-api/${e}/search`,t),determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)}},23615:(e,t,r)=>{"use strict";function o(e){return e.replace(/[^\0-~]/g,(e=>"\\u"+("000"+e.charCodeAt().toString(16)).slice(-4)))}r.d(t,{L:()=>o})},2673:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(69843),n=r.n(o);function l(e){return Boolean(!n()(e)&&""!==e)}},84451:(e,t,r)=>{"use strict";function o(e){let t=Intl.DateTimeFormat(e,{hour:"numeric"}).resolvedOptions().hourCycle;return"h23"==t||"h24"==t?24:12}function n(e,t){return 0===t?null:e>t?(e-t)/Math.abs(t)*100:(t-e)/Math.abs(t)*-100}function l(e,t=100){return Promise.all([e,new Promise((e=>{setTimeout((()=>e()),t)}))]).then((e=>e[0]))}r.d(t,{ZH:()=>p,Nr:()=>o,G4:()=>n,Bp:()=>l,zQ:()=>d});var i=r(23727),a=r.n(i),s=r(85015),c=r.n(s);function d(e,t){return c()(t)&&null==t.match(/^(.*)[A-Za-zÀ-ÖØ-öø-ÿ]$/)?t:e>1||0==e?a().pluralize(t):a().singularize(t)}var u=r(55808),h=r.n(u);function p(e){return h()(e)}},52092:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(39754),n=r.n(o);function l(e,t){let r=Nova.config("translations")[e]?Nova.config("translations")[e]:e;return n()(t,((e,t)=>{if(t=new String(t),null===e)return void console.error(`Translation '${r}' for key '${t}' contains a null replacement.`);e=new String(e);const o=[":"+t,":"+t.toUpperCase(),":"+t.charAt(0).toUpperCase()+t.slice(1)],n=[e,e.toUpperCase(),e.charAt(0).toUpperCase()+e.slice(1)];for(let e=o.length-1;e>=0;e--)r=r.replace(o[e],n[e])})),r}},11016:()=>{},9453:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726),n=r(66543),l=r(66278);const i={value:"",disabled:"",selected:""},a={__name:"ActionSelector",props:{width:{type:String,default:"auto"},pivotName:{type:String,default:null},resourceName:{},viaResource:{},viaResourceId:{},viaRelationship:{},relationshipType:{},pivotActions:{type:Object,default:()=>({name:"Pivot",actions:[]})},actions:{type:Array,default:[]},selectedResources:{type:[Array,String],default:()=>[]},endpoint:{type:String,default:null},triggerDuskAttribute:{type:String,default:null}},emits:["actionExecuted"],setup(e,{emit:t}){const r=(0,o.ref)(null),a=(0,l.Pj)(),s=t,c=e,{errors:d,actionModalVisible:u,responseModalVisible:h,openConfirmationModal:p,closeConfirmationModal:m,closeResponseModal:v,handleActionClick:f,selectedAction:g,setSelectedActionKey:w,determineActionStrategy:k,working:y,executeAction:b,availableActions:x,availablePivotActions:B,actionResponseData:C}=(0,n.d)(c,s,a),N=e=>{w(e),k(),r.value.resetSelection()},V=(0,o.computed)((()=>[...x.value.map((e=>({value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun}))),...B.value.map((e=>({group:c.pivotName,value:e.uriKey,label:e.name,disabled:!1===e.authorizedToRun})))]));return(t,n)=>{const l=(0,o.resolveComponent)("SelectControl");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[V.value.length>0?((0,o.openBlock)(),(0,o.createBlock)(l,(0,o.mergeProps)({key:0},t.$attrs,{ref_key:"actionSelectControl",ref:r,size:"xs",onChange:N,options:V.value,dusk:"action-select",selected:"",class:{"max-w-[6rem]":"auto"===e.width,"w-full":"full"===e.width},"aria-label":t.__("Select Action")}),{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",i,(0,o.toDisplayString)(t.__("Actions")),1)])),_:1},16,["options","class","aria-label"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(u)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(g)?.component),{key:1,class:"text-left",show:(0,o.unref)(u),working:(0,o.unref)(y),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(g),errors:(0,o.unref)(d),onConfirm:(0,o.unref)(b),onClose:(0,o.unref)(m)},null,40,["show","working","selected-resources","resource-name","action","errors","onConfirm","onClose"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(h)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(C)?.modal),{key:2,show:(0,o.unref)(h),onConfirm:(0,o.unref)(v),onClose:(0,o.unref)(v),data:(0,o.unref)(C)},null,40,["show","onConfirm","onClose","data"])):(0,o.createCommentVNode)("",!0)],64)}}};const s=(0,r(66262).A)(a,[["__file","ActionSelector.vue"]])},47780:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=[(0,o.createStaticVNode)('',2)];const l={inheritAttrs:!1,computed:{logo:()=>window.Nova.config("logo")}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PassthroughLogo");return a.logo?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,logo:a.logo,class:(0,o.normalizeClass)(e.$attrs.class)},null,8,["logo","class"])):((0,o.openBlock)(),(0,o.createElementBlock)("svg",{key:1,class:(0,o.normalizeClass)([e.$attrs.class,"h-6"]),viewBox:"0 0 204 37",xmlns:"http://www.w3.org/2000/svg"},n,2))}],["__file","AppLogo.vue"]])},73390:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=["src"],l={__name:"Avatar",props:{src:{type:String},rounded:{type:Boolean,default:!0},small:{type:Boolean},medium:{type:Boolean},large:{type:Boolean}},setup(e){const t=e,r=(0,o.computed)((()=>[t.small&&"w-6 h-6",t.medium&&!t.small&&!t.large&&"w-8 h-8",t.large&&"w-12 h-12",t.rounded&&"rounded-full"]));return(t,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("img",{src:e.src,class:(0,o.normalizeClass)(r.value)},null,10,n))}};const i=(0,r(66262).A)(l,[["__file","Avatar.vue"]])},94376:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={inheritAttrs:!1},l=Object.assign(n,{__name:"Backdrop",props:{show:{type:Boolean,default:!1}},setup(e){const t=e,r=(0,o.ref)(),n=()=>{r.value=window.scrollY};return(0,o.onMounted)((()=>{n(),document.addEventListener("scroll",n)})),(0,o.onBeforeUnmount)((()=>{document.removeEventListener("scroll",n)})),(e,n)=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)(e.$attrs,{class:"absolute inset-0 h-full",style:{top:`${r.value}px`}}),null,16)),[[o.vShow,t.show]])}});const i=(0,r(66262).A)(l,[["__file","Backdrop.vue"]])},28240:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{label:{type:[Boolean,String],required:!1},extraClasses:{type:[Array,String],required:!1}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("span",{class:(0,o.normalizeClass)(["inline-flex items-center whitespace-nowrap min-h-6 px-2 rounded-full uppercase text-xs font-bold",r.extraClasses])},[(0,o.renderSlot)(e.$slots,"icon"),(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.label),1)]))],2)}],["__file","Badge.vue"]])},7252:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"h-4 inline-flex items-center justify-center font-bold rounded-full px-2 text-mono text-xs ml-1 bg-primary-100 text-primary-800 dark:bg-primary-500 dark:text-gray-800"};const l={};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","CircleBadge.vue"]])},92931:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;ti.updateCheckedState(r.option.value,e.target.checked))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(i.labelFor(r.option)),1)])),_:1},8,["dusk","checked"])}],["__file","BooleanOption.vue"]])},33621:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}},setup(e,{expose:t}){const r=(0,o.ref)(null);return t({focus:()=>r.value.focus()}),(t,n)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)(l(l({},t.$props),t.$attrs),{ref_key:"button",ref:r,class:["cursor-pointer rounded text-sm font-bold focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600",{"inline-flex items-center justify-center":"center"==e.align,"inline-flex items-center justify-start":"left"==e.align,"h-9 px-3":"lg"==e.size,"h-8 px-3":"sm"==e.size,"h-7 px-1 md:px-3":"xs"==e.size}]}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},16,["class"]))}};const s=(0,r(66262).A)(a,[["__file","BasicButton.vue"]])},12535:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["sm","md"].includes(e)}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createBlock)(s,(0,o.mergeProps)(l(l({},e.$props),e.$attrs),{class:["shadow rounded focus:outline-none ring-primary-200 dark:ring-gray-600 focus:ring bg-primary-500 hover:bg-primary-400 active:bg-primary-600 text-white dark:text-gray-800 inline-flex items-center font-bold",{"px-4 h-9 text-sm":"md"===r.size,"px-3 h-7 text-xs":"sm"===r.size}]}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["class"])}],["__file","ButtonInertiaLink.vue"]])},80230:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),n=r(38221),l=r.n(n);const i={__name:"CopyButton",props:{rounded:{type:Boolean,default:!0},withIcon:{type:Boolean,default:!0}},setup(e){const t=(0,o.ref)(!1),r=l()((()=>{t.value=!t.value,setTimeout((()=>t.value=!t.value),2e3)}),2e3,{leading:!0,trailing:!1}),n=()=>r();return(r,l)=>{const i=(0,o.resolveComponent)("CopyIcon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:n,class:(0,o.normalizeClass)(["inline-flex items-center px-2 space-x-1 -mx-2 text-gray-500 dark:text-gray-400 hover:bg-gray-100 hover:text-gray-500 active:text-gray-600 dark:hover:bg-gray-900",{"rounded-lg":!e.rounded,"rounded-full":e.rounded}])},[(0,o.renderSlot)(r.$slots,"default"),e.withIcon?((0,o.openBlock)(),(0,o.createBlock)(i,{key:0,copied:t.value},null,8,["copied"])):(0,o.createCommentVNode)("",!0)],2)}}};const a=(0,r(66262).A)(i,[["__file","CopyButton.vue"]])},30652:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726),n=r(27226);const l={__name:"CreateRelationButton",setup:e=>(e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.unref)(n.A),{variant:"link",size:"small","leading-icon":"plus-circle"}))};const i=(0,r(66262).A)(l,[["__file","CreateRelationButton.vue"]])},41835:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}},methods:{focus(){this.$refs.button.focus()}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("BasicButton");return(0,o.openBlock)(),(0,o.createBlock)(s,(0,o.mergeProps)(l(l({},e.$props),e.$attrs),{component:r.component,ref:"button",class:"shadow relative bg-primary-500 hover:bg-primary-400 text-white dark:text-gray-900"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["component"])}],["__file","DefaultButton.vue"]])},14112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={__name:"IconButton",props:{iconType:{type:String,default:"dots-horizontal"},small:{type:Boolean},medium:{type:Boolean},large:{type:Boolean},solid:{type:Boolean,default:!0}},setup(e){const t=e,r=(0,o.computed)((()=>[t.small&&"w-6 h-6",t.medium&&"w-8 h-8",t.large&&"w-9 h-9"]));return(t,n)=>{const l=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",class:(0,o.normalizeClass)(["inline-flex items-center justify-center focus:ring focus:ring-primary-200 focus:outline-none rounded",r.value])},[(0,o.createVNode)(l,(0,o.mergeProps)({type:e.iconType,class:"hover:opacity-50"},{solid:e.solid}),null,16,["type"])],2)}}};const l=(0,r(66262).A)(n,[["__file","IconButton.vue"]])},56605:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726),n=r(27226);const l={__name:"InertiaButton",props:{href:{type:String,required:!0},variant:{type:String,default:"primary"},icon:{type:String,default:"primary"},dusk:{type:String,default:null},label:{type:String,default:null}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createBlock)(l,{href:e.href,dusk:e.dusk},{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(n.A),{as:"div",variant:e.variant,icon:e.icon,label:e.label},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},8,["variant","icon","label"])])),_:3},8,["href","dusk"])}};const i=(0,r(66262).A)(l,[["__file","InertiaButton.vue"]])},60952:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={type:"button",class:"space-x-1 cursor-pointer focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 focus:ring-offset-4 dark:focus:ring-offset-gray-800 rounded-lg mx-auto text-primary-500 font-bold link-default px-3 rounded-b-lg flex items-center"},l={__name:"InvertedButton",props:{iconType:{type:String,default:"plus-circle"}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",n,[(0,o.createVNode)(l,{type:e.iconType},null,8,["type"]),(0,o.createElementVNode)("span",null,[(0,o.renderSlot)(t.$slots,"default")])])}};const i=(0,r(66262).A)(l,[["__file","InvertedButton.vue"]])},54291:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}},setup:e=>(t,r)=>{const n=(0,o.resolveComponent)("BasicButton");return(0,o.openBlock)(),(0,o.createBlock)(n,(0,o.mergeProps)(l(l({},t.$props),t.$attrs),{component:e.component,class:"appearance-none bg-transparent font-bold text-gray-400 hover:text-gray-300 active:text-gray-500 dark:text-gray-500 dark:hover:text-gray-400 dark:active:text-gray-600 dark:hover:bg-gray-800"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"default")])),_:3},16,["component"])}};const s=(0,r(66262).A)(a,[["__file","LinkButton.vue"]])},97115:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BasicButton");return(0,o.openBlock)(),(0,o.createBlock)(a,(0,o.mergeProps)(e.$attrs,{component:"button",class:"focus:outline-none focus:ring rounded border-2 border-primary-300 dark:border-gray-500 hover:border-primary-500 active:border-primary-400 dark:hover:border-gray-400 dark:active:border-gray-300 bg-white dark:bg-transparent text-primary-500 dark:text-gray-400 px-3 h-9 inline-flex items-center font-bold"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16)}],["__file","OutlineButton.vue"]])},75117:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t[(0,o.renderSlot)(e.$slots,"default")])),_:3},16)}],["__file","OutlineButtonInertiaLink.vue"]])},6464:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={type:"button",class:"rounded-full shadow bg-white dark:bg-gray-800 text-center flex items-center justify-center h-[20px] w-[21px]"},l={__name:"RemoveButton",setup:e=>(e,t)=>{const r=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",n,[(0,o.createVNode)(r,{type:"x-circle",solid:!0,class:"text-gray-800 dark:text-gray-200"})])}};const i=(0,r(66262).A)(l,[["__file","RemoveButton.vue"]])},68907:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v4l3 3m6-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const l={emits:["start-polling","stop-polling"],props:{currentlyPolling:{type:Boolean,default:!1}},methods:{togglePolling(){return this.currentlyPolling?this.$emit("stop-polling"):this.$emit("start-polling")}},computed:{buttonLabel(){return this.currentlyPolling?this.__("Stop Polling"):this.__("Start Polling")}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveDirective)("tooltip");return(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("button",{class:"px-2",onClick:t[0]||(t[0]=(...e)=>a.togglePolling&&a.togglePolling(...e))},[((0,o.openBlock)(),(0,o.createElementBlock)("svg",{class:(0,o.normalizeClass)(["w-6 h-6",{"text-green-500":r.currentlyPolling,"text-gray-300 dark:text-gray-500":!r.currentlyPolling}]),fill:"none",stroke:"currentColor",viewBox:"0 0 24 24",xmlns:"http://www.w3.org/2000/svg"},n,2))])),[[s,a.buttonLabel,void 0,{click:!0}]])}],["__file","ResourcePollingButton.vue"]])},96928:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={type:"button",class:"inline-flex items-center justify-center w-8 h-8 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 rounded-lg"};const l={props:{type:{type:String,required:!1}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",n,[(0,o.renderSlot)(e.$slots,"default"),r.type?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,solid:"",type:r.type},null,8,["type"])):(0,o.createCommentVNode)("",!0)])}],["__file","ToolbarButton.vue"]])},32130:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["left","center"].includes(e)},component:{type:String,default:"button"}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("LinkButton");return(0,o.openBlock)(),(0,o.createBlock)(s,(0,o.mergeProps)(l(l({size:r.size,align:r.align},e.$props),e.$attrs),{type:"button",component:r.component}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)]))])),_:3},16,["component"])}],["__file","CancelButton.vue"]])},72394:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"relative overflow-hidden bg-white dark:bg-gray-800 rounded-lg shadow"};const l={};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","Card.vue"]])},57983:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{card:{type:Object,required:!0},resource:{type:Object,required:!1},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{lens:String,default:""}},computed:{widthClass(){return{full:"md:col-span-12","1/3":"md:col-span-4","1/2":"md:col-span-6","1/4":"md:col-span-3","2/3":"md:col-span-8","3/4":"md:col-span-9"}[this.card.width]},heightClass(){return"fixed"==this.card.height?"min-h-40":""}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.card.component),{class:(0,o.normalizeClass)([[i.widthClass,i.heightClass],"h-full"]),key:`${r.card.component}.${r.card.uriKey}`,card:r.card,resource:r.resource,resourceName:r.resourceName,resourceId:r.resourceId,lens:r.lens},null,8,["class","card","resource","resourceName","resourceId","lens"])}],["__file","CardWrapper.vue"]])},70217:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={key:1,class:"grid md:grid-cols-12 gap-6"};var l=r(87612),i=r.n(l),a=r(18700),s=r(2673);const c={mixins:[a.pJ],props:{cards:Array,resource:{type:Object,required:!1},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},onlyOnDetail:{type:Boolean,default:!1},lens:{lens:String,default:""}},data:()=>({collapsed:!1}),computed:{filteredCards(){return this.onlyOnDetail?i()(this.cards,(e=>1==e.onlyOnDetail)):i()(this.cards,(e=>0==e.onlyOnDetail))},localStorageKey(){let e=this.resourceName;return(0,s.A)(this.lens)?e=`${e}.${this.lens}`:(0,s.A)(this.resourceId)&&(e=`${e}.${this.resourceId}`),`nova.cards.${e}.collapsed`}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("CollapseButton"),c=(0,o.resolveComponent)("CardWrapper");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[a.filteredCards.length>1?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:t[0]||(t[0]=(...t)=>e.toggleCollapse&&e.toggleCollapse(...t)),class:"md:hidden h-8 py-3 mb-3 uppercase tracking-widest font-bold text-xs inline-flex items-center justify-center focus:outline-none focus:ring-primary-200 border-1 border-primary-500 focus:ring focus:ring-offset-4 focus:ring-offset-gray-100 dark:ring-gray-600 dark:focus:ring-offset-gray-900 rounded"},[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.collapsed?e.__("Show Cards"):e.__("Hide Cards")),1),(0,o.createVNode)(s,{class:"ml-1",collapsed:e.collapsed},null,8,["collapsed"])])):(0,o.createCommentVNode)("",!0),a.filteredCards.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.filteredCards,(t=>(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(c,{card:t,resource:r.resource,"resource-name":r.resourceName,"resource-id":r.resourceId,key:`${t.component}.${t.uriKey}`,lens:r.lens},null,8,["card","resource","resource-name","resource-id","lens"])),[[o.vShow,!e.collapsed]]))),128))])):(0,o.createCommentVNode)("",!0)])}],["__file","Cards.vue"]])},24773:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>M});var o=r(29726);const n={class:"flex justify-center items-center"},l={class:"w-full"},i=(0,o.createElementVNode)("p",{class:"leading-tight mt-3"}," Welcome to Nova! Get familiar with Nova and explore its features in the documentation: ",-1),a={class:"md:grid md:grid-cols-2"},s={class:"border-r border-b border-gray-200 dark:border-gray-700"},c=["href"],d=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"40",height:"40",viewBox:"0 0 40 40"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M31.51 25.86l7.32 7.31c1.0110617 1.0110616 1.4059262 2.4847161 1.035852 3.865852-.3700742 1.3811359-1.4488641 2.4599258-2.83 2.83-1.3811359.3700742-2.8547904-.0247903-3.865852-1.035852l-7.31-7.32c-7.3497931 4.4833975-16.89094893 2.7645226-22.21403734-4.0019419-5.3230884-6.7664645-4.74742381-16.4441086 1.34028151-22.53181393C11.0739495-1.11146115 20.7515936-1.68712574 27.5180581 3.63596266 34.2845226 8.95905107 36.0033975 18.5002069 31.52 25.85l-.01.01zm-3.99 4.5l7.07 7.05c.7935206.6795536 1.9763883.6338645 2.7151264-.1048736.7387381-.7387381.7844272-1.9216058.1048736-2.7151264l-7.06-7.07c-.8293081 1.0508547-1.7791453 2.0006919-2.83 2.83v.01zM17 32c8.2842712 0 15-6.7157288 15-15 0-8.28427125-6.7157288-15-15-15C8.71572875 2 2 8.71572875 2 17c0 8.2842712 6.71572875 15 15 15zm0-2C9.82029825 30 4 24.1797017 4 17S9.82029825 4 17 4c7.1797017 0 13 5.8202983 13 13s-5.8202983 13-13 13zm0-2c6.0751322 0 11-4.9248678 11-11S23.0751322 6 17 6 6 10.9248678 6 17s4.9248678 11 11 11z"})])],-1),u=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Nova's resource manager allows you to quickly view and manage your Eloquent model records directly from Nova's intuitive interface. ",-1),h={class:"border-b border-gray-200 dark:border-gray-700"},p=["href"],m=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"44",height:"44",viewBox:"0 0 44 44"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M22 44C9.8497355 44 0 34.1502645 0 22S9.8497355 0 22 0s22 9.8497355 22 22-9.8497355 22-22 22zm0-2c11.045695 0 20-8.954305 20-20S33.045695 2 22 2 2 10.954305 2 22s8.954305 20 20 20zm3-24h5c.3638839-.0007291.6994429.1962627.8761609.5143551.176718.3180924.1666987.707072-.0261609 1.0156449l-10 16C20.32 36.38 19 36 19 35v-9h-5c-.3638839.0007291-.6994429-.1962627-.8761609-.5143551-.176718-.3180924-.1666987-.707072.0261609-1.0156449l10-16C23.68 7.62 25 8 25 9v9zm3.2 2H24c-.5522847 0-1-.4477153-1-1v-6.51L15.8 24H20c.5522847 0 1 .4477153 1 1v6.51L28.2 20z"})])],-1),v=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Actions perform tasks on a single record or an entire batch of records. Have an action that takes a while? No problem. Nova can queue them using Laravel's powerful queue system. ",-1),f={class:"border-r border-b border-gray-200 dark:border-gray-700"},g=["href"],w=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"38",height:"38",viewBox:"0 0 38 38"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M36 4V2H2v6.59l13.7 13.7c.1884143.1846305.296243.4362307.3.7v11.6l6-6v-5.6c.003757-.2637693.1115857-.5153695.3-.7L36 8.6V6H19c-.5522847 0-1-.44771525-1-1s.4477153-1 1-1h17zM.3 9.7C.11158574 9.51536954.00375705 9.26376927 0 9V1c0-.55228475.44771525-1 1-1h36c.5522847 0 1 .44771525 1 1v8c-.003757.26376927-.1115857.51536954-.3.7L24 23.42V29c-.003757.2637693-.1115857.5153695-.3.7l-8 8c-.2857003.2801197-.7108712.3629755-1.0808485.210632C14.2491743 37.7582884 14.0056201 37.4000752 14 37V23.4L.3 9.71V9.7z"})])],-1),k=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Write custom filters for your resource indexes to offer your users quick glances at different segments of your data. ",-1),y={class:"border-b border-gray-200 dark:border-gray-700"},b=["href"],x=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"36",height:"36",viewBox:"0 0 36 36"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M4 8C1.790861 8 0 6.209139 0 4s1.790861-4 4-4 4 1.790861 4 4-1.790861 4-4 4zm0-2c1.1045695 0 2-.8954305 2-2s-.8954305-2-2-2-2 .8954305-2 2 .8954305 2 2 2zm0 16c-2.209139 0-4-1.790861-4-4s1.790861-4 4-4 4 1.790861 4 4-1.790861 4-4 4zm0-2c1.1045695 0 2-.8954305 2-2s-.8954305-2-2-2-2 .8954305-2 2 .8954305 2 2 2zm0 16c-2.209139 0-4-1.790861-4-4s1.790861-4 4-4 4 1.790861 4 4-1.790861 4-4 4zm0-2c1.1045695 0 2-.8954305 2-2s-.8954305-2-2-2-2 .8954305-2 2 .8954305 2 2 2zm9-31h22c.5522847 0 1 .44771525 1 1s-.4477153 1-1 1H13c-.5522847 0-1-.44771525-1-1s.4477153-1 1-1zm0 14h22c.5522847 0 1 .4477153 1 1s-.4477153 1-1 1H13c-.5522847 0-1-.4477153-1-1s.4477153-1 1-1zm0 14h22c.5522847 0 1 .4477153 1 1s-.4477153 1-1 1H13c-.5522847 0-1-.4477153-1-1s.4477153-1 1-1z"})])],-1),B=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Need to customize a resource list a little more than a filter can provide? No problem. Add lenses to your resource to take full control over the entire Eloquent query. ",-1),C={class:"border-r md:border-b-0 border-b border-gray-200 dark:border-gray-700"},N=["href"],V=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"37",height:"36",viewBox:"0 0 37 36"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M2 27h3c1.1045695 0 2 .8954305 2 2v5c0 1.1045695-.8954305 2-2 2H2c-1.1045695 0-2-.8954305-2-2v-5c0-1.1.9-2 2-2zm0 2v5h3v-5H2zm10-11h3c1.1045695 0 2 .8954305 2 2v14c0 1.1045695-.8954305 2-2 2h-3c-1.1045695 0-2-.8954305-2-2V20c0-1.1.9-2 2-2zm0 2v14h3V20h-3zM22 9h3c1.1045695 0 2 .8954305 2 2v23c0 1.1045695-.8954305 2-2 2h-3c-1.1045695 0-2-.8954305-2-2V11c0-1.1.9-2 2-2zm0 2v23h3V11h-3zM32 0h3c1.1045695 0 2 .8954305 2 2v32c0 1.1045695-.8954305 2-2 2h-3c-1.1045695 0-2-.8954305-2-2V2c0-1.1.9-2 2-2zm0 2v32h3V2h-3z"})])],-1),E=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Nova makes it painless to quickly display custom metrics for your application. To put the cherry on top, we’ve included query helpers to make it all easy as pie. ",-1),S={class:"md:border-b-0 border-b border-gray-200 dark:border-gray-700"},_=["href"],A=(0,o.createElementVNode)("div",{class:"flex justify-center w-11 shrink-0 mr-6"},[(0,o.createElementVNode)("svg",{class:"text-primary-500 dark:text-primary-600",xmlns:"http://www.w3.org/2000/svg",width:"36",height:"36",viewBox:"0 0 36 36"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M29 7h5c.5522847 0 1 .44771525 1 1s-.4477153 1-1 1h-5v5c0 .5522847-.4477153 1-1 1s-1-.4477153-1-1V9h-5c-.5522847 0-1-.44771525-1-1s.4477153-1 1-1h5V2c0-.55228475.4477153-1 1-1s1 .44771525 1 1v5zM4 0h8c2.209139 0 4 1.790861 4 4v8c0 2.209139-1.790861 4-4 4H4c-2.209139 0-4-1.790861-4-4V4c0-2.209139 1.790861-4 4-4zm0 2c-1.1045695 0-2 .8954305-2 2v8c0 1.1.9 2 2 2h8c1.1045695 0 2-.8954305 2-2V4c0-1.1045695-.8954305-2-2-2H4zm20 18h8c2.209139 0 4 1.790861 4 4v8c0 2.209139-1.790861 4-4 4h-8c-2.209139 0-4-1.790861-4-4v-8c0-2.209139 1.790861-4 4-4zm0 2c-1.1045695 0-2 .8954305-2 2v8c0 1.1.9 2 2 2h8c1.1045695 0 2-.8954305 2-2v-8c0-1.1045695-.8954305-2-2-2h-8zM4 20h8c2.209139 0 4 1.790861 4 4v8c0 2.209139-1.790861 4-4 4H4c-2.209139 0-4-1.790861-4-4v-8c0-2.209139 1.790861-4 4-4zm0 2c-1.1045695 0-2 .8954305-2 2v8c0 1.1.9 2 2 2h8c1.1045695 0 2-.8954305 2-2v-8c0-1.1045695-.8954305-2-2-2H4z"})])],-1),H=(0,o.createElementVNode)("p",{class:"leading-normal mt-3"}," Nova offers CLI generators for scaffolding your own custom cards. We’ll give you a Vue component and infinite possibilities. ",-1);const O={name:"Help",props:{card:Object},methods:{link(e){return`https://nova.laravel.com/docs/${this.version}/${e}`}},computed:{resources(){return this.link("resources")},actions(){return this.link("actions/defining-actions.html")},filters(){return this.link("filters/defining-filters.html")},lenses(){return this.link("lenses/defining-lenses.html")},metrics(){return this.link("metrics/defining-metrics.html")},cards(){return this.link("customization/cards.html")},version(){const e=Nova.config("version").split(".");return e.splice(-2),`${e}.0`}}};const M=(0,r(66262).A)(O,[["render",function(e,t,r,O,M,R){const D=(0,o.resolveComponent)("Heading"),z=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(D,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Get Started")])),_:1}),i,(0,o.createVNode)(z,{class:"mt-8"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("a",{href:R.resources,class:"no-underline flex p-6"},[d,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(D,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Resources")])),_:1}),u])],8,c)]),(0,o.createElementVNode)("div",h,[(0,o.createElementVNode)("a",{href:R.actions,class:"no-underline flex p-6"},[m,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(D,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Actions")])),_:1}),v])],8,p)]),(0,o.createElementVNode)("div",f,[(0,o.createElementVNode)("a",{href:R.filters,class:"no-underline flex p-6"},[w,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(D,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Filters")])),_:1}),k])],8,g)]),(0,o.createElementVNode)("div",y,[(0,o.createElementVNode)("a",{href:R.lenses,class:"no-underline flex p-6"},[x,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(D,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Lenses")])),_:1}),B])],8,b)]),(0,o.createElementVNode)("div",C,[(0,o.createElementVNode)("a",{href:R.metrics,class:"no-underline flex p-6"},[V,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(D,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Metrics")])),_:1}),E])],8,N)]),(0,o.createElementVNode)("div",S,[(0,o.createElementVNode)("a",{href:R.cards,class:"no-underline flex p-6"},[A,(0,o.createElementVNode)("div",null,[(0,o.createVNode)(D,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)("Cards")])),_:1}),H])],8,_)])])])),_:1})])])}],["__file","HelpCard.vue"]])},33693:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=["disabled","checked"],l={__name:"Checkbox",props:{checked:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1}},emits:["input"],setup(e,{emit:t}){const r=t,l=e=>r("input",e);return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"checkbox",class:"checkbox",disabled:e.disabled,checked:e.checked,onChange:l,onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"]))},null,40,n))}};const i=(0,r(66262).A)(l,[["__file","Checkbox.vue"]])},33914:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"flex items-center select-none space-x-2"};const l={emits:["input"],props:{checked:Boolean,name:{type:String,required:!1},disabled:{type:Boolean,default:!1}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Checkbox");return(0,o.openBlock)(),(0,o.createElementBlock)("label",n,[(0,o.createVNode)(s,{onInput:t[0]||(t[0]=t=>e.$emit("input",t)),checked:r.checked,name:r.name,disabled:r.disabled},null,8,["checked","name","disabled"]),(0,o.renderSlot)(e.$slots,"default")])}],["__file","CheckboxWithLabel.vue"]])},62359:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{collapsed:{type:Boolean,default:!1}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createBlock)(a,{class:(0,o.normalizeClass)(["transform",{"ltr:-rotate-90 rtl:rotate-90":r.collapsed}])},null,8,["class"])}],["__file","CollapseButton.vue"]])},82637:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const n=["data-disabled"],l=["label"],i=["selected"],a=["selected"];var s=r(87612),c=r.n(s),d=r(94394),u=r.n(d),h=r(55378),p=r.n(h),m=r(90179),v=r.n(m);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t["xxs","xs","sm","md"].includes(e)}},methods:{labelFor(e){return this.label instanceof Function?this.label(e):e[this.label]},attrsFor:e=>g(g({},e.attrs||{}),{value:e.value}),isSelected(e){return this.selected.indexOf(e.value)>-1},handleChange(e){let t=p()(c()(e.target.options,(e=>e.selected)),(e=>e.value));this.$emit("change",t)},resetSelection(){this.$refs.selectControl.selectedIndex=0}},computed:{defaultAttributes(){return v()(this.$attrs,["class"])},groupedOptions(){return u()(this.options,(e=>e.group||""))}}};const y=(0,r(66262).A)(k,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",e.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(d.defaultAttributes,{onChange:t[0]||(t[0]=(...e)=>d.handleChange&&d.handleChange(...e)),class:["w-full block form-control form-control-bordered form-input min-h-[10rem]",{"h-8 text-xs":"sm"===r.size,"h-7 text-xs":"xs"===r.size,"h-6 text-xs":"xxs"===r.size,"form-control-bordered-error":r.hasError,"form-input-disabled":r.disabled}],multiple:!0,ref:"selectControl","data-disabled":r.disabled?"true":null}),[(0,o.renderSlot)(e.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(d.groupedOptions,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[t?((0,o.openBlock)(),(0,o.createElementBlock)("optgroup",{label:t,key:t},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,i)))),128))],8,l)):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,a)))),128))],64)))),256))],16,n)],2)}],["__file","MultiSelectControl.vue"]])},9847:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726);const n=["value","disabled","data-disabled"],l=["label"],i=["selected","disabled"],a=["selected","disabled"];var s=r(94394),c=r.n(s),d=(r(55378),r(90179)),u=r.n(d);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t["xxs","xs","sm","md"].includes(e)}},methods:{labelFor(e){return this.label instanceof Function?this.label(e):e[this.label]},attrsFor:e=>p(p({},e.attrs||{}),{value:e.value}),isSelected(e){return e.value==this.selected},isDisabled:e=>!0===e.disabled,handleChange(e){this.$emit("change",e.target.value)},resetSelection(){this.$refs.selectControl.selectedIndex=0}},computed:{defaultAttributes(){return u()(this.$attrs,["class"])},groupedOptions(){return c()(this.options,(e=>e.group||""))}}};const f=(0,r(66262).A)(v,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("IconArrow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex relative",e.$attrs.class])},[(0,o.createElementVNode)("select",(0,o.mergeProps)(d.defaultAttributes,{value:r.selected,onChange:t[0]||(t[0]=(...e)=>d.handleChange&&d.handleChange(...e)),class:["w-full block form-control form-control-bordered form-input",{"h-8 text-xs":"sm"===r.size,"h-7 text-xs":"xs"===r.size,"h-6 text-xs":"xxs"===r.size,"form-control-bordered-error":r.hasError,"form-input-disabled":r.disabled}],ref:"selectControl",disabled:r.disabled,"data-disabled":r.disabled?"true":null}),[(0,o.renderSlot)(e.$slots,"default"),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(d.groupedOptions,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[t?((0,o.openBlock)(),(0,o.createElementBlock)("optgroup",{label:t,key:t},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e),disabled:d.isDisabled(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,i)))),128))],8,l)):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",(0,o.mergeProps)(d.attrsFor(e),{key:e.value,selected:d.isSelected(e),disabled:d.isDisabled(e)}),(0,o.toDisplayString)(d.labelFor(e)),17,a)))),128))],64)))),256))],16,n),(0,o.createVNode)(u,{class:(0,o.normalizeClass)(["pointer-events-none absolute text-gray-700 right-[11px]",{"top-[15px]":"md"===r.size,"top-[13px]":"sm"===r.size,"top-[11px]":"xs"===r.size,"top-[9px]":"xxs"===r.size}])},null,8,["class"])],2)}],["__file","SelectControl.vue"]])},5740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const n=["data-form-unique-id"],l={class:"space-y-4"},i={class:"flex flex-col md:flex-row md:items-center justify-center md:justify-end space-y-2 md:space-y-0 md:space-x-3"};var a=r(76135),s=r.n(a),c=r(69843),d=r.n(c),u=r(15101),h=r.n(u),p=r(18700),m=r(66278);function v(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function f(e){for(var t=1;t["modal","form"].includes(e)},fromResourceId:{default:null}},(0,p.rr)(["resourceName","viaResource","viaResourceId","viaRelationship","shouldOverrideMeta"])),data:()=>({relationResponse:null,loading:!0,submittedViaCreateResourceAndAddAnother:!1,submittedViaCreateResource:!1,fields:[],panels:[]}),async created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");if(this.isRelation){const{data:e}=await Nova.request().get("/nova-api/"+this.viaResource+"/field/"+this.viaRelationship,{params:{resourceName:this.resourceName,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}});this.relationResponse=e,this.isHasOneRelationship&&this.alreadyFilled&&(Nova.error(this.__("The HasOne relationship has already been filled.")),Nova.visit(`/resources/${this.viaResource}/${this.viaResourceId}`)),this.isHasOneThroughRelationship&&this.alreadyFilled&&(Nova.error(this.__("The HasOneThrough relationship has already been filled.")),Nova.visit(`/resources/${this.viaResource}/${this.viaResourceId}`))}this.getFields(),"form"===this.mode?this.allowLeavingForm():this.allowLeavingModal()},methods:f(f(f({},(0,m.PY)(["allowLeavingForm","preventLeavingForm","allowLeavingModal","preventLeavingModal"])),(0,m.i0)(["fetchPolicies"])),{},{handleResourceLoaded(){this.loading=!1,this.$emit("finished-loading"),Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:null,mode:"create"})},async getFields(){this.panels=[],this.fields=[];const{data:{panels:e,fields:t}}=await Nova.request().get(`/nova-api/${this.resourceName}/creation-fields`,{params:{editing:!0,editMode:"create",inline:this.shownViaNewRelationModal,fromResourceId:this.fromResourceId,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}});this.panels=e,this.fields=t,this.handleResourceLoaded()},async submitViaCreateResource(e){e.preventDefault(),this.submittedViaCreateResource=!0,this.submittedViaCreateResourceAndAddAnother=!1,await this.createResource()},async submitViaCreateResourceAndAddAnother(){this.submittedViaCreateResourceAndAddAnother=!0,this.submittedViaCreateResource=!1,await this.createResource()},async createResource(){if(this.isWorking=!0,this.$refs.form.reportValidity())try{const{data:{redirect:e,id:t}}=await this.createRequest();if("form"===this.mode?this.allowLeavingForm():this.allowLeavingModal(),await this.fetchPolicies(),Nova.success(this.__("The :resource was created!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),!this.submittedViaCreateResource)return window.scrollTo(0,0),this.$emit("resource-created-and-adding-another",{id:t}),this.getFields(),this.resetErrors(),this.submittedViaCreateAndAddAnother=!1,this.submittedViaCreateResource=!1,void(this.isWorking=!1);this.$emit("resource-created",{id:t,redirect:e})}catch(e){window.scrollTo(0,0),this.submittedViaCreateAndAddAnother=!1,this.submittedViaCreateResource=!0,this.isWorking=!1,"form"===this.mode?this.preventLeavingForm():this.preventLeavingModal(),this.handleOnCreateResponseError(e)}this.submittedViaCreateAndAddAnother=!1,this.submittedViaCreateResource=!0,this.isWorking=!1},createRequest(){return Nova.request().post(`/nova-api/${this.resourceName}`,this.createResourceFormData(),{params:{editing:!0,editMode:"create"}})},createResourceFormData(){return h()(new FormData,(e=>{s()(this.panels,(t=>{s()(t.fields,(t=>{t.fill(e)}))})),d()(this.fromResourceId)||e.append("fromResourceId",this.fromResourceId),e.append("viaResource",this.viaResource),e.append("viaResourceId",this.viaResourceId),e.append("viaRelationship",this.viaRelationship)}))},onUpdateFormStatus(){this.$emit("update-form-status")}}),computed:{wasSubmittedViaCreateResource(){return this.isWorking&&this.submittedViaCreateResource},wasSubmittedViaCreateResourceAndAddAnother(){return this.isWorking&&this.submittedViaCreateResourceAndAddAnother},singularName(){return this.relationResponse?this.relationResponse.singularLabel:this.resourceInformation.singularLabel},createButtonLabel(){return this.resourceInformation.createButtonLabel},isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)},shownViaNewRelationModal(){return"modal"===this.mode},inFormMode(){return"form"===this.mode},canAddMoreResources(){return this.authorizedToCreate},alreadyFilled(){return this.relationResponse&&this.relationResponse.alreadyFilled},isHasOneRelationship(){return this.relationResponse&&this.relationResponse.hasOneRelationship},isHasOneThroughRelationship(){return this.relationResponse&&this.relationResponse.hasOneThroughRelationship},shouldShowAddAnotherButton(){return Boolean(this.inFormMode&&!this.alreadyFilled)&&!Boolean(this.isHasOneRelationship||this.isHasOneThroughRelationship)}}};const k=(0,r(66262).A)(w,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(h,{loading:e.loading},{default:(0,o.withCtx)((()=>[e.shouldOverrideMeta&&e.resourceInformation?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,title:e.__("Create :resource",{resource:e.resourceInformation.singularLabel})},null,8,["title"])):(0,o.createCommentVNode)("",!0),e.panels?((0,o.openBlock)(),(0,o.createElementBlock)("form",{key:1,class:"space-y-8",onSubmit:t[1]||(t[1]=(...e)=>c.submitViaCreateResource&&c.submitViaCreateResource(...e)),onChange:t[2]||(t[2]=(...e)=>c.onUpdateFormStatus&&c.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off",ref:"form"},[(0,o.createElementVNode)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.panels,(t=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+t.component),{key:t.id,onFieldChanged:c.onUpdateFormStatus,onFileUploadStarted:e.handleFileUploadStarted,onFileUploadFinished:e.handleFileUploadFinished,"shown-via-new-relation-modal":c.shownViaNewRelationModal,panel:t,name:t.name,dusk:`${t.attribute}-panel`,"resource-name":e.resourceName,fields:t.fields,"form-unique-id":e.formUniqueId,mode:r.mode,"validation-errors":e.validationErrors,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"show-help-text":!0},null,40,["onFieldChanged","onFileUploadStarted","onFileUploadFinished","shown-via-new-relation-modal","panel","name","dusk","resource-name","fields","form-unique-id","mode","validation-errors","via-resource","via-resource-id","via-relationship"])))),128))]),(0,o.createElementVNode)("div",i,[(0,o.createVNode)(u,{onClick:t[0]||(t[0]=t=>e.$emit("create-cancelled")),variant:"ghost",label:e.__("Cancel"),disabled:e.isWorking,dusk:"cancel-create-button"},null,8,["label","disabled"]),c.shouldShowAddAnotherButton?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,onClick:c.submitViaCreateResourceAndAddAnother,label:e.__("Create & Add Another"),loading:c.wasSubmittedViaCreateResourceAndAddAnother,dusk:"create-and-add-another-button"},null,8,["onClick","label","loading"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(u,{type:"submit",dusk:"create-button",onClick:c.submitViaCreateResource,label:c.createButtonLabel,disabled:e.isWorking,loading:c.wasSubmittedViaCreateResource},null,8,["onClick","label","disabled","loading"])])],40,n)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","CreateForm.vue"]])},99573:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726),n=r(10515);const l={key:0},i={class:"hidden md:inline-block"},a={class:"inline-block md:hidden"},s={class:"hidden md:inline-block"},c={class:"inline-block md:hidden"},d={__name:"CreateResourceButton",props:{type:{type:String,default:"button",validator:e=>["button","outline-button"].includes(e)},label:{},singularName:{},resourceName:{},viaResource:{},viaResourceId:{},viaRelationship:{},relationshipType:{},authorizedToCreate:{},authorizedToRelate:{},alreadyFilled:{type:Boolean,default:!1}},setup(e){const{__:t}=(0,n.B)(),r=e,d=(0,o.computed)((()=>("belongsToMany"===r.relationshipType||"morphToMany"===r.relationshipType)&&r.authorizedToRelate)),u=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),h=(0,o.computed)((()=>d||u));return(r,n)=>{const p=(0,o.resolveComponent)("ButtonInertiaLink");return h.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[d.value?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"shrink-0",dusk:"attach-button",href:r.$url(`/resources/${e.viaResource}/${e.viaResourceId}/attach/${e.resourceName}`,{viaRelationship:e.viaRelationship,polymorphic:"morphToMany"===e.relationshipType?"1":"0"})},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(r.$slots,"default",{},(()=>[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)((0,o.unref)(t)("Attach :resource",{resource:e.singularName})),1),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)((0,o.unref)(t)("Attach")),1)]))])),_:3},8,["href"])):u.value?((0,o.openBlock)(),(0,o.createBlock)(p,{key:1,class:"shrink-0 h-9 px-4 focus:outline-none ring-primary-200 dark:ring-gray-600 focus:ring text-white dark:text-gray-800 inline-flex items-center font-bold",dusk:"create-button",href:r.$url(`/resources/${e.resourceName}/new`,{viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship,relationshipType:e.relationshipType})},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.label),1),(0,o.createElementVNode)("span",c,(0,o.toDisplayString)((0,o.unref)(t)("Create")),1)])),_:1},8,["href"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)}}};const u=(0,r(66262).A)(d,[["__file","CreateResourceButton.vue"]])},1298:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={key:0,class:"text-red-500 text-sm"};var l=r(18700);function i(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function a(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={mixins:[l._w],props:function(e){for(var t=1;t0}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("FormLabel"),c=(0,o.resolveComponent)("HelpText");return r.field.visible?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(a.fieldWrapperClasses)},[r.field.withLabel?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(a.labelClasses)},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(s,{"label-for":r.labelFor||r.field.uniqueKey,class:(0,o.normalizeClass)(["space-x-1",{"mb-2":a.shouldShowHelpText}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.fieldLabel),1),r.field.required?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.__("*")),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["label-for","class"])]))],2)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(a.controlWrapperClasses)},[(0,o.renderSlot)(e.$slots,"field"),r.showErrors&&e.hasError?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,class:"help-text-error"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.firstError),1)])),_:1})):(0,o.createCommentVNode)("",!0),a.shouldShowHelpText?((0,o.openBlock)(),(0,o.createBlock)(c,{key:1,class:"help-text",innerHTML:r.field.helpText},null,8,["innerHTML"])):(0,o.createCommentVNode)("",!0)],2)],2)):(0,o.createCommentVNode)("",!0)}],["__file","DefaultField.vue"]])},27221:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={emits:["click"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onKeydown:t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)((t=>e.$emit("click")),["prevent"]),["enter"])),onClick:t[1]||(t[1]=(0,o.withModifiers)((t=>e.$emit("click")),["prevent"])),tabindex:"0",class:"cursor-pointer text-gray-500 inline-flex items-center"},[(0,o.createVNode)(a,{type:"trash",solid:!0}),(0,o.renderSlot)(e.$slots,"default")],32)}],["__file","DeleteButton.vue"]])},22599:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={key:0,class:"h-9"},l={class:"py-1"},i=["textContent"];var a=r(7309),s=r.n(a),c=r(27226),d=r(18700);const u={components:{Button:c.A},emits:["close","deleteAllMatching","deleteSelected","forceDeleteAllMatching","forceDeleteSelected","restoreAllMatching","restoreSelected"],mixins:[d.XJ],props:["allMatchingResourceCount","allMatchingSelected","authorizedToDeleteAnyResources","authorizedToDeleteSelectedResources","authorizedToForceDeleteAnyResources","authorizedToForceDeleteSelectedResources","authorizedToRestoreAnyResources","authorizedToRestoreSelectedResources","resources","selectedResources","show","softDeletes","trashedParameter","viaManyToMany"],data:()=>({deleteSelectedModalOpen:!1,forceDeleteSelectedModalOpen:!1,restoreModalOpen:!1}),mounted(){document.addEventListener("keydown",this.handleEscape),Nova.$on("close-dropdowns",this.handleClosingDropdown)},beforeUnmount(){document.removeEventListener("keydown",this.handleEscape),Nova.$off("close-dropdowns",this.handleClosingDropdown)},methods:{confirmDeleteSelectedResources(){this.deleteSelectedModalOpen=!0},confirmForceDeleteSelectedResources(){this.forceDeleteSelectedModalOpen=!0},confirmRestore(){this.restoreModalOpen=!0},closeDeleteSelectedModal(){this.deleteSelectedModalOpen=!1},closeForceDeleteSelectedModal(){this.forceDeleteSelectedModalOpen=!1},closeRestoreModal(){this.restoreModalOpen=!1},deleteSelectedResources(){this.$emit(this.allMatchingSelected?"deleteAllMatching":"deleteSelected")},forceDeleteSelectedResources(){this.$emit(this.allMatchingSelected?"forceDeleteAllMatching":"forceDeleteSelected")},restoreSelectedResources(){this.$emit(this.allMatchingSelected?"restoreAllMatching":"restoreSelected")},handleEscape(e){this.show&&27==e.keyCode&&this.close()},close(){this.$emit("close")},handleClosingDropdown(){this.deleteSelectedModalOpen=!1,this.forceDeleteSelectedModalOpen=!1,this.restoreModalOpen=!1}},computed:{trashedOnlyMode(){return"only"==this.queryStringParams[this.trashedParameter]},hasDropDownMenuItems(){return this.shouldShowDeleteItem||this.shouldShowRestoreItem||this.shouldShowForceDeleteItem},shouldShowDeleteItem(){return!this.trashedOnlyMode&&Boolean(this.authorizedToDeleteSelectedResources||this.allMatchingSelected)},shouldShowRestoreItem(){return this.softDeletes&&!this.viaManyToMany&&(this.softDeletedResourcesSelected||this.allMatchingSelected)&&(this.authorizedToRestoreSelectedResources||this.allMatchingSelected)},shouldShowForceDeleteItem(){return this.softDeletes&&!this.viaManyToMany&&(this.authorizedToForceDeleteSelectedResources||this.allMatchingSelected)},selectedResourcesCount(){return this.allMatchingSelected?this.allMatchingResourceCount:this.selectedResources.length},softDeletedResourcesSelected(){return Boolean(s()(this.selectedResources,(e=>e.softDeleted)))}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Button"),u=(0,o.resolveComponent)("CircleBadge"),h=(0,o.resolveComponent)("DropdownMenuItem"),p=(0,o.resolveComponent)("DropdownMenu"),m=(0,o.resolveComponent)("Dropdown"),v=(0,o.resolveComponent)("DeleteResourceModal"),f=(0,o.resolveComponent)("ModalHeader"),g=(0,o.resolveComponent)("ModalContent"),w=(0,o.resolveComponent)("RestoreResourceModal");return c.hasDropDownMenuItems?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(m,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{class:"px-1",width:"250"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",l,[c.shouldShowDeleteItem?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,as:"button",class:"border-none",dusk:"delete-selected-button",onClick:(0,o.withModifiers)(c.confirmDeleteSelectedResources,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(r.viaManyToMany?"Detach Selected":"Delete Selected"))+" ",1),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.selectedResourcesCount),1)])),_:1})])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),c.shouldShowRestoreItem?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,as:"button",dusk:"restore-selected-button",onClick:(0,o.withModifiers)(c.confirmRestore,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Restore Selected"))+" ",1),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.selectedResourcesCount),1)])),_:1})])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),c.shouldShowForceDeleteItem?((0,o.openBlock)(),(0,o.createBlock)(h,{key:2,as:"button",dusk:"force-delete-selected-button",onClick:(0,o.withModifiers)(c.confirmForceDeleteSelectedResources,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Force Delete Selected"))+" ",1),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.selectedResourcesCount),1)])),_:1})])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{variant:"ghost",padding:"tight",icon:"trash","trailing-icon":"chevron-down","aria-label":e.__("Trash Dropdown")},null,8,["aria-label"])])),_:1}),(0,o.createVNode)(v,{mode:r.viaManyToMany?"detach":"delete",show:r.selectedResources.length>0&&e.deleteSelectedModalOpen,onClose:c.closeDeleteSelectedModal,onConfirm:c.deleteSelectedResources},null,8,["mode","show","onClose","onConfirm"]),(0,o.createVNode)(v,{show:r.selectedResources.length>0&&e.forceDeleteSelectedModalOpen,mode:"delete",onClose:c.closeForceDeleteSelectedModal,onConfirm:c.forceDeleteSelectedResources},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{textContent:(0,o.toDisplayString)(e.__("Force Delete Resource"))},null,8,["textContent"]),(0,o.createVNode)(g,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",{class:"leading-normal",textContent:(0,o.toDisplayString)(e.__("Are you sure you want to force delete the selected resources?"))},null,8,i)])),_:1})])),_:1},8,["show","onClose","onConfirm"]),(0,o.createVNode)(w,{show:r.selectedResources.length>0&&e.restoreModalOpen,onClose:c.closeRestoreModal,onConfirm:c.restoreSelectedResources},null,8,["show","onClose","onConfirm"])])):(0,o.createCommentVNode)("",!0)}],["__file","DeleteMenu.vue"]])},65628:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"block mx-auto mb-6",xmlns:"http://www.w3.org/2000/svg",width:"100",height:"2",viewBox:"0 0 100 2"},l=[(0,o.createElementVNode)("path",{fill:"#D8E3EC",d:"M0 0h100v2H0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","DividerLine.vue"]])},61693:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726),n=r(10515),l=r(10894),i=r(27226);const a=["dusk","multiple","accept","disabled"],s={class:"space-y-4"},c={key:0,class:"grid grid-cols-4 gap-x-6 gap-y-2"},d=["onKeydown"],u={class:"flex items-center space-x-4 pointer-events-none"},h={class:"text-center pointer-events-none"},p={class:"pointer-events-none text-center text-sm text-gray-500 dark:text-gray-400 font-semibold"},m={inheritAttrs:!1},v=Object.assign(m,{__name:"DropZone",props:{files:{type:Array,default:[]},multiple:{type:Boolean,default:!1},rounded:{type:Boolean,default:!1},acceptedTypes:{type:String,default:null},disabled:{type:Boolean,default:!1}},emits:["fileChanged","fileRemoved"],setup(e,{emit:t}){const r=t,{__:m}=(0,n.B)(),v=e,{startedDrag:f,handleOnDragEnter:g,handleOnDragLeave:w}=(0,l.g)(r),k=(0,o.ref)([]),y=(0,o.ref)(),b=()=>y.value.click(),x=e=>{k.value=v.multiple?e.dataTransfer.files:[e.dataTransfer.files[0]],r("fileChanged",k.value)},B=()=>{k.value=v.multiple?y.value.files:[y.value.files[0]],r("fileChanged",k.value),y.value.files=null};return(t,n)=>{const l=(0,o.resolveComponent)("FilePreviewBlock");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createElementVNode)("input",{class:"visually-hidden",dusk:t.$attrs["input-dusk"],onChange:(0,o.withModifiers)(B,["prevent"]),type:"file",ref_key:"fileInput",ref:y,multiple:e.multiple,accept:e.acceptedTypes,disabled:e.disabled,tabindex:"-1"},null,40,a),(0,o.createElementVNode)("div",s,[e.files.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.files,((n,i)=>((0,o.openBlock)(),(0,o.createBlock)(l,{file:n,onRemoved:()=>(e=>{r("fileRemoved",e),y.value.files=null,y.value.value=null})(i),rounded:e.rounded,dusk:t.$attrs.dusk},null,8,["file","onRemoved","rounded","dusk"])))),256))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{tabindex:"0",role:"button",onClick:b,onKeydown:[(0,o.withKeys)((0,o.withModifiers)(b,["prevent"]),["space"]),(0,o.withKeys)((0,o.withModifiers)(b,["prevent"]),["enter"])],class:(0,o.normalizeClass)(["focus:outline-none focus:!border-primary-500 block cursor-pointer p-4 bg-gray-50 dark:bg-gray-900 dark:hover:bg-gray-900 border-4 border-dashed hover:border-gray-300 dark:border-gray-700 dark:hover:border-gray-600 rounded-lg",{"border-gray-300 dark:border-gray-600":(0,o.unref)(f)}]),onDragenter:n[0]||(n[0]=(0,o.withModifiers)(((...e)=>(0,o.unref)(g)&&(0,o.unref)(g)(...e)),["prevent"])),onDragleave:n[1]||(n[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(w)&&(0,o.unref)(w)(...e)),["prevent"])),onDragover:n[2]||(n[2]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:(0,o.withModifiers)(x,["prevent"])},[(0,o.createElementVNode)("div",u,[(0,o.createElementVNode)("p",h,[(0,o.createVNode)((0,o.unref)(i.A),{as:"div"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.multiple?(0,o.unref)(m)("Choose Files"):(0,o.unref)(m)("Choose File")),1)])),_:1})]),(0,o.createElementVNode)("p",p,(0,o.toDisplayString)(e.multiple?(0,o.unref)(m)("Drop files or click to choose"):(0,o.unref)(m)("Drop file or click to choose")),1)])],42,d)])])}}});const f=(0,r(66262).A)(v,[["__file","DropZone.vue"]])},82222:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726);var n=r(10515);const l={class:"h-full flex items-start justify-center"},i={class:"relative w-full"},a={class:"bg-gray-50 dark:bg-gray-700 relative aspect-square flex items-center justify-center border-2 border-gray-200 dark:border-gray-700 overflow-hidden rounded-lg"},s={key:0,class:"absolute inset-0 flex items-center justify-center"},c=(0,o.createElementVNode)("div",{class:"bg-primary-900 opacity-5 absolute inset-0"},null,-1),d=["src"],u={key:2},h={class:"rounded bg-gray-200 border-2 border-gray-200 p-4"},p={class:"font-semibold text-xs mt-1"},m={inheritAttrs:!1},v=Object.assign(m,{__name:"FilePreviewBlock",props:{file:{type:Object},removable:{type:Boolean,default:!0}},emits:["removed"],setup(e,{emit:t}){const{__:r}=(0,n.B)(),m=t,v=e,f=(0,o.computed)((()=>v.file.processing?r("Uploading")+" ("+v.file.progress+"%)":v.file.name)),g=(0,o.computed)((()=>v.file.processing?v.file.progress:100)),{previewUrl:w,isImage:k}=function(e){const t=["image/png","image/jpeg","image/gif","image/svg+xml","image/webp"],r=(0,o.computed)((()=>t.includes(e.value.type)?"image":"other")),n=(0,o.computed)((()=>URL.createObjectURL(e.value.originalFile))),l=(0,o.computed)((()=>"image"===r.value));return{imageTypes:t,isImage:l,type:r,previewUrl:n}}((0,o.toRef)(v,"file")),y=()=>m("removed");return(t,n)=>{const m=(0,o.resolveComponent)("RemoveButton"),v=(0,o.resolveComponent)("ProgressBar"),b=(0,o.resolveComponent)("Icon"),x=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("div",i,[e.removable?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,class:"absolute z-20 top-[-10px] right-[-9px]",onClick:(0,o.withModifiers)(y,["stop"]),dusk:t.$attrs.dusk},null,8,["dusk"])),[[x,(0,o.unref)(r)("Remove")]]):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",a,[e.file.processing?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(v,{title:f.value,class:"mx-4",color:"bg-green-500",value:g.value},null,8,["title","value"]),c])):(0,o.createCommentVNode)("",!0),(0,o.unref)(k)?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,src:(0,o.unref)(w),class:"aspect-square object-scale-down"},null,8,d)):((0,o.openBlock)(),(0,o.createElementBlock)("div",u,[(0,o.createElementVNode)("div",h,[(0,o.createVNode)(b,{type:"document-text",width:"50",height:"50"})])]))]),(0,o.createElementVNode)("p",p,(0,o.toDisplayString)(e.file.name),1)])])}}});const f=(0,r(66262).A)(v,[["__file","FilePreviewBlock.vue"]])},34159:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),n=r(10515),l=r(10894),i=r(27226);const a={class:"space-y-4"},s={key:0,class:"grid grid-cols-4 gap-x-6"},c={class:"flex items-center space-x-4"},d={class:"text-center pointer-events-none"},u={class:"pointer-events-none text-center text-sm text-gray-500 dark:text-gray-400 font-semibold"},h={__name:"SingleDropZone",props:{files:Array,handleClick:Function},emits:["fileChanged","fileRemoved"],setup(e,{emit:t}){const{__:r}=(0,n.B)(),h=t,{startedDrag:p,handleOnDragEnter:m,handleOnDragLeave:v,handleOnDrop:f}=(0,l.g)(h);return(t,n)=>{const l=(0,o.resolveComponent)("FilePreviewBlock");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[e.files.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.files,((e,t)=>((0,o.openBlock)(),(0,o.createBlock)(l,{file:e,onRemoved:()=>function(e){h("fileRemoved",e)}(t)},null,8,["file","onRemoved"])))),256))])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",{onClick:n[0]||(n[0]=(...t)=>e.handleClick&&e.handleClick(...t)),class:(0,o.normalizeClass)(["cursor-pointer p-4 bg-gray-50 dark:bg-gray-900 dark:hover:bg-gray-900 border-4 border-dashed hover:border-gray-300 dark:hover:border-gray-600 rounded-lg",(0,o.unref)(p)?"border-gray-300 dark:border-gray-600":"border-gray-200 dark:border-gray-700"]),onDragenter:n[1]||(n[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(m)&&(0,o.unref)(m)(...e)),["prevent"])),onDragleave:n[2]||(n[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(v)&&(0,o.unref)(v)(...e)),["prevent"])),onDragover:n[3]||(n[3]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:n[4]||(n[4]=(0,o.withModifiers)(((...e)=>(0,o.unref)(f)&&(0,o.unref)(f)(...e)),["prevent"]))},[(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("p",d,[(0,o.createVNode)((0,o.unref)(i.A),{as:"div"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)((0,o.unref)(r)("Choose a file")),1)])),_:1})]),(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(t.multiple?(0,o.unref)(r)("Drop files or click to choose"):(0,o.unref)(r)("Drop file or click to choose")),1)])],34)])}}};const p=(0,r(66262).A)(h,[["__file","SingleDropZone.vue"]])},21127:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),n=r(66543),l=r(66278),i=r(27226),a=r(98555);const s={class:"px-1 divide-y divide-gray-100 dark:divide-gray-800 divide-solid"},c={key:0},d={class:"py-1"},u={__name:"ActionDropdown",props:{resourceName:{},viaResource:{},viaResourceId:{},viaRelationship:{},relationshipType:{},actions:{type:Array,default:[]},selectedResources:{type:[Array,String],default:()=>[]},endpoint:{type:String,default:null},triggerDuskAttribute:{type:String,default:null},showHeadings:{type:Boolean,default:!1}},emits:["actionExecuted"],setup(e,{emit:t}){const r=(0,l.Pj)(),u=t,h=e,{errors:p,actionModalVisible:m,responseModalVisible:v,openConfirmationModal:f,closeConfirmationModal:g,closeResponseModal:w,handleActionClick:k,selectedAction:y,working:b,executeAction:x,actionResponseData:B}=(0,n.d)(h,u,r),C=()=>x((()=>u("actionExecuted"))),N=()=>{w(),u("actionExecuted")},V=()=>{w(),u("actionExecuted")};return(t,r)=>{const n=(0,o.resolveComponent)("DropdownMenuItem"),l=(0,o.resolveComponent)("ScrollWrap"),u=(0,o.resolveComponent)("DropdownMenu"),h=(0,o.resolveComponent)("Dropdown"),f=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.unref)(m)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(y)?.component),{key:0,show:(0,o.unref)(m),class:"text-left",working:(0,o.unref)(b),"selected-resources":e.selectedResources,"resource-name":e.resourceName,action:(0,o.unref)(y),errors:(0,o.unref)(p),onConfirm:C,onClose:(0,o.unref)(g)},null,40,["show","working","selected-resources","resource-name","action","errors","onClose"])):(0,o.createCommentVNode)("",!0),(0,o.unref)(v)?((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)((0,o.unref)(B)?.modal),{key:1,show:(0,o.unref)(v),onConfirm:N,onClose:V,data:(0,o.unref)(B)},null,40,["show","data"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(h,null,{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(t.$slots,"trigger",{},(()=>[(0,o.withDirectives)((0,o.createVNode)((0,o.unref)(i.A),{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),dusk:e.triggerDuskAttribute,variant:"ghost",icon:"ellipsis-horizontal"},null,8,["dusk"]),[[f,t.__("Actions")]])]))])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(l,{height:250},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",s,[(0,o.renderSlot)(t.$slots,"menu"),e.actions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[e.showHeadings?((0,o.openBlock)(),(0,o.createBlock)(a.default,{key:0},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(t.__("User Actions")),1)])),_:1})):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.actions,(e=>((0,o.openBlock)(),(0,o.createBlock)(n,{key:e.uriKey,"data-action-id":e.uriKey,as:"button",class:"border-none",onClick:()=>(e=>{!1!==e.authorizedToRun&&k(e.uriKey)})(e),title:e.name,disabled:!1===e.authorizedToRun},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.name),1)])),_:2},1032,["data-action-id","onClick","title","disabled"])))),128))])])):(0,o.createCommentVNode)("",!0)])])),_:3})])),_:3})])),_:3})])}}};const h=(0,r(66262).A)(u,[["__file","ActionDropdown.vue"]])},63971:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={key:0},l={class:"py-1"};var i=r(18700),a=r(66278);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;t({deleteModalOpen:!1,restoreModalOpen:!1,forceDeleteModalOpen:!1}),methods:c(c({},(0,a.i0)(["startImpersonating"])),{},{async confirmDelete(){this.deleteResources([this.resource],(e=>{Nova.success(this.__("The :resource was deleted!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),e&&e.data&&e.data.redirect?Nova.visit(e.data.redirect):this.resource.softDeletes?(this.closeDeleteModal(),this.$emit("resource-deleted")):Nova.visit(`/resources/${this.resourceName}`)}))},openDeleteModal(){this.deleteModalOpen=!0},closeDeleteModal(){this.deleteModalOpen=!1},async confirmRestore(){this.restoreResources([this.resource],(()=>{Nova.success(this.__("The :resource was restored!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),this.closeRestoreModal(),this.$emit("resource-restored")}))},openRestoreModal(){this.restoreModalOpen=!0},closeRestoreModal(){this.restoreModalOpen=!1},async confirmForceDelete(){this.forceDeleteResources([this.resource],(e=>{Nova.success(this.__("The :resource was deleted!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),e&&e.data&&e.data.redirect?Nova.visit(e.data.redirect):Nova.visit(`/resources/${this.resourceName}`)}))},openForceDeleteModal(){this.forceDeleteModalOpen=!0},closeForceDeleteModal(){this.forceDeleteModalOpen=!1}}),computed:(0,a.L8)(["currentUser"])};const h=(0,r(66262).A)(u,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("DropdownMenuHeading"),d=(0,o.resolveComponent)("DropdownMenuItem"),u=(0,o.resolveComponent)("ActionDropdown"),h=(0,o.resolveComponent)("DeleteResourceModal"),p=(0,o.resolveComponent)("RestoreResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[r.resource?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,resource:r.resource,actions:r.actions,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"resource-name":e.resourceName,onActionExecuted:t[1]||(t[1]=t=>e.$emit("actionExecuted")),"selected-resources":[r.resource.id.value],"trigger-dusk-attribute":`${r.resource.id.value}-control-selector`,"show-headings":!0},{menu:(0,o.withCtx)((()=>[r.resource.authorizedToReplicate||e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate||r.resource.authorizedToDelete&&!r.resource.softDeleted||r.resource.authorizedToRestore&&r.resource.softDeleted||r.resource.authorizedToForceDelete?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(c,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Actions")),1)])),_:1}),(0,o.createElementVNode)("div",l,[r.resource.authorizedToReplicate?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,dusk:`${r.resource.id.value}-replicate-button`,href:e.$url(`/resources/${e.resourceName}/${r.resource.id.value}/replicate`,{viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}),title:e.__("Replicate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Replicate")),1)])),_:1},8,["dusk","href","title"])):(0,o.createCommentVNode)("",!0),e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,as:"button",dusk:`${r.resource.id.value}-impersonate-button`,onClick:t[0]||(t[0]=(0,o.withModifiers)((t=>e.startImpersonating({resource:e.resourceName,resourceId:r.resource.id.value})),["prevent"])),title:e.__("Impersonate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Impersonate")),1)])),_:1},8,["dusk","title"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToDelete&&!r.resource.softDeleted?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,dusk:"open-delete-modal-button",onClick:(0,o.withModifiers)(s.openDeleteModal,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Delete Resource")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToRestore&&r.resource.softDeleted?((0,o.openBlock)(),(0,o.createBlock)(d,{key:3,as:"button",dusk:"open-restore-modal-button",onClick:(0,o.withModifiers)(s.openRestoreModal,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Restore Resource")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToForceDelete?((0,o.openBlock)(),(0,o.createBlock)(d,{key:4,as:"button",dusk:"open-force-delete-modal-button",onClick:(0,o.withModifiers)(s.openForceDeleteModal,["prevent"])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Force Delete Resource")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0)])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["resource","actions","via-resource","via-resource-id","via-relationship","resource-name","selected-resources","trigger-dusk-attribute"])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(h,{show:e.deleteModalOpen,mode:"delete",onClose:s.closeDeleteModal,onConfirm:s.confirmDelete},null,8,["show","onClose","onConfirm"]),(0,o.createVNode)(p,{show:e.restoreModalOpen,onClose:s.closeRestoreModal,onConfirm:s.confirmRestore},null,8,["show","onClose","onConfirm"]),(0,o.createVNode)(h,{show:e.forceDeleteModalOpen,mode:"force delete",onClose:s.closeForceDeleteModal,onConfirm:s.confirmForceDelete},null,8,["show","onClose","onConfirm"])],64)}],["__file","DetailActionDropdown.vue"]])},75167:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(69956),n=r(18491),l=r(95361),i=r(29726);let a=0;function s(){return++a,a}var c=r(5620);function d(e){return e?e.flatMap((e=>e.type===i.Fragment?d(e.children):[e])):[]}var u=r(96433);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t!0===r.value&&!0===g.value)),k=()=>{g.value=!1},y=()=>{g.value=!0};var b;b=()=>r.value=!1,(0,u.MLh)(document,"keydown",(e=>{"Escape"===e.key&&b()}));const x=(0,i.computed)((()=>`nova-ui-dropdown-button-${s()}`)),B=(0,i.computed)((()=>`nova-ui-dropdown-menu-${s()}`)),C=(0,i.computed)((()=>Nova.config("rtlEnabled")?{"auto-start":"auto-end","auto-end":"auto-start","top-start":"top-end","top-end":"top-start","bottom-start":"bottom-end","bottom-end":"bottom-start","right-start":"right-end","right-end":"right-start","left-start":"left-end","left-end":"left-start"}[e.placement]:e.placement)),{floatingStyles:N}=(0,o.we)(a,m,{whileElementsMounted:n.ll,placement:C.value,middleware:[(0,l.cY)(e.offset),(0,n.UU)(),(0,n.BN)({padding:5}),(0,n.Ej)()]});return(0,i.watch)((()=>w),(async e=>{await(0,i.nextTick)(),e?v():f()})),(0,i.onMounted)((()=>{Nova.$on("disable-focus-trap",k),Nova.$on("enable-focus-trap",y)})),(0,i.onBeforeUnmount)((()=>{Nova.$off("disable-focus-trap",k),Nova.$off("enable-focus-trap",y),g.value=!1})),()=>{const o=d(t.default()),[n,...l]=o,s=(0,i.mergeProps)(p(p({},n.props),{id:x.value,"aria-expanded":!0===r.value?"true":"false","aria-haspopup":"true","aria-controls":B.value,onClick:(0,i.withModifiers)((()=>{r.value=!r.value}),["stop"])})),c=(0,i.cloneVNode)(n,s);for(const e in s)e.startsWith("on")&&(c.props||={},c.props[e]=s[e]);return(0,i.h)("div",{dusk:e.dusk},[(0,i.h)("span",{ref:a},c),(0,i.h)(i.Teleport,{to:"body"},(0,i.h)(i.Transition,{enterActiveClass:"transition duration-0 ease-out",enterFromClass:"opacity-0",enterToClass:"opacity-100",leaveActiveClass:"transition duration-300 ease-in",leaveFromClass:"opacity-100",leaveToClass:"opacity-0"},(()=>[r.value?(0,i.h)("div",{ref:h,dusk:"dropdown-teleported"},[(0,i.h)("div",{ref:m,id:B.value,"aria-labelledby":x.value,tabindex:"0",class:"relative z-[70]",style:N.value,"data-menu-open":r.value,dusk:"dropdown-menu",onClick:()=>e.shouldCloseOnBlur?r.value=!1:null},t.menu()),(0,i.h)("div",{class:"z-[69] fixed inset-0",dusk:"dropdown-overlay",onClick:()=>r.value=!1})]):null])))])}}};const f=(0,r(66262).A)(v,[["__file","Dropdown.vue"]])},43378:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{width:{default:120}},computed:{styles(){return{width:"auto"===this.width?"auto":`${this.width}px`}}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{style:(0,o.normalizeStyle)(i.styles),class:(0,o.normalizeClass)(["select-none overflow-hidden bg-white dark:bg-gray-900 shadow-lg rounded-lg border border-gray-200 dark:border-gray-700",{"max-w-sm lg:max-w-lg":"auto"===r.width}])},[(0,o.renderSlot)(e.$slots,"default")],6)}],["__file","DropdownMenu.vue"]])},98555:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"mt-3 px-3 text-xs font-bold"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("h3",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","DropdownMenuHeading.vue"]])},98628:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t["button","external","form-button","link"].includes(e)},disabled:{type:Boolean,default:!1},size:{type:String,default:"small",validator:e=>["small","large"].includes(e)}},computed:{component(){return{button:"button",external:"a",link:"Link","form-button":"FormButton"}[this.as]},defaultAttributes(){return l(l({},this.$attrs),{disabled:"button"===this.as&&!0===this.disabled||null,type:"button"===this.as?"button":null})}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(i.component),(0,o.mergeProps)(i.defaultAttributes,{class:["block w-full text-left px-3 focus:outline-none rounded truncate whitespace-nowrap",{"text-sm py-1.5":"small"===r.size,"text-sm py-2":"large"===r.size,"hover:bg-gray-50 dark:hover:bg-gray-800 focus:ring cursor-pointer":!r.disabled,"text-gray-400 dark:text-gray-700 cursor-default":r.disabled,"text-gray-500 active:text-gray-600 dark:text-gray-500 dark:hover:text-gray-400 dark:active:text-gray-600":!r.disabled}]}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16,["class"])}],["__file","DropdownMenuItem.vue"]])},73926:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={key:0},l={class:"py-1"};var i=r(18700),a=r(66278);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={components:{Button:r(27226).A},emits:["actionExecuted","show-preview"],props:function(e){for(var t=1;te.$emit("actionExecuted")),"selected-resources":[r.resource.id.value],"show-headings":!0},{trigger:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:"action",icon:"ellipsis-horizontal",dusk:`${r.resource.id.value}-control-selector`},null,8,["dusk"])])),menu:(0,o.withCtx)((()=>[r.resource.authorizedToView&&r.resource.previewHasFields||r.resource.authorizedToReplicate||e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(d,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Actions")),1)])),_:1}),(0,o.createElementVNode)("div",l,[r.resource.authorizedToView&&r.resource.previewHasFields?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,dusk:`${r.resource.id.value}-preview-button`,as:"button",onClick:t[0]||(t[0]=(0,o.withModifiers)((t=>e.$emit("show-preview")),["prevent"])),title:e.__("Preview")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Preview")),1)])),_:1},8,["dusk","title"])):(0,o.createCommentVNode)("",!0),r.resource.authorizedToReplicate?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,dusk:`${r.resource.id.value}-replicate-button`,href:e.$url(`/resources/${e.resourceName}/${r.resource.id.value}/replicate`,{viaResource:e.viaResource,viaResourceId:e.viaResourceId,viaRelationship:e.viaRelationship}),title:e.__("Replicate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Replicate")),1)])),_:1},8,["dusk","href","title"])):(0,o.createCommentVNode)("",!0),e.currentUser.canImpersonate&&r.resource.authorizedToImpersonate?((0,o.openBlock)(),(0,o.createBlock)(u,{key:2,as:"button",dusk:`${r.resource.id.value}-impersonate-button`,onClick:t[1]||(t[1]=(0,o.withModifiers)((t=>e.startImpersonating({resource:e.resourceName,resourceId:r.resource.id.value})),["prevent"])),title:e.__("Impersonate")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Impersonate")),1)])),_:1},8,["dusk","title"])):(0,o.createCommentVNode)("",!0)])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["resource","actions","via-resource","via-resource-id","via-relationship","resource-name","selected-resources"])}],["__file","InlineActionDropdown.vue"]])},13025:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),n=r(84451),l=r(20008),i=r(27226);const a={key:0,ref:"selectedStatus",class:"rounded-lg h-9 inline-flex items-center text-gray-600 dark:text-gray-400"},s={class:"inline-flex items-center gap-1 pl-1"},c={class:"font-bold"},d={class:"p-4 flex flex-col items-start gap-4"},u={__name:"SelectAllDropdown",props:{currentPageCount:{type:Number,default:0},allMatchingResourceCount:{type:Number,default:0}},emits:["toggle-select-all","toggle-select-all-matching","deselect"],setup(e){const t=(0,o.inject)("selectedResourcesCount"),r=(0,o.inject)("selectAllChecked"),u=(0,o.inject)("selectAllMatchingChecked"),h=(0,o.inject)("selectAllAndSelectAllMatchingChecked"),p=(0,o.inject)("selectAllOrSelectAllMatchingChecked"),m=(0,o.inject)("selectAllIndeterminate");return(v,f)=>{const g=(0,o.resolveComponent)("CircleBadge"),w=(0,o.resolveComponent)("DropdownMenu"),k=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(k,{placement:"bottom-start",dusk:"select-all-dropdown"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(w,{direction:"ltr",width:"250"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",d,[(0,o.createVNode)((0,o.unref)(l.A),{onChange:f[1]||(f[1]=e=>v.$emit("toggle-select-all")),"model-value":(0,o.unref)(r),dusk:"select-all-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(v.__("Select this page")),1),(0,o.createVNode)(g,null,{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.currentPageCount),1)])),_:1})])),_:1},8,["model-value"]),(0,o.createVNode)((0,o.unref)(l.A),{onChange:f[2]||(f[2]=e=>v.$emit("toggle-select-all-matching")),"model-value":(0,o.unref)(u),dusk:"select-all-matching-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(v.__("Select all")),1),(0,o.createVNode)(g,{dusk:"select-all-matching-count"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.allMatchingResourceCount),1)])),_:1})])])),_:1},8,["model-value"])])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(i.A),{variant:"ghost","trailing-icon":"chevron-down",class:(0,o.normalizeClass)(["-ml-1",{"enabled:bg-gray-700/5 dark:enabled:bg-gray-950":(0,o.unref)(p)||(0,o.unref)(t)>0}]),dusk:"select-all-dropdown-trigger"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(l.A),{"aria-label":v.__("Select this page"),indeterminate:(0,o.unref)(m),"model-value":(0,o.unref)(h),class:"pointer-events-none",dusk:"select-all-indicator",tabindex:"-1"},null,8,["aria-label","indeterminate","model-value"]),(0,o.unref)(t)>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("span",s,[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(v.__(":amount selected",{amount:(0,o.unref)(u)?e.allMatchingResourceCount:(0,o.unref)(t),label:(0,o.unref)(n.zQ)((0,o.unref)(t),"resources")})),1)]),(0,o.createVNode)((0,o.unref)(i.A),{onClick:f[0]||(f[0]=(0,o.withModifiers)((e=>v.$emit("deselect")),["stop"])),variant:"link",icon:"x-circle",size:"small",state:"mellow",class:"-mr-2","aria-label":v.__("Deselect All"),dusk:"deselect-all-button"},null,8,["aria-label"])],512)):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"])])),_:1})}}};const h=(0,r(66262).A)(u,[["__file","SelectAllDropdown.vue"]])},83040:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"flex flex-col py-1 px-1"};var l=r(27226),i=r(81975);const a={components:{Button:l.A,Icon:i.A},data:()=>({theme:"system",listener:null,matcher:window.matchMedia("(prefers-color-scheme: dark)"),themes:["light","dark"]}),mounted(){Nova.config("themeSwitcherEnabled")?(this.themes.includes(localStorage.novaTheme)&&(this.theme=localStorage.novaTheme),this.listener=()=>{"system"===this.theme&&this.applyColorScheme()},this.matcher.addEventListener("change",this.listener)):localStorage.removeItem("novaTheme")},beforeUnmount(){Nova.config("themeSwitcherEnabled")&&this.matcher.removeEventListener("change",this.listener)},watch:{theme(e){"light"===e&&(localStorage.novaTheme="light",document.documentElement.classList.remove("dark")),"dark"===e&&(localStorage.novaTheme="dark",document.documentElement.classList.add("dark")),"system"===e&&(localStorage.removeItem("novaTheme"),this.applyColorScheme())}},methods:{applyColorScheme(){Nova.config("themeSwitcherEnabled")&&(window.matchMedia("(prefers-color-scheme: dark)").matches?document.documentElement.classList.add("dark"):document.documentElement.classList.remove("dark"))},toggleLightTheme(){this.theme="light"},toggleDarkTheme(){this.theme="dark"},toggleSystemTheme(){this.theme="system"}},computed:{themeSwitcherEnabled:()=>Nova.config("themeSwitcherEnabled"),themeIcon(){return{light:"sun",dark:"moon",system:"computer-desktop"}[this.theme]},themeColor(){return{light:"text-primary-500",dark:"dark:text-primary-500",system:""}[this.theme]}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Button"),c=(0,o.resolveComponent)("Icon"),d=(0,o.resolveComponent)("DropdownMenuItem"),u=(0,o.resolveComponent)("DropdownMenu"),h=(0,o.resolveComponent)("Dropdown");return a.themeSwitcherEnabled?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,placement:"bottom-end"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",n,[(0,o.createVNode)(d,{as:"button",size:"small",class:"flex items-center gap-2",onClick:a.toggleLightTheme},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{name:"sun",type:"micro"}),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Light")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(d,{as:"button",class:"flex items-center gap-2",onClick:a.toggleDarkTheme},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{name:"moon",type:"micro"}),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Dark")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(d,{as:"button",class:"flex items-center gap-2",onClick:a.toggleSystemTheme},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{name:"computer-desktop",type:"micro"}),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("System")),1)])),_:1},8,["onClick"])])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{variant:"action",icon:a.themeIcon,class:(0,o.normalizeClass)(a.themeColor)},null,8,["icon","class"])])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","ThemeDropdown.vue"]])},70293:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={key:0,class:"break-normal"},l=["innerHTML"],i={key:1,class:"break-normal"},a=["innerHTML"],s={key:2};const c={props:{plainText:{type:Boolean,default:!1},shouldShow:{type:Boolean,default:!1},content:{type:String}},data:()=>({expanded:!1}),methods:{toggle(){this.expanded=!this.expanded}},computed:{hasContent(){return""!==this.content&&null!==this.content},showHideLabel(){return this.expanded?this.__("Hide Content"):this.__("Show Content")}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,c,d,u){return r.shouldShow&&u.hasContent?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["prose prose-sm dark:prose-invert text-gray-500 dark:text-gray-400",{"whitespace-pre-wrap":r.plainText}]),innerHTML:r.content},null,10,l)])):u.hasContent?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[e.expanded?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["prose prose-sm dark:prose-invert max-w-none text-gray-500 dark:text-gray-400",{"whitespace-pre-wrap":r.plainText}]),innerHTML:r.content},null,10,a)):(0,o.createCommentVNode)("",!0),r.shouldShow?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,type:"button",onClick:t[0]||(t[0]=(...e)=>u.toggle&&u.toggle(...e)),class:(0,o.normalizeClass)(["link-default",{"mt-6":e.expanded}]),"aria-role":"button",tabindex:"0"},(0,o.toDisplayString)(u.showHideLabel),3))])):((0,o.openBlock)(),(0,o.createElementBlock)("div",s,"—"))}],["__file","Excerpt.vue"]])},99456:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"transform opacity-0","enter-to-class":"transform opacity-100","leave-active-class":"transition duration-200 ease-out","leave-from-class":"transform opacity-100","leave-to-class":"transform opacity-0",mode:"out-in"},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3})}],["__file","FadeTransition.vue"]])},76327:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{stacked:{type:Boolean,default:!1}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col",{"md:flex-row":!r.stacked}])},[(0,o.renderSlot)(e.$slots,"default")],2)}],["__file","FieldWrapper.vue"]])},77447:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={class:"divide-y divide-gray-200 dark:divide-gray-800 divide-solid"},l={key:0,class:"bg-gray-100"};var i=r(55378),a=r.n(i);const s={components:{Button:r(27226).A},emits:["filter-changed","clear-selected-filters","trashed-changed","per-page-changed"],props:{activeFilterCount:Number,filters:Array,filtersAreApplied:Boolean,lens:{type:String,default:""},perPage:[String,Number],perPageOptions:Array,resourceName:String,softDeletes:Boolean,trashed:{type:String,validator:e=>["","with","only"].includes(e)},viaResource:String},methods:{handleFilterChanged(e){if(e){const{filterClass:t,value:r}=e;t&&(Nova.log(`Updating filter state ${t}: ${r}`),this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:t,value:r}))}this.$emit("filter-changed")},handleClearSelectedFiltersClick(){Nova.$emit("clear-filter-values"),setTimeout((()=>{this.$emit("clear-selected-filters")}),500)}},computed:{trashedValue:{set(e){let t=e?.target?.value||e;this.$emit("trashed-changed",t)},get(){return this.trashed}},perPageValue:{set(e){let t=e?.target?.value||e;this.$emit("per-page-changed",t)},get(){return this.perPage}},perPageOptionsForFilter(){return a()(this.perPageOptions,(e=>({value:e,label:e})))}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("SelectControl"),u=(0,o.resolveComponent)("FilterContainer"),h=(0,o.resolveComponent)("ScrollWrap"),p=(0,o.resolveComponent)("DropdownMenu"),m=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(m,{dusk:"filter-selector","should-close-on-blur":!1},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{width:"260",dusk:"filter-menu"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{height:350,class:"bg-white dark:bg-gray-900"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[r.filtersAreApplied?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("button",{class:"py-2 w-full block text-xs uppercase tracking-wide text-center text-gray-500 dark:bg-gray-800 dark:hover:bg-gray-700 font-bold focus:outline-none focus:text-primary-500",onClick:t[0]||(t[0]=(...e)=>s.handleClearSelectedFiltersClick&&s.handleClearSelectedFiltersClick(...e))},(0,o.toDisplayString)(e.__("Reset Filters")),1)])):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.filters,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:`${e.class}-${t}`},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{"filter-key":e.class,lens:r.lens,"resource-name":r.resourceName,onChange:s.handleFilterChanged},null,40,["filter-key","lens","resource-name","onChange"]))])))),128)),r.softDeletes?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,dusk:"filter-soft-deletes"},{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{selected:s.trashedValue,"onUpdate:selected":t[1]||(t[1]=e=>s.trashedValue=e),options:[{value:"",label:"—"},{value:"with",label:e.__("With Trashed")},{value:"only",label:e.__("Only Trashed")}],dusk:"trashed-select",size:"sm",onChange:t[2]||(t[2]=e=>s.trashedValue=e)},null,8,["selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Trashed")),1)])),_:1})):(0,o.createCommentVNode)("",!0),r.viaResource?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(u,{key:2,dusk:"filter-per-page"},{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{selected:s.perPageValue,"onUpdate:selected":t[3]||(t[3]=e=>s.perPageValue=e),options:s.perPageOptionsForFilter,dusk:"per-page-select",size:"sm",onChange:t[4]||(t[4]=e=>s.perPageValue=e)},null,8,["selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Per Page")),1)])),_:1}))])])),_:1})])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:r.filtersAreApplied?"solid":"ghost",dusk:"filter-selector-button",icon:"funnel","trailing-icon":"chevron-down",padding:"tight",label:r.activeFilterCount>0?r.activeFilterCount:"","aria-label":e.__("Filter Dropdown")},null,8,["variant","label","aria-label"])])),_:1})}],["__file","FilterMenu.vue"]])},98197:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"space-y-2 mt-2"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(){this.$emit("change")}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("BooleanOption"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.options,(e=>((0,o.openBlock)(),(0,o.createBlock)(s,{dusk:`${a.filter.name}-boolean-filter-${e.value}-option`,"resource-name":r.resourceName,key:e.value,filter:a.filter,option:e,onChange:a.handleChange,label:"label"},null,8,["dusk","resource-name","filter","option","onChange"])))),128))])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","BooleanFilter.vue"]])},8231:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=["dusk","value","placeholder"];const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(e){let t=e?.target?.value??e;this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:t}),this.$emit("change")}},computed:{placeholder(){return this.filter.placeholder||this.__("Choose date")},value(){return this.filter.currentValue},filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},options(){return this.$store.getters[`${this.resourceName}/getOptionsForFilter`](this.filterKey)}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(s,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("input",{class:"w-full flex form-control h-8 text-xs form-input form-control-bordered",type:"date",dusk:`${a.filter.name}-date-filter`,name:"date-filter",autocomplete:"off",value:a.value,placeholder:a.placeholder,onChange:t[0]||(t[0]=(...e)=>a.handleChange&&a.handleChange(...e))},null,40,n)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","DateFilter.vue"]])},39702:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"pt-2 pb-3"},l={class:"px-3 text-xs uppercase font-bold tracking-wide"},i={class:"mt-1 px-3"};const a={},s=(0,r(66262).A)(a,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("h3",l,[(0,o.renderSlot)(e.$slots,"default")]),(0,o.createElementVNode)("div",i,[(0,o.renderSlot)(e.$slots,"filter")])])}],["__file","FilterContainer.vue"]])},16775:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["selected"];var l=r(38221),i=r.n(l);const a={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(){this.$store.commit(`${this.resourceName}/updateFilterState`,{filterClass:this.filterKey,value:this.value}),this.$emit("change")}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("SelectControl"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{class:"w-full block",size:"sm",dusk:`${a.filter.name}-select-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:a.filter.options,label:"label"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""==e.value},(0,o.toDisplayString)(e.__("—")),9,n)])),_:1},8,["dusk","selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","SelectFilter.vue"]])},30899:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n=["action"],l=["name","value"],i=["value"];var a=r(69843),s=r.n(a);const c={inheritAttrs:!1,props:{href:{type:String,required:!0},method:{type:String,required:!0},data:{type:Object,required:!1,default:{}},headers:{type:Object,required:!1,default:null},component:{type:String,default:"button"}},methods:{handleSubmit(e){s()(this.headers)||(e.preventDefault(),this.$inertia.visit(this.href,{method:this.method,data:this.data,headers:this.headers}))}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("form",{action:r.href,method:"POST",onSubmit:t[0]||(t[0]=(...e)=>c.handleSubmit&&c.handleSubmit(...e)),dusk:"form-button"},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.data,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("input",{type:"hidden",name:t,value:e},null,8,l)))),256)),"POST"!==r.method?((0,o.openBlock)(),(0,o.createElementBlock)("input",{key:0,type:"hidden",name:"_method",value:r.method},null,8,i)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.component),(0,o.mergeProps)(e.$attrs,{type:"submit"}),{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},16))],40,n)}],["__file","FormButton.vue"]])},62064:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=["for"];const l={props:{labelFor:{type:String}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("label",{for:r.labelFor,class:"inline-block leading-tight"},[(0,o.renderSlot)(e.$slots,"default")],8,n)}],["__file","FormLabel.vue"]])},85141:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>D});var o=r(29726);const n={class:"flex items-center w-full max-w-xs h-12"},l={class:"flex-1 relative"},i={class:"relative z-10",ref:"searchInput"},a=["placeholder","aria-label","aria-expanded"],s={ref:"results",class:"w-full max-w-lg z-10"},c={key:0,class:"bg-white dark:bg-gray-800 py-6 rounded-lg shadow-lg w-full mt-2 max-h-[calc(100vh-5em)] overflow-x-hidden overflow-y-auto"},d={key:1,dusk:"global-search-results",class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg w-full mt-2 max-h-[calc(100vh-5em)] overflow-x-hidden overflow-y-auto",ref:"container"},u={class:"text-xs font-bold uppercase tracking-wide bg-gray-300 dark:bg-gray-900 py-2 px-3"},h=["dusk","onClick"],p=["src"],m={class:"flex-auto text-left"},v={key:0,class:"text-xs mt-1"},f={key:2,dusk:"global-search-empty-results",class:"bg-white dark:bg-gray-800 overflow-hidden rounded-lg shadow-lg w-full mt-2 max-h-search overflow-y-auto"},g={class:"text-xs font-bold uppercase tracking-wide bg-40 py-4 px-3"};var w=r(40485),k=r(53110),y=r(55378),b=r.n(y),x=r(38221),B=r.n(x),C=r(87612),N=r.n(C),V=r(7309),E=r.n(V),S=r(69843),_=r.n(S),A=r(50014),H=r.n(A);function O(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function M(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const R={data:()=>({searchFunction:null,canceller:null,showOverlay:!1,loading:!1,resultsVisible:!1,searchTerm:"",results:[],selected:0}),watch:{searchTerm(e){null!==this.canceller&&this.canceller(),""===e?(this.resultsVisible=!1,this.selected=-1,this.results=[]):this.search()},resultsVisible(e){!0!==e?document.body.classList.remove("overflow-y-hidden"):document.body.classList.add("overflow-y-hidden")}},created(){this.searchFunction=B()((async()=>{if(this.showOverlay=!0,this.$nextTick((()=>{this.popper=(0,w.n4)(this.$refs.searchInput,this.$refs.results,{placement:"bottom-start",boundary:"viewPort",modifiers:[{name:"offset",options:{offset:[0,8]}}]})})),""===this.searchTerm)return this.canceller(),this.resultsVisible=!1,void(this.results=[]);this.resultsVisible=!0,this.loading=!0,this.results=[],this.selected=0;try{const{data:r}=await(e=this.searchTerm,t=e=>this.canceller=e,Nova.request().get("/nova-api/search",{params:{search:e},cancelToken:new k.qm((e=>t(e)))}));this.results=r,this.loading=!1}catch(e){if(e instanceof k.ZD)return;throw this.loading=!1,e}var e,t}),Nova.config("debounce"))},mounted(){Nova.addShortcut("/",(()=>(this.focusSearch(),!1)))},beforeUnmount(){null!==this.canceller&&this.canceller(),this.resultsVisible=!1,Nova.disableShortcut("/")},methods:{async focusSearch(){this.results.length>0&&(this.showOverlay=!0,this.resultsVisible=!0,await this.popper.update()),this.$refs.input.focus()},closeSearch(){this.$refs.input.blur(),this.resultsVisible=!1,this.showOverlay=!1},search(){this.searchFunction()},move(e){if(this.results.length){let t=this.selected+e;t<0?(this.selected=this.results.length-1,this.updateScrollPosition()):t>this.results.length-1?(this.selected=0,this.updateScrollPosition()):t>=0&&t{e&&(e[0].offsetTop>t.scrollTop+t.clientHeight-e[0].clientHeight&&(t.scrollTop=e[0].offsetTop+e[0].clientHeight-t.clientHeight),e[0].offsetTope.index===this.selected));this.goToSelectedResource(e,!1)}},goToSelectedResource(e,t=!1){if(null!==this.canceller&&this.canceller(),this.closeSearch(),_()(e))return;let r=Nova.url(`/resources/${e.resourceName}/${e.resourceId}`);"edit"===e.linksTo&&(r+="/edit"),t?window.open(r,"_blank"):Nova.visit({url:r,remote:!1})}},computed:{indexedResults(){return b()(this.results,((e,t)=>function(e){for(var t=1;t({resourceName:e.resourceName,resourceTitle:e.resourceTitle}))),"resourceName")},formattedResults(){return b()(this.formattedGroups,(e=>({resourceName:e.resourceName,resourceTitle:e.resourceTitle,items:N()(this.indexedResults,(t=>t.resourceName===e.resourceName))})))}}};const D=(0,r(66262).A)(R,[["render",function(e,t,r,w,k,y){const b=(0,o.resolveComponent)("Icon"),x=(0,o.resolveComponent)("Loader"),B=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(b,{type:"search",width:"20",class:"absolute ml-2 text-gray-400",style:{top:"4px"}}),(0,o.withDirectives)((0,o.createElementVNode)("input",{dusk:"global-search",ref:"input",onKeydown:[t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>y.goToCurrentlySelectedResource&&y.goToCurrentlySelectedResource(...e)),["stop"]),["enter"])),t[1]||(t[1]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>y.closeSearch&&y.closeSearch(...e)),["stop"]),["esc"])),t[2]||(t[2]=(0,o.withKeys)((0,o.withModifiers)((e=>y.move(1)),["prevent"]),["down"])),t[3]||(t[3]=(0,o.withKeys)((0,o.withModifiers)((e=>y.move(-1)),["prevent"]),["up"]))],"onUpdate:modelValue":t[4]||(t[4]=t=>e.searchTerm=t),onFocus:t[5]||(t[5]=(...e)=>y.focusSearch&&y.focusSearch(...e)),type:"search",placeholder:e.__("Press / to search"),class:"appearance-none rounded-full h-8 pl-10 w-full bg-gray-100 dark:bg-gray-900 dark:focus:bg-gray-800 focus:bg-white focus:outline-none focus:ring focus:ring-primary-200 dark:focus:ring-gray-600",role:"search","aria-label":e.__("Search"),"aria-expanded":!0===e.resultsVisible?"true":"false",spellcheck:"false"},null,40,a),[[o.vModelText,e.searchTerm]])],512),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[(0,o.createVNode)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("div",s,[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[(0,o.createVNode)(x,{class:"text-gray-300",width:"40"})])):(0,o.createCommentVNode)("",!0),e.results.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(y.formattedResults,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:t.resourceTitle},[(0,o.createElementVNode)("h3",u,(0,o.toDisplayString)(t.resourceTitle),1),(0,o.createElementVNode)("ul",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(t.items,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:t.resourceName+" "+t.index,ref_for:!0,ref:t.index===e.selected?"selected":null},[(0,o.createElementVNode)("button",{dusk:t.resourceName+" "+t.index,onClick:[(0,o.withModifiers)((e=>y.goToSelectedResource(t,!1)),["exact"]),(0,o.withModifiers)((e=>y.goToSelectedResource(t,!0)),["ctrl"]),(0,o.withModifiers)((e=>y.goToSelectedResource(t,!0)),["meta"])],class:(0,o.normalizeClass)(["w-full flex items-center hover:bg-gray-100 dark:hover:bg-gray-700 text-gray-600 hover:text-gray-500 dark:text-gray-400 dark:hover:text-gray-300 py-2 px-3 no-underline font-normal",{"bg-white dark:bg-gray-800":e.selected!==t.index,"bg-gray-100 dark:bg-gray-700":e.selected===t.index}])},[t.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:0,src:t.avatar,class:(0,o.normalizeClass)(["flex-none h-8 w-8 mr-3",{"rounded-full":t.rounded,rounded:!t.rounded}])},null,10,p)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",m,[(0,o.createElementVNode)("p",null,(0,o.toDisplayString)(t.title),1),t.subTitle?((0,o.openBlock)(),(0,o.createElementBlock)("p",v,(0,o.toDisplayString)(t.subTitle),1)):(0,o.createCommentVNode)("",!0)])],10,h)])))),128))])])))),128))],512)):(0,o.createCommentVNode)("",!0),e.loading||0!==e.results.length?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("div",f,[(0,o.createElementVNode)("h3",g,(0,o.toDisplayString)(e.__("No Results Found.")),1)]))],512),[[o.vShow,e.resultsVisible]])])),_:1}),(0,o.createVNode)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(B,{onClick:y.closeSearch,show:e.showOverlay,class:"bg-gray-500/75 dark:bg-gray-900/75 z-0"},null,8,["onClick","show"])])),_:1})]))])])}],["__file","GlobalSearch.vue"]])},24558:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={1:"font-normal text-xl md:text-xl",2:"font-normal md:text-xl",3:"uppercase tracking-wide font-bold text-xs",4:"font-normal md:text-2xl"},l={props:{dusk:{type:String,default:"heading"},level:{default:1,type:Number}},computed:{component(){return"h"+this.level},classes(){return n[this.level]}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(i.component),{class:(0,o.normalizeClass)(i.classes),dusk:r.dusk},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3},8,["class","dusk"])}],["__file","Heading.vue"]])},30781:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"help-text"};const l={};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","HelpText.vue"]])},90499:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={key:0,class:"absolute right-0 bottom-0 p-2 z-20"},l=["innerHTML"];const i={props:["text","width"]};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Icon"),d=(0,o.resolveComponent)("TooltipContent"),u=(0,o.resolveComponent)("Tooltip");return r.text?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("span",{class:"sr-only",innerHTML:r.text},null,8,l),(0,o.createVNode)(u,{triggers:["click"],placement:"top-start"},{content:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{innerHTML:r.text,"max-width":r.width},null,8,["innerHTML","max-width"])])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{solid:!0,type:"question-mark-circle",class:"cursor-pointer text-gray-400 dark:text-gray-500"})])),_:1})])):(0,o.createCommentVNode)("",!0)}],["__file","HelpTextTooltip.vue"]])},15203:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M12 14l9-5-9-5-9 5 9 5z"},null,-1),(0,o.createElementVNode)("path",{d:"M12 14l6.16-3.422a12.083 12.083 0 01.665 6.479A11.952 11.952 0 0012 20.055a11.952 11.952 0 00-6.824-2.998 12.078 12.078 0 01.665-6.479L12 14z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 14l9-5-9-5-9 5 9 5zm0 0l6.16-3.422a12.083 12.083 0 01.665 6.479A11.952 11.952 0 0012 20.055a11.952 11.952 0 00-6.824-2.998 12.078 12.078 0 01.665-6.479L12 14zm-4 6v-7.5l4-2.222"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAcademicCap.vue"]])},85698:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 6V4m0 2a2 2 0 100 4m0-4a2 2 0 110 4m-6 8a2 2 0 100-4m0 4a2 2 0 110-4m0 4v2m0-6V4m6 6v10m6-2a2 2 0 100-4m0 4a2 2 0 110-4m0 4v2m0-6V4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAdjustments.vue"]])},18390:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 8h10M7 12h4m1 8l-4-4H5a2 2 0 01-2-2V6a2 2 0 012-2h14a2 2 0 012 2v8a2 2 0 01-2 2h-3l-4 4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAnnotation.vue"]])},82107:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 8h14M5 8a2 2 0 110-4h14a2 2 0 110 4M5 8v10a2 2 0 002 2h10a2 2 0 002-2V8m-9 4h4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArchive.vue"]])},29376:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 13l-3 3m0 0l-3-3m3 3V8m0 13a9 9 0 110-18 9 9 0 010 18z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleDown.vue"]])},51573:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 15l-3-3m0 0l3-3m-3 3h8M3 12a9 9 0 1118 0 9 9 0 01-18 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleLeft.vue"]])},2526:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 9l3 3m0 0l-3 3m3-3H8m13 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleRight.vue"]])},48282:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 11l3-3m0 0l3 3m-3-3v8m0-13a9 9 0 110 18 9 9 0 010-18z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowCircleUp.vue"]])},24141:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 14l-7 7m0 0l-7-7m7 7V3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowDown.vue"]])},45314:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 19l-7-7m0 0l7-7m-7 7h18"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowLeft.vue"]])},18176:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 17l-4 4m0 0l-4-4m4 4V3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowDown.vue"]])},6437:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16l-4-4m0 0l4-4m-4 4h18"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowLeft.vue"]])},40593:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 8l4 4m0 0l-4 4m4-4H3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowRight.vue"]])},61238:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7l4-4m0 0l4 4m-4-4v18"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowNarrowUp.vue"]])},46977:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14 5l7 7m0 0l-7 7m7-7H3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowRight.vue"]])},16638:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 10l7-7m0 0l7 7m-7-7v18"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowUp.vue"]])},93936:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 8V4m0 0h4M4 4l5 5m11-1V4m0 0h-4m4 0l-5 5M4 16v4m0 0h4m-4 0l5-5m11 5l-5-5m5 5v-4m0 4h-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineArrowsExpand.vue"]])},40235:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 12a4 4 0 10-8 0 4 4 0 008 0zm0 0v1.5a2.5 2.5 0 005 0V12a9 9 0 10-9 9m4.5-1.206a8.959 8.959 0 01-4.5 1.207"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineAtSymbol.vue"]])},80932:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 14l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2M3 12l6.414 6.414a2 2 0 001.414.586H19a2 2 0 002-2V7a2 2 0 00-2-2h-8.172a2 2 0 00-1.414.586L3 12z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBackspace.vue"]])},83410:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12l2 2 4-4M7.835 4.697a3.42 3.42 0 001.946-.806 3.42 3.42 0 014.438 0 3.42 3.42 0 001.946.806 3.42 3.42 0 013.138 3.138 3.42 3.42 0 00.806 1.946 3.42 3.42 0 010 4.438 3.42 3.42 0 00-.806 1.946 3.42 3.42 0 01-3.138 3.138 3.42 3.42 0 00-1.946.806 3.42 3.42 0 01-4.438 0 3.42 3.42 0 00-1.946-.806 3.42 3.42 0 01-3.138-3.138 3.42 3.42 0 00-.806-1.946 3.42 3.42 0 010-4.438 3.42 3.42 0 00.806-1.946 3.42 3.42 0 013.138-3.138z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBadgeCheck.vue"]])},95448:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0 015.636 5.636m12.728 12.728L5.636 5.636"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBan.vue"]])},39570:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19.428 15.428a2 2 0 00-1.022-.547l-2.387-.477a6 6 0 00-3.86.517l-.318.158a6 6 0 01-3.86.517L6.05 15.21a2 2 0 00-1.806.547M8 4h8l-1 1v5.172a2 2 0 00.586 1.414l5 5c1.26 1.26.367 3.414-1.415 3.414H4.828c-1.782 0-2.674-2.154-1.414-3.414l5-5A2 2 0 009 10.172V5L8 4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBeaker.vue"]])},7928:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 17h5l-1.405-1.405A2.032 2.032 0 0118 14.158V11a6.002 6.002 0 00-4-5.659V5a2 2 0 10-4 0v.341C7.67 6.165 6 8.388 6 11v3.159c0 .538-.214 1.055-.595 1.436L4 17h5m6 0v1a3 3 0 11-6 0v-1m6 0H9"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBell.vue"]])},24623:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 6.253v13m0-13C10.832 5.477 9.246 5 7.5 5S4.168 5.477 3 6.253v13C4.168 18.477 5.754 18 7.5 18s3.332.477 4.5 1.253m0-13C13.168 5.477 14.754 5 16.5 5c1.747 0 3.332.477 4.5 1.253v13C19.832 18.477 18.247 18 16.5 18c-1.746 0-3.332.477-4.5 1.253"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBookOpen.vue"]])},3635:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 5a2 2 0 012-2h10a2 2 0 012 2v16l-7-3.5L5 21V5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBookmark.vue"]])},77344:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 4v12l-4-2-4 2V4M6 20h12a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBookmarkAlt.vue"]])},12849:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 13.255A23.931 23.931 0 0112 15c-3.183 0-6.22-.62-9-1.745M16 6V4a2 2 0 00-2-2h-4a2 2 0 00-2 2v2m4 6h.01M5 20h14a2 2 0 002-2V8a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineBriefcase.vue"]])},25644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 15.546c-.523 0-1.046.151-1.5.454a2.704 2.704 0 01-3 0 2.704 2.704 0 00-3 0 2.704 2.704 0 01-3 0 2.704 2.704 0 00-3 0 2.704 2.704 0 01-3 0 2.701 2.701 0 00-1.5-.454M9 6v2m3-2v2m3-2v2M9 3h.01M12 3h.01M15 3h.01M21 21v-7a2 2 0 00-2-2H5a2 2 0 00-2 2v7h18zm-3-9v-2a2 2 0 00-2-2H8a2 2 0 00-2 2v2h12z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCake.vue"]])},88476:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 7h6m0 10v-3m-3 3h.01M9 17h.01M9 14h.01M12 14h.01M15 11h.01M12 11h.01M9 11h.01M7 21h10a2 2 0 002-2V5a2 2 0 00-2-2H7a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCalculator.vue"]])},30541:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7V3m8 4V3m-9 8h10M5 21h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCalendar.vue"]])},17806:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 9a2 2 0 012-2h.93a2 2 0 001.664-.89l.812-1.22A2 2 0 0110.07 4h3.86a2 2 0 011.664.89l.812 1.22A2 2 0 0018.07 7H19a2 2 0 012 2v9a2 2 0 01-2 2H5a2 2 0 01-2-2V9z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 13a3 3 0 11-6 0 3 3 0 016 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCamera.vue"]])},45186:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 9V7a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2m2 4h10a2 2 0 002-2v-6a2 2 0 00-2-2H9a2 2 0 00-2 2v6a2 2 0 002 2zm7-5a2 2 0 11-4 0 2 2 0 014 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCash.vue"]])},55633:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 19v-6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2a2 2 0 002-2zm0 0V9a2 2 0 012-2h2a2 2 0 012 2v10m-6 0a2 2 0 002 2h2a2 2 0 002-2m0 0V5a2 2 0 012-2h2a2 2 0 012 2v14a2 2 0 01-2 2h-2a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChartBar.vue"]])},73622:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 3.055A9.001 9.001 0 1020.945 13H11V3.055z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20.488 9H15V3.512A9.025 9.025 0 0120.488 9z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChartPie.vue"]])},4348:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 8v8m-4-5v5m-4-2v2m-2 4h12a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChartSquareBar.vue"]])},7917:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 12h.01M12 12h.01M16 12h.01M21 12c0 4.418-4.03 8-9 8a9.863 9.863 0 01-4.255-.949L3 20l1.395-3.72C3.512 15.042 3 13.574 3 12c0-4.418 4.03-8 9-8s9 3.582 9 8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChat.vue"]])},5687:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 10h.01M12 10h.01M16 10h.01M9 16H5a2 2 0 01-2-2V6a2 2 0 012-2h14a2 2 0 012 2v8a2 2 0 01-2 2h-5l-5 5v-5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChatAlt.vue"]])},51296:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 8h2a2 2 0 012 2v6a2 2 0 01-2 2h-2v4l-4-4H9a1.994 1.994 0 01-1.414-.586m0 0L11 14h4a2 2 0 002-2V6a2 2 0 00-2-2H5a2 2 0 00-2 2v6a2 2 0 002 2h2v4l.586-.586z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChatAlt2.vue"]])},81686:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 13l4 4L19 7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCheck.vue"]])},63740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCheckCircle.vue"]])},22119:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 13l-7 7-7-7m14-8l-7 7-7-7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleDown.vue"]])},25072:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 19l-7-7 7-7m8 14l-7-7 7-7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleLeft.vue"]])},21449:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 5l7 7-7 7M5 5l7 7-7 7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleRight.vue"]])},74108:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 11l7-7 7 7M5 19l7-7 7 7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDoubleUp.vue"]])},58785:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 9l-7 7-7-7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronDown.vue"]])},43557:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 19l-7-7 7-7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronLeft.vue"]])},40732:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5l7 7-7 7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronRight.vue"]])},97322:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 15l7-7 7 7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChevronUp.vue"]])},42579:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 3v2m6-2v2M9 19v2m6-2v2M5 9H3m2 6H3m18-6h-2m2 6h-2M7 19h10a2 2 0 002-2V7a2 2 0 00-2-2H7a2 2 0 00-2 2v10a2 2 0 002 2zM9 9h6v6H9V9z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineChip.vue"]])},75233:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboard.vue"]])},1644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2m-6 9l2 2 4-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboardCheck.vue"]])},28164:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 5H6a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2v-1M8 5a2 2 0 002 2h2a2 2 0 002-2M8 5a2 2 0 012-2h2a2 2 0 012 2m0 0h2a2 2 0 012 2v3m2 4H10m0 0l3-3m-3 3l3 3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboardCopy.vue"]])},86843:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 5H7a2 2 0 00-2 2v12a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-2M9 5a2 2 0 002 2h2a2 2 0 002-2M9 5a2 2 0 012-2h2a2 2 0 012 2m-3 7h3m-3 4h3m-6-4h.01M9 16h.01"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClipboardList.vue"]])},16967:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v4l3 3m6-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineClock.vue"]])},58824:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 15a4 4 0 004 4h9a5 5 0 10-.1-9.999 5.002 5.002 0 10-9.78 2.096A4.001 4.001 0 003 15z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCloud.vue"]])},94910:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16a4 4 0 01-.88-7.903A5 5 0 1115.9 6L16 6a5 5 0 011 9.9M9 19l3 3m0 0l3-3m-3 3V10"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCloudDownload.vue"]])},41321:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16a4 4 0 01-.88-7.903A5 5 0 1115.9 6L16 6a5 5 0 011 9.9M15 13l-3-3m0 0l-3 3m3-3v12"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCloudUpload.vue"]])},85321:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 20l4-16m4 4l4 4-4 4M6 16l-4-4 4-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCode.vue"]])},16167:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10.325 4.317c.426-1.756 2.924-1.756 3.35 0a1.724 1.724 0 002.573 1.066c1.543-.94 3.31.826 2.37 2.37a1.724 1.724 0 001.065 2.572c1.756.426 1.756 2.924 0 3.35a1.724 1.724 0 00-1.066 2.573c.94 1.543-.826 3.31-2.37 2.37a1.724 1.724 0 00-2.572 1.065c-.426 1.756-2.924 1.756-3.35 0a1.724 1.724 0 00-2.573-1.066c-1.543.94-3.31-.826-2.37-2.37a1.724 1.724 0 00-1.065-2.572c-1.756-.426-1.756-2.924 0-3.35a1.724 1.724 0 001.066-2.573c-.94-1.543.826-3.31 2.37-2.37.996.608 2.296.07 2.572-1.065z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 12a3 3 0 11-6 0 3 3 0 016 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCog.vue"]])},77164:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 11H5m14 0a2 2 0 012 2v6a2 2 0 01-2 2H5a2 2 0 01-2-2v-6a2 2 0 012-2m14 0V9a2 2 0 00-2-2M5 11V9a2 2 0 012-2m0 0V5a2 2 0 012-2h6a2 2 0 012 2v2M7 7h10"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCollection.vue"]])},36739:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 21a4 4 0 01-4-4V5a2 2 0 012-2h4a2 2 0 012 2v12a4 4 0 01-4 4zm0 0h12a2 2 0 002-2v-4a2 2 0 00-2-2h-2.343M11 7.343l1.657-1.657a2 2 0 012.828 0l2.829 2.829a2 2 0 010 2.828l-8.486 8.485M7 17h.01"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineColorSwatch.vue"]])},85556:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 10h18M7 15h1m4 0h1m-7 4h12a3 3 0 003-3V8a3 3 0 00-3-3H6a3 3 0 00-3 3v8a3 3 0 003 3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCreditCard.vue"]])},20547:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20 7l-8-4-8 4m16 0l-8 4m8-4v10l-8 4m0-10L4 7m8 4v10M4 7v10l8 4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCube.vue"]])},18026:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14 10l-2 1m0 0l-2-1m2 1v2.5M20 7l-2 1m2-1l-2-1m2 1v2.5M14 4l-2-1-2 1M4 7l2-1M4 7l2 1M4 7v2.5M12 21l-2-1m2 1l2-1m-2 1v-2.5M6 18l-2-1v-2.5M18 18l2-1v-2.5"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCubeTransparent.vue"]])},45785:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 11V9a2 2 0 00-2-2m2 4v4a2 2 0 104 0v-1m-4-3H9m2 0h4m6 1a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyBangladeshi.vue"]])},15689:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8c-1.657 0-3 .895-3 2s1.343 2 3 2 3 .895 3 2-1.343 2-3 2m0-8c1.11 0 2.08.402 2.599 1M12 8V7m0 1v8m0 0v1m0-1c-1.11 0-2.08-.402-2.599-1M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyDollar.vue"]])},73641:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14.121 15.536c-1.171 1.952-3.07 1.952-4.242 0-1.172-1.953-1.172-5.119 0-7.072 1.171-1.952 3.07-1.952 4.242 0M8 10.5h4m-4 3h4m9-1.5a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyEuro.vue"]])},27536:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 9a2 2 0 10-4 0v5a2 2 0 01-2 2h6m-6-4h4m8 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyPound.vue"]])},81160:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 8h6m-5 0a3 3 0 110 6H9l3 3m-3-6h6m6 1a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyRupee.vue"]])},52980:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 8l3 5m0 0l3-5m-3 5v4m-3-5h6m-6 3h6m6-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCurrencyYen.vue"]])},2600:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 15l-2 5L9 9l11 4-5 2zm0 0l5 5M7.188 2.239l.777 2.897M5.136 7.965l-2.898-.777M13.95 4.05l-2.122 2.122m-5.657 5.656l-2.12 2.122"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineCursorClick.vue"]])},16941:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-width":"2",d:"M4 7v10c0 2.21 3.582 4 8 4s8-1.79 8-4V7M4 7c0 2.21 3.582 4 8 4s8-1.79 8-4M4 7c0-2.21 3.582-4 8-4s8 1.79 8 4m0 5c0 2.21-3.582 4-8 4s-8-1.79-8-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDatabase.vue"]])},19197:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.75 17L9 20l-1 1h8l-1-1-.75-3M3 13h18M5 17h14a2 2 0 002-2V5a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDesktopComputer.vue"]])},59220:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 18h.01M8 21h8a2 2 0 002-2V5a2 2 0 00-2-2H8a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDeviceMobile.vue"]])},21220:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 18h.01M7 21h10a2 2 0 002-2V5a2 2 0 00-2-2H7a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDeviceTablet.vue"]])},76822:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 21h10a2 2 0 002-2V9.414a1 1 0 00-.293-.707l-5.414-5.414A1 1 0 0012.586 3H7a2 2 0 00-2 2v14a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocument.vue"]])},57001:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6m-3-3v6m5 5H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentAdd.vue"]])},59338:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 10v6m0 0l-3-3m3 3l3-3m2 8H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentDownload.vue"]])},86657:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7v8a2 2 0 002 2h6M8 7V5a2 2 0 012-2h4.586a1 1 0 01.707.293l4.414 4.414a1 1 0 01.293.707V15a2 2 0 01-2 2h-2M8 7H6a2 2 0 00-2 2v10a2 2 0 002 2h8a2 2 0 002-2v-2"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentDuplicate.vue"]])},9736:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6m2 8H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentRemove.vue"]])},78592:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 17v-2m3 2v-4m3 4v-6m2 10H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentReport.vue"]])},92206:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 21h7a2 2 0 002-2V9.414a1 1 0 00-.293-.707l-5.414-5.414A1 1 0 0012.586 3H7a2 2 0 00-2 2v11m0 5l4.879-4.879m0 0a3 3 0 104.243-4.242 3 3 0 00-4.243 4.242z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentSearch.vue"]])},27845:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12h6m-6 4h6m2 5H7a2 2 0 01-2-2V5a2 2 0 012-2h5.586a1 1 0 01.707.293l5.414 5.414a1 1 0 01.293.707V19a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDocumentText.vue"]])},77145:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 12h.01M12 12h.01M16 12h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDotsCircleHorizontal.vue"]])},81236:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 12h.01M12 12h.01M19 12h.01M6 12a1 1 0 11-2 0 1 1 0 012 0zm7 0a1 1 0 11-2 0 1 1 0 012 0zm7 0a1 1 0 11-2 0 1 1 0 012 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDotsHorizontal.vue"]])},27444:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 5v.01M12 12v.01M12 19v.01M12 6a1 1 0 110-2 1 1 0 010 2zm0 7a1 1 0 110-2 1 1 0 010 2zm0 7a1 1 0 110-2 1 1 0 010 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDotsVertical.vue"]])},95531:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-4l-4 4m0 0l-4-4m4 4V4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDownload.vue"]])},22088:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 16H6a2 2 0 01-2-2V6a2 2 0 012-2h8a2 2 0 012 2v2m-6 12h8a2 2 0 002-2v-8a2 2 0 00-2-2h-8a2 2 0 00-2 2v8a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineDuplicate.vue"]])},94161:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14.828 14.828a4 4 0 01-5.656 0M9 10h.01M15 10h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEmojiHappy.vue"]])},19181:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.172 16.172a4 4 0 015.656 0M9 10h.01M15 10h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEmojiSad.vue"]])},86829:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 9v2m0 4h.01m-6.938 4h13.856c1.54 0 2.502-1.667 1.732-3L13.732 4c-.77-1.333-2.694-1.333-3.464 0L3.34 16c-.77 1.333.192 3 1.732 3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineExclamation.vue"]])},58102:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v4m0 4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineExclamationCircle.vue"]])},1626:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 6H6a2 2 0 00-2 2v10a2 2 0 002 2h10a2 2 0 002-2v-4M14 4h6m0 0v6m0-6L10 14"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineExternalLink.vue"]])},46250:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 12a3 3 0 11-6 0 3 3 0 016 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M2.458 12C3.732 7.943 7.523 5 12 5c4.478 0 8.268 2.943 9.542 7-1.274 4.057-5.064 7-9.542 7-4.477 0-8.268-2.943-9.542-7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEye.vue"]])},94429:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13.875 18.825A10.05 10.05 0 0112 19c-4.478 0-8.268-2.943-9.543-7a9.97 9.97 0 011.563-3.029m5.858.908a3 3 0 114.243 4.243M9.878 9.878l4.242 4.242M9.88 9.88l-3.29-3.29m7.532 7.532l3.29 3.29M3 3l3.59 3.59m0 0A9.953 9.953 0 0112 5c4.478 0 8.268 2.943 9.543 7a10.025 10.025 0 01-4.132 5.411m0 0L21 21"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineEyeOff.vue"]])},81893:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11.933 12.8a1 1 0 000-1.6L6.6 7.2A1 1 0 005 8v8a1 1 0 001.6.8l5.333-4zM19.933 12.8a1 1 0 000-1.6l-5.333-4A1 1 0 0013 8v8a1 1 0 001.6.8l5.333-4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFastForward.vue"]])},40640:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-width":"2",d:"M7 4v16M17 4v16M3 8h4m10 0h4M3 12h18M3 16h4m10 0h4M4 20h16a1 1 0 001-1V5a1 1 0 00-1-1H4a1 1 0 00-1 1v14a1 1 0 001 1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFilm.vue"]])},3778:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 4a1 1 0 011-1h16a1 1 0 011 1v2.586a1 1 0 01-.293.707l-6.414 6.414a1 1 0 00-.293.707V17l-4 4v-6.586a1 1 0 00-.293-.707L3.293 7.293A1 1 0 013 6.586V4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFilter.vue"]])},67265:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 11c0 3.517-1.009 6.799-2.753 9.571m-3.44-2.04l.054-.09A13.916 13.916 0 008 11a4 4 0 118 0c0 1.017-.07 2.019-.203 3m-2.118 6.844A21.88 21.88 0 0015.171 17m3.839 1.132c.645-2.266.99-4.659.99-7.132A8 8 0 008 4.07M3 15.364c.64-1.319 1-2.8 1-4.364 0-1.457.39-2.823 1.07-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFingerPrint.vue"]])},97304:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17.657 18.657A8 8 0 016.343 7.343S7 9 9 10c0-2 .5-5 2.986-7C14 5 16.09 5.777 17.656 7.343A7.975 7.975 0 0120 13a7.975 7.975 0 01-2.343 5.657z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.879 16.121A3 3 0 1012.015 11L11 14H9c0 .768.293 1.536.879 2.121z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFire.vue"]])},31329:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 21v-4m0 0V5a2 2 0 012-2h6.5l1 1H21l-3 6 3 6h-8.5l-1-1H5a2 2 0 00-2 2zm9-13.5V9"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFlag.vue"]])},71642:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 7v10a2 2 0 002 2h14a2 2 0 002-2V9a2 2 0 00-2-2h-6l-2-2H5a2 2 0 00-2 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolder.vue"]])},2710:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6m-3-3v6m-9 1V7a2 2 0 012-2h6l2 2h6a2 2 0 012 2v8a2 2 0 01-2 2H5a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderAdd.vue"]])},93894:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 10v6m0 0l-3-3m3 3l3-3M3 17V7a2 2 0 012-2h6l2 2h6a2 2 0 012 2v8a2 2 0 01-2 2H5a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderDownload.vue"]])},87925:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 19a2 2 0 01-2-2V7a2 2 0 012-2h4l2 2h4a2 2 0 012 2v1M5 19h14a2 2 0 002-2v-5a2 2 0 00-2-2H9a2 2 0 00-2 2v5a2 2 0 01-2 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderOpen.vue"]])},86549:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 13h6M3 17V7a2 2 0 012-2h6l2 2h6a2 2 0 012 2v8a2 2 0 01-2 2H5a2 2 0 01-2-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineFolderRemove.vue"]])},1339:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 8v13m0-13V6a2 2 0 112 2h-2zm0 0V5.5A2.5 2.5 0 109.5 8H12zm-7 4h14M5 12a2 2 0 110-4h14a2 2 0 110 4M5 12v7a2 2 0 002 2h10a2 2 0 002-2v-7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineGift.vue"]])},3744:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3.055 11H5a2 2 0 012 2v1a2 2 0 002 2 2 2 0 012 2v2.945M8 3.935V5.5A2.5 2.5 0 0010.5 8h.5a2 2 0 012 2 2 2 0 104 0 2 2 0 012-2h1.064M15 20.488V18a2 2 0 012-2h3.064M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineGlobe.vue"]])},24279:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 12a9 9 0 01-9 9m9-9a9 9 0 00-9-9m9 9H3m9 9a9 9 0 01-9-9m9 9c1.657 0 3-4.03 3-9s-1.343-9-3-9m0 18c-1.657 0-3-4.03-3-9s1.343-9 3-9m-9 9a9 9 0 019-9"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineGlobeAlt.vue"]])},97444:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 11.5V14m0-2.5v-6a1.5 1.5 0 113 0m-3 6a1.5 1.5 0 00-3 0v2a7.5 7.5 0 0015 0v-5a1.5 1.5 0 00-3 0m-6-3V11m0-5.5v-1a1.5 1.5 0 013 0v1m0 0V11m0-5.5a1.5 1.5 0 013 0v3m0 0V11"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHand.vue"]])},1834:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 20l4-16m2 16l4-16M6 9h14M4 15h14"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHashtag.vue"]])},36290:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4.318 6.318a4.5 4.5 0 000 6.364L12 20.364l7.682-7.682a4.5 4.5 0 00-6.364-6.364L12 7.636l-1.318-1.318a4.5 4.5 0 00-6.364 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHeart.vue"]])},9180:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 12l2-2m0 0l7-7 7 7M5 10v10a1 1 0 001 1h3m10-11l2 2m-2-2v10a1 1 0 01-1 1h-3m-6 0a1 1 0 001-1v-4a1 1 0 011-1h2a1 1 0 011 1v4a1 1 0 001 1m-6 0h6"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineHome.vue"]])},81348:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 6H5a2 2 0 00-2 2v9a2 2 0 002 2h14a2 2 0 002-2V8a2 2 0 00-2-2h-5m-4 0V5a2 2 0 114 0v1m-4 0a2 2 0 104 0m-5 8a2 2 0 100-4 2 2 0 000 4zm0 0c1.306 0 2.417.835 2.83 2M9 14a3.001 3.001 0 00-2.83 2M15 11h3m-3 4h2"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineIdentification.vue"]])},37985:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20 13V6a2 2 0 00-2-2H6a2 2 0 00-2 2v7m16 0v5a2 2 0 01-2 2H6a2 2 0 01-2-2v-5m16 0h-2.586a1 1 0 00-.707.293l-2.414 2.414a1 1 0 01-.707.293h-3.172a1 1 0 01-.707-.293l-2.414-2.414A1 1 0 006.586 13H4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineInbox.vue"]])},1031:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 4H6a2 2 0 00-2 2v12a2 2 0 002 2h12a2 2 0 002-2V6a2 2 0 00-2-2h-2m-4-1v8m0 0l3-3m-3 3L9 8m-5 5h2.586a1 1 0 01.707.293l2.414 2.414a1 1 0 00.707.293h3.172a1 1 0 00.707-.293l2.414-2.414a1 1 0 01.707-.293H20"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineInboxIn.vue"]])},68405:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 16h-1v-4h-1m1-4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineInformationCircle.vue"]])},94658:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 7a2 2 0 012 2m4 0a6 6 0 01-7.743 5.743L11 17H9v2H7v2H4a1 1 0 01-1-1v-2.586a1 1 0 01.293-.707l5.964-5.964A6 6 0 1121 9z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineKey.vue"]])},37048:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 14v3m4-3v3m4-3v3M3 21h18M3 10h18M3 7l9-4 9 4M4 10h16v11H4V10z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLibrary.vue"]])},21814:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9.663 17h4.673M12 3v1m6.364 1.636l-.707.707M21 12h-1M4 12H3m3.343-5.657l-.707-.707m2.828 9.9a5 5 0 117.072 0l-.548.547A3.374 3.374 0 0014 18.469V19a2 2 0 11-4 0v-.531c0-.895-.356-1.754-.988-2.386l-.548-.547z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLightBulb.vue"]])},2971:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 10V3L4 14h7v7l9-11h-7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLightningBolt.vue"]])},57232:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13.828 10.172a4 4 0 00-5.656 0l-4 4a4 4 0 105.656 5.656l1.102-1.101m-.758-4.899a4 4 0 005.656 0l4-4a4 4 0 00-5.656-5.656l-1.1 1.1"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLink.vue"]])},66449:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17.657 16.657L13.414 20.9a1.998 1.998 0 01-2.827 0l-4.244-4.243a8 8 0 1111.314 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 11a3 3 0 11-6 0 3 3 0 016 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLocationMarker.vue"]])},64508:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 15v2m-6 4h12a2 2 0 002-2v-6a2 2 0 00-2-2H6a2 2 0 00-2 2v6a2 2 0 002 2zm10-10V7a4 4 0 00-8 0v4h8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLockClosed.vue"]])},67989:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 11V7a4 4 0 118 0m-4 8v2m-6 4h12a2 2 0 002-2v-6a2 2 0 00-2-2H6a2 2 0 00-2 2v6a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLockOpen.vue"]])},42321:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 16l-4-4m0 0l4-4m-4 4h14m-5 4v1a3 3 0 01-3 3H6a3 3 0 01-3-3V7a3 3 0 013-3h7a3 3 0 013 3v1"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLogin.vue"]])},48418:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 16l4-4m0 0l-4-4m4 4H7m6 4v1a3 3 0 01-3 3H6a3 3 0 01-3-3V7a3 3 0 013-3h4a3 3 0 013 3v1"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineLogout.vue"]])},18300:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 8l7.89 5.26a2 2 0 002.22 0L21 8M5 19h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMail.vue"]])},17038:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 19v-8.93a2 2 0 01.89-1.664l7-4.666a2 2 0 012.22 0l7 4.666A2 2 0 0121 10.07V19M3 19a2 2 0 002 2h14a2 2 0 002-2M3 19l6.75-4.5M21 19l-6.75-4.5M3 10l6.75 4.5M21 10l-6.75 4.5m0 0l-1.14.76a2 2 0 01-2.22 0l-1.14-.76"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMailOpen.vue"]])},27635:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 20l-5.447-2.724A1 1 0 013 16.382V5.618a1 1 0 011.447-.894L9 7m0 13l6-3m-6 3V7m6 10l4.553 2.276A1 1 0 0021 18.382V7.618a1 1 0 00-.553-.894L15 4m0 13V4m0 0L9 7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMap.vue"]])},38026:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h16M4 18h16"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenu.vue"]])},29758:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h8m-8 6h16"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt1.vue"]])},42644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h16M4 18h7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt2.vue"]])},26796:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 12h16m-7 6h7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt3.vue"]])},17414:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 8h16M4 16h16"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMenuAlt4.vue"]])},58819:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 11a7 7 0 01-7 7m0 0a7 7 0 01-7-7m7 7v4m0 0H8m4 0h4m-4-8a3 3 0 01-3-3V5a3 3 0 116 0v6a3 3 0 01-3 3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMicrophone.vue"]])},83476:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18 12H6"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMinus.vue"]])},45062:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 12H9m12 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMinusCircle.vue"]])},16818:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20.354 15.354A9 9 0 018.646 3.646 9.003 9.003 0 0012 21a9.003 9.003 0 008.354-5.646z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMoon.vue"]])},88095:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 19V6l12-3v13M9 19c0 1.105-1.343 2-3 2s-3-.895-3-2 1.343-2 3-2 3 .895 3 2zm12-3c0 1.105-1.343 2-3 2s-3-.895-3-2 1.343-2 3-2 3 .895 3 2zM9 10l12-3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineMusicNote.vue"]])},97560:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 20H5a2 2 0 01-2-2V6a2 2 0 012-2h10a2 2 0 012 2v1m2 13a2 2 0 01-2-2V7m2 13a2 2 0 002-2V9a2 2 0 00-2-2h-2m-4-3H9M7 16h6M7 8h6v4H7V8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineNewspaper.vue"]])},59536:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 21V5a2 2 0 00-2-2H7a2 2 0 00-2 2v16m14 0h2m-2 0h-5m-9 0H3m2 0h5M9 7h1m-1 4h1m4-4h1m-1 4h1m-5 10v-5a1 1 0 011-1h2a1 1 0 011 1v5m-4 0h4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineOfficeBuilding.vue"]])},10674:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 19l9 2-9-18-9 18 9-2zm0 0v-8"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePaperAirplane.vue"]])},67116:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15.172 7l-6.586 6.586a2 2 0 102.828 2.828l6.414-6.586a4 4 0 00-5.656-5.656l-6.415 6.585a6 6 0 108.486 8.486L20.5 13"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePaperClip.vue"]])},50567:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 9v6m4-6v6m7-3a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePause.vue"]])},96455:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15.232 5.232l3.536 3.536m-2.036-5.036a2.5 2.5 0 113.536 3.536L6.5 21.036H3v-3.572L16.732 3.732z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePencil.vue"]])},61577:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 5H6a2 2 0 00-2 2v11a2 2 0 002 2h11a2 2 0 002-2v-5m-1.414-9.414a2 2 0 112.828 2.828L11.828 15H9v-2.828l8.586-8.586z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePencilAlt.vue"]])},42662:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 5a2 2 0 012-2h3.28a1 1 0 01.948.684l1.498 4.493a1 1 0 01-.502 1.21l-2.257 1.13a11.042 11.042 0 005.516 5.516l1.13-2.257a1 1 0 011.21-.502l4.493 1.498a1 1 0 01.684.949V19a2 2 0 01-2 2h-1C9.716 21 3 14.284 3 6V5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhone.vue"]])},22939:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 3l-6 6m0 0V4m0 5h5M5 3a2 2 0 00-2 2v1c0 8.284 6.716 15 15 15h1a2 2 0 002-2v-3.28a1 1 0 00-.684-.948l-4.493-1.498a1 1 0 00-1.21.502l-1.13 2.257a11.042 11.042 0 01-5.516-5.517l2.257-1.128a1 1 0 00.502-1.21L9.228 3.683A1 1 0 008.279 3H5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhoneIncoming.vue"]])},12288:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 8l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2M5 3a2 2 0 00-2 2v1c0 8.284 6.716 15 15 15h1a2 2 0 002-2v-3.28a1 1 0 00-.684-.948l-4.493-1.498a1 1 0 00-1.21.502l-1.13 2.257a11.042 11.042 0 01-5.516-5.517l2.257-1.128a1 1 0 00.502-1.21L9.228 3.683A1 1 0 008.279 3H5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhoneMissedCall.vue"]])},78082:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 3h5m0 0v5m0-5l-6 6M5 3a2 2 0 00-2 2v1c0 8.284 6.716 15 15 15h1a2 2 0 002-2v-3.28a1 1 0 00-.684-.948l-4.493-1.498a1 1 0 00-1.21.502l-1.13 2.257a11.042 11.042 0 01-5.516-5.517l2.257-1.128a1 1 0 00.502-1.21L9.228 3.683A1 1 0 008.279 3H5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhoneOutgoing.vue"]])},19874:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 16l4.586-4.586a2 2 0 012.828 0L16 16m-2-2l1.586-1.586a2 2 0 012.828 0L20 14m-6-6h.01M6 20h12a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePhotograph.vue"]])},77776:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14.752 11.168l-3.197-2.132A1 1 0 0010 9.87v4.263a1 1 0 001.555.832l3.197-2.132a1 1 0 000-1.664z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePlay.vue"]])},61277:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 6v6m0 0v6m0-6h6m-6 0H6"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePlus.vue"]])},93993:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 9v3m0 0v3m0-3h3m-3 0H9m12 0a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePlusCircle.vue"]])},66517:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 13v-1m4 1v-3m4 3V8M8 21l4-4 4 4M3 4h18M4 4h16v12a1 1 0 01-1 1H5a1 1 0 01-1-1V4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePresentationChartBar.vue"]])},31031:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 12l3-3 3 3 4-4M8 21l4-4 4 4M3 4h18M4 4h16v12a1 1 0 01-1 1H5a1 1 0 01-1-1V4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePresentationChartLine.vue"]])},58011:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 17h2a2 2 0 002-2v-4a2 2 0 00-2-2H5a2 2 0 00-2 2v4a2 2 0 002 2h2m2 4h6a2 2 0 002-2v-4a2 2 0 00-2-2H9a2 2 0 00-2 2v4a2 2 0 002 2zm8-12V5a2 2 0 00-2-2H9a2 2 0 00-2 2v4h10z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePrinter.vue"]])},53277:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 4a2 2 0 114 0v1a1 1 0 001 1h3a1 1 0 011 1v3a1 1 0 01-1 1h-1a2 2 0 100 4h1a1 1 0 011 1v3a1 1 0 01-1 1h-3a1 1 0 01-1-1v-1a2 2 0 10-4 0v1a1 1 0 01-1 1H7a1 1 0 01-1-1v-3a1 1 0 00-1-1H4a2 2 0 110-4h1a1 1 0 001-1V7a1 1 0 011-1h3a1 1 0 001-1V4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlinePuzzle.vue"]])},22557:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 4v1m6 11h2m-6 0h-2v4m0-11v3m0 0h.01M12 12h4.01M16 20h4M4 12h4m12 0h.01M5 8h2a1 1 0 001-1V5a1 1 0 00-1-1H5a1 1 0 00-1 1v2a1 1 0 001 1zm12 0h2a1 1 0 001-1V5a1 1 0 00-1-1h-2a1 1 0 00-1 1v2a1 1 0 001 1zM5 20h2a1 1 0 001-1v-2a1 1 0 00-1-1H5a1 1 0 00-1 1v2a1 1 0 001 1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineQrcode.vue"]])},94258:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8.228 9c.549-1.165 2.03-2 3.772-2 2.21 0 4 1.343 4 3 0 1.4-1.278 2.575-3.006 2.907-.542.104-.994.54-.994 1.093m0 3h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineQuestionMarkCircle.vue"]])},72462:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 15v-1a4 4 0 00-4-4H8m0 0l3 3m-3-3l3-3m9 14V5a2 2 0 00-2-2H6a2 2 0 00-2 2v16l4-2 4 2 4-2 4 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineReceiptRefund.vue"]])},19884:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 14l6-6m-5.5.5h.01m4.99 5h.01M19 21V5a2 2 0 00-2-2H7a2 2 0 00-2 2v16l3.5-2 3.5 2 3.5-2 3.5 2zM10 8.5a.5.5 0 11-1 0 .5.5 0 011 0zm5 5a.5.5 0 11-1 0 .5.5 0 011 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineReceiptTax.vue"]])},20328:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 4v5h.582m15.356 2A8.001 8.001 0 004.582 9m0 0H9m11 11v-5h-.581m0 0a8.003 8.003 0 01-15.357-2m15.357 2H15"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineRefresh.vue"]])},51119:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 10h10a8 8 0 018 8v2M3 10l6 6m-6-6l6-6"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineReply.vue"]])},34878:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12.066 11.2a1 1 0 000 1.6l5.334 4A1 1 0 0019 16V8a1 1 0 00-1.6-.8l-5.333 4zM4.066 11.2a1 1 0 000 1.6l5.334 4A1 1 0 0011 16V8a1 1 0 00-1.6-.8l-5.334 4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineRewind.vue"]])},66912:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 5c7.18 0 13 5.82 13 13M6 11a7 7 0 017 7m-6 0a1 1 0 11-2 0 1 1 0 012 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineRss.vue"]])},43513:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7H5a2 2 0 00-2 2v9a2 2 0 002 2h14a2 2 0 002-2V9a2 2 0 00-2-2h-3m-1 4l-3 3m0 0l-3-3m3 3V4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSave.vue"]])},26259:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 16v2a2 2 0 01-2 2H5a2 2 0 01-2-2v-7a2 2 0 012-2h2m3-4H9a2 2 0 00-2 2v7a2 2 0 002 2h10a2 2 0 002-2V7a2 2 0 00-2-2h-1m-1 4l-3 3m0 0l-3-3m3 3V3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSaveAs.vue"]])},5050:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 6l3 1m0 0l-3 9a5.002 5.002 0 006.001 0M6 7l3 9M6 7l6-2m6 2l3-1m-3 1l-3 9a5.002 5.002 0 006.001 0M18 7l3 9m-3-9l-6-2m0-2v2m0 16V5m0 16H9m3 0h3"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineScale.vue"]])},33793:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-width":"2",d:"M14.121 14.121L19 19m-7-7l7-7m-7 7l-2.879 2.879M12 12L9.121 9.121m0 5.758a3 3 0 10-4.243 4.243 3 3 0 004.243-4.243zm0-5.758a3 3 0 10-4.243-4.243 3 3 0 004.243 4.243z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineScissors.vue"]])},6208:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSearch.vue"]])},71848:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 16l2.879-2.879m0 0a3 3 0 104.243-4.242 3 3 0 00-4.243 4.242zM21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSearchCircle.vue"]])},56302:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 9l4-4 4 4m0 6l-4 4-4-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSelector.vue"]])},66089:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 12h14M5 12a2 2 0 01-2-2V6a2 2 0 012-2h14a2 2 0 012 2v4a2 2 0 01-2 2M5 12a2 2 0 00-2 2v4a2 2 0 002 2h14a2 2 0 002-2v-4a2 2 0 00-2-2m-2-4h.01M17 16h.01"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineServer.vue"]])},87947:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8.684 13.342C8.886 12.938 9 12.482 9 12c0-.482-.114-.938-.316-1.342m0 2.684a3 3 0 110-2.684m0 2.684l6.632 3.316m-6.632-6l6.632-3.316m0 0a3 3 0 105.367-2.684 3 3 0 00-5.367 2.684zm0 9.316a3 3 0 105.368 2.684 3 3 0 00-5.368-2.684z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShare.vue"]])},30120:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 12l2 2 4-4m5.618-4.016A11.955 11.955 0 0112 2.944a11.955 11.955 0 01-8.618 3.04A12.02 12.02 0 003 9c0 5.591 3.824 10.29 9 11.622 5.176-1.332 9-6.03 9-11.622 0-1.042-.133-2.052-.382-3.016z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShieldCheck.vue"]])},39215:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M20.618 5.984A11.955 11.955 0 0112 2.944a11.955 11.955 0 01-8.618 3.04A12.02 12.02 0 003 9c0 5.591 3.824 10.29 9 11.622 5.176-1.332 9-6.03 9-11.622 0-1.042-.133-2.052-.382-3.016zM12 9v2m0 4h.01"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShieldExclamation.vue"]])},84383:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 11V7a4 4 0 00-8 0v4M5 9h14l1 12H4L5 9z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShoppingBag.vue"]])},5446:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 3h2l.4 2M7 13h10l4-8H5.4M7 13L5.4 5M7 13l-2.293 2.293c-.63.63-.184 1.707.707 1.707H17m0 0a2 2 0 100 4 2 2 0 000-4zm-8 2a2 2 0 11-4 0 2 2 0 014 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineShoppingCart.vue"]])},55422:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 4h13M3 8h9m-9 4h6m4 0l4-4m0 0l4 4m-4-4v12"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSortAscending.vue"]])},23861:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 4h13M3 8h9m-9 4h9m5-4v12m0 0l-4-4m4 4l4-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSortDescending.vue"]])},85542:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5 3v4M3 5h4M6 17v4m-2-2h4m5-16l2.286 6.857L21 12l-5.714 2.143L13 21l-2.286-6.857L5 12l5.714-2.143L13 3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSparkles.vue"]])},5330:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11 5.882V19.24a1.76 1.76 0 01-3.417.592l-2.147-6.15M18 13a3 3 0 100-6M5.436 13.683A4.001 4.001 0 017 6h1.832c4.1 0 7.625-1.234 9.168-3v14c-1.543-1.766-5.067-3-9.168-3H7a3.988 3.988 0 01-1.564-.317z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSpeakerphone.vue"]])},81272:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M11.049 2.927c.3-.921 1.603-.921 1.902 0l1.519 4.674a1 1 0 00.95.69h4.915c.969 0 1.371 1.24.588 1.81l-3.976 2.888a1 1 0 00-.363 1.118l1.518 4.674c.3.922-.755 1.688-1.538 1.118l-3.976-2.888a1 1 0 00-1.176 0l-3.976 2.888c-.783.57-1.838-.197-1.538-1.118l1.518-4.674a1 1 0 00-.363-1.118l-3.976-2.888c-.784-.57-.38-1.81.588-1.81h4.914a1 1 0 00.951-.69l1.519-4.674z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStar.vue"]])},67094:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18.364 5.636a9 9 0 010 12.728m0 0l-2.829-2.829m2.829 2.829L21 21M15.536 8.464a5 5 0 010 7.072m0 0l-2.829-2.829m-4.243 2.829a4.978 4.978 0 01-1.414-2.83m-1.414 5.658a9 9 0 01-2.167-9.238m7.824 2.167a1 1 0 111.414 1.414m-1.414-1.414L3 3m8.293 8.293l1.414 1.414"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStatusOffline.vue"]])},34923:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5.636 18.364a9 9 0 010-12.728m12.728 0a9 9 0 010 12.728m-9.9-2.829a5 5 0 010-7.07m7.072 0a5 5 0 010 7.07M13 12a1 1 0 11-2 0 1 1 0 012 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStatusOnline.vue"]])},73129:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 12a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 10a1 1 0 011-1h4a1 1 0 011 1v4a1 1 0 01-1 1h-4a1 1 0 01-1-1v-4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineStop.vue"]])},68:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 3v1m0 16v1m9-9h-1M4 12H3m15.364 6.364l-.707-.707M6.343 6.343l-.707-.707m12.728 0l-.707.707M6.343 17.657l-.707.707M16 12a4 4 0 11-8 0 4 4 0 018 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSun.vue"]])},27338:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18.364 5.636l-3.536 3.536m0 5.656l3.536 3.536M9.172 9.172L5.636 5.636m3.536 9.192l-3.536 3.536M21 12a9 9 0 11-18 0 9 9 0 0118 0zm-5 0a4 4 0 11-8 0 4 4 0 018 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSupport.vue"]])},19416:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 7h12m0 0l-4-4m4 4l-4 4m0 6H4m0 0l4 4m-4-4l4-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSwitchHorizontal.vue"]])},95168:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 16V4m0 0L3 8m4-4l4 4m6 0v12m0 0l4-4m-4 4l-4-4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineSwitchVertical.vue"]])},17816:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-width":"2",d:"M3 10h18M3 14h18m-9-4v8m-7 0h14a2 2 0 002-2V8a2 2 0 00-2-2H5a2 2 0 00-2 2v8a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTable.vue"]])},59219:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M7 7h.01M7 3h5c.512 0 1.024.195 1.414.586l7 7a2 2 0 010 2.828l-7 7a2 2 0 01-2.828 0l-7-7A1.994 1.994 0 013 12V7a4 4 0 014-4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTag.vue"]])},45505:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 5a1 1 0 011-1h14a1 1 0 011 1v2a1 1 0 01-1 1H5a1 1 0 01-1-1V5zM4 13a1 1 0 011-1h6a1 1 0 011 1v6a1 1 0 01-1 1H5a1 1 0 01-1-1v-6zM16 13a1 1 0 011-1h2a1 1 0 011 1v6a1 1 0 01-1 1h-2a1 1 0 01-1-1v-6z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTemplate.vue"]])},91416:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 9l3 3-3 3m5 0h3M5 20h14a2 2 0 002-2V6a2 2 0 00-2-2H5a2 2 0 00-2 2v12a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTerminal.vue"]])},43474:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 14H5.236a2 2 0 01-1.789-2.894l3.5-7A2 2 0 018.736 3h4.018a2 2 0 01.485.06l3.76.94m-7 10v5a2 2 0 002 2h.096c.5 0 .905-.405.905-.904 0-.715.211-1.413.608-2.008L17 13V4m-7 10h2m5-10h2a2 2 0 012 2v6a2 2 0 01-2 2h-2.5"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineThumbDown.vue"]])},7972:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M14 10h4.764a2 2 0 011.789 2.894l-3.5 7A2 2 0 0115.263 21h-4.017c-.163 0-.326-.02-.485-.06L7 20m7-10V5a2 2 0 00-2-2h-.095c-.5 0-.905.405-.905.905 0 .714-.211 1.412-.608 2.006L7 11v9m7-10h-2M7 20H5a2 2 0 01-2-2v-6a2 2 0 012-2h2.5"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineThumbUp.vue"]])},38460:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 5v2m0 4v2m0 4v2M5 5a2 2 0 00-2 2v3a2 2 0 110 4v3a2 2 0 002 2h14a2 2 0 002-2v-3a2 2 0 110-4V7a2 2 0 00-2-2H5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTicket.vue"]])},81922:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M3 5h12M9 3v2m1.048 9.5A18.022 18.022 0 016.412 9m6.088 9h7M11 21l5-10 5 10M12.751 5C11.783 10.77 8.07 15.61 3 18.129"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTranslate.vue"]])},98708:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M19 7l-.867 12.142A2 2 0 0116.138 21H7.862a2 2 0 01-1.995-1.858L5 7m5 4v6m4-6v6m1-10V4a1 1 0 00-1-1h-4a1 1 0 00-1 1v3M4 7h16"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTrash.vue"]])},20579:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 17h8m0 0V9m0 8l-8-8-4 4-6-6"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTrendingDown.vue"]])},84697:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 7h8m0 0v8m0-8l-8 8-4-4-6 6"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTrendingUp.vue"]])},43969:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{fill:"#fff",d:"M9 17a2 2 0 11-4 0 2 2 0 014 0zM19 17a2 2 0 11-4 0 2 2 0 014 0z"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 16V6a1 1 0 00-1-1H4a1 1 0 00-1 1v10a1 1 0 001 1h1m8-1a1 1 0 01-1 1H9m4-1V8a1 1 0 011-1h2.586a1 1 0 01.707.293l3.414 3.414a1 1 0 01.293.707V16a1 1 0 01-1 1h-1m-6-1a1 1 0 001 1h1M5 17a2 2 0 104 0m-4 0a2 2 0 114 0m6 0a2 2 0 104 0m-4 0a2 2 0 114 0"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineTruck.vue"]])},42902:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 16v1a3 3 0 003 3h10a3 3 0 003-3v-1m-4-8l-4-4m0 0L8 8m4-4v12"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUpload.vue"]])},39583:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M16 7a4 4 0 11-8 0 4 4 0 018 0zM12 14a7 7 0 00-7 7h14a7 7 0 00-7-7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUser.vue"]])},39551:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M18 9v3m0 0v3m0-3h3m-3 0h-3m-2-5a4 4 0 11-8 0 4 4 0 018 0zM3 20a6 6 0 0112 0v1H3v-1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserAdd.vue"]])},40504:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5.121 17.804A13.937 13.937 0 0112 16c2.5 0 4.847.655 6.879 1.804M15 10a3 3 0 11-6 0 3 3 0 016 0zm6 2a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserCircle.vue"]])},24566:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 20h5v-2a3 3 0 00-5.356-1.857M17 20H7m10 0v-2c0-.656-.126-1.283-.356-1.857M7 20H2v-2a3 3 0 015.356-1.857M7 20v-2c0-.656.126-1.283.356-1.857m0 0a5.002 5.002 0 019.288 0M15 7a3 3 0 11-6 0 3 3 0 016 0zm6 3a2 2 0 11-4 0 2 2 0 014 0zM7 10a2 2 0 11-4 0 2 2 0 014 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserGroup.vue"]])},51816:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 7a4 4 0 11-8 0 4 4 0 018 0zM9 14a6 6 0 00-6 6v1h12v-1a6 6 0 00-6-6zM21 12h-6"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUserRemove.vue"]])},68582:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M12 4.354a4 4 0 110 5.292M15 21H3v-1a6 6 0 0112 0v1zm0 0h6v-1a6 6 0 00-9-5.197M13 7a4 4 0 11-8 0 4 4 0 018 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineUsers.vue"]])},98175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4.871 4A17.926 17.926 0 003 12c0 2.874.673 5.59 1.871 8m14.13 0a17.926 17.926 0 001.87-8c0-2.874-.673-5.59-1.87-8M9 9h1.246a1 1 0 01.961.725l1.586 5.55a1 1 0 00.961.725H15m1-7h-.08a2 2 0 00-1.519.698L9.6 15.302A2 2 0 018.08 16H8"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVariable.vue"]])},38702:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15 10l4.553-2.276A1 1 0 0121 8.618v6.764a1 1 0 01-1.447.894L15 14M5 18h8a2 2 0 002-2V8a2 2 0 00-2-2H5a2 2 0 00-2 2v8a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVideoCamera.vue"]])},65420:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M9 17V7m0 10a2 2 0 01-2 2H5a2 2 0 01-2-2V7a2 2 0 012-2h2a2 2 0 012 2m0 10a2 2 0 002 2h2a2 2 0 002-2M9 7a2 2 0 012-2h2a2 2 0 012 2m0 10V7m0 10a2 2 0 002 2h2a2 2 0 002-2V7a2 2 0 00-2-2h-2a2 2 0 00-2 2"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewBoards.vue"]])},19030:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2H6a2 2 0 01-2-2V6zM14 6a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2V6zM4 16a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2H6a2 2 0 01-2-2v-2zM14 16a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2v-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewGrid.vue"]])},90274:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 14v6m-3-3h6M6 10h2a2 2 0 002-2V6a2 2 0 00-2-2H6a2 2 0 00-2 2v2a2 2 0 002 2zm10 0h2a2 2 0 002-2V6a2 2 0 00-2-2h-2a2 2 0 00-2 2v2a2 2 0 002 2zM6 20h2a2 2 0 002-2v-2a2 2 0 00-2-2H6a2 2 0 00-2 2v2a2 2 0 002 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewGridAdd.vue"]])},11163:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M4 6h16M4 10h16M4 14h16M4 18h16"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineViewList.vue"]])},13323:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M5.586 15H4a1 1 0 01-1-1v-4a1 1 0 011-1h1.586l4.707-4.707C10.923 3.663 12 4.109 12 5v14c0 .891-1.077 1.337-1.707.707L5.586 15z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M17 14l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVolumeOff.vue"]])},80239:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M15.536 8.464a5 5 0 010 7.072m2.828-9.9a9 9 0 010 12.728M5.586 15H4a1 1 0 01-1-1v-4a1 1 0 011-1h1.586l4.707-4.707C10.923 3.663 12 4.109 12 5v14c0 .891-1.077 1.337-1.707.707L5.586 15z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineVolumeUp.vue"]])},26813:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8.111 16.404a5.5 5.5 0 017.778 0M12 20h.01m-7.08-7.071c3.904-3.905 10.236-3.905 14.141 0M1.394 9.393c5.857-5.857 15.355-5.857 21.213 0"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineWifi.vue"]])},82819:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M6 18L18 6M6 6l12 12"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineX.vue"]])},40931:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 14l2-2m0 0l2-2m-2 2l-2-2m2 2l2 2m7-2a9 9 0 11-18 0 9 9 0 0118 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineXCircle.vue"]])},46835:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0zM10 7v3m0 0v3m0-3h3m-3 0H7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineZoomIn.vue"]])},10160:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor",width:"24",height:"24"},l=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0zM13 10H7"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsOutlineZoomOut.vue"]])},70746:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10.394 2.08a1 1 0 00-.788 0l-7 3a1 1 0 000 1.84L5.25 8.051a.999.999 0 01.356-.257l4-1.714a1 1 0 11.788 1.838L7.667 9.088l1.94.831a1 1 0 00.787 0l7-3a1 1 0 000-1.838l-7-3zM3.31 9.397L5 10.12v4.102a8.969 8.969 0 00-1.05-.174 1 1 0 01-.89-.89 11.115 11.115 0 01.25-3.762zM9.3 16.573A9.026 9.026 0 007 14.935v-3.957l1.818.78a3 3 0 002.364 0l5.508-2.361a11.026 11.026 0 01.25 3.762 1 1 0 01-.89.89 8.968 8.968 0 00-5.35 2.524 1 1 0 01-1.4 0zM6 18a1 1 0 001-1v-2.065a8.935 8.935 0 00-2-.712V17a1 1 0 001 1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAcademicCap.vue"]])},22332:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 4a1 1 0 00-2 0v7.268a2 2 0 000 3.464V16a1 1 0 102 0v-1.268a2 2 0 000-3.464V4zM11 4a1 1 0 10-2 0v1.268a2 2 0 000 3.464V16a1 1 0 102 0V8.732a2 2 0 000-3.464V4zM16 3a1 1 0 011 1v7.268a2 2 0 010 3.464V16a1 1 0 11-2 0v-1.268a2 2 0 010-3.464V4a1 1 0 011-1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAdjustments.vue"]])},66480:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 13V5a2 2 0 00-2-2H4a2 2 0 00-2 2v8a2 2 0 002 2h3l3 3 3-3h3a2 2 0 002-2zM5 7a1 1 0 011-1h8a1 1 0 110 2H6a1 1 0 01-1-1zm1 3a1 1 0 100 2h3a1 1 0 100-2H6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAnnotation.vue"]])},29214:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M4 3a2 2 0 100 4h12a2 2 0 100-4H4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 8h14v7a2 2 0 01-2 2H5a2 2 0 01-2-2V8zm5 3a1 1 0 011-1h2a1 1 0 110 2H9a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArchive.vue"]])},60278:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-11a1 1 0 10-2 0v3.586L7.707 9.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 10.586V7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleDown.vue"]])},15470:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm.707-10.293a1 1 0 00-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L9.414 11H13a1 1 0 100-2H9.414l1.293-1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleLeft.vue"]])},375:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-8.707l-3-3a1 1 0 00-1.414 1.414L10.586 9H7a1 1 0 100 2h3.586l-1.293 1.293a1 1 0 101.414 1.414l3-3a1 1 0 000-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleRight.vue"]])},91392:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-8.707l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 001.414 1.414L9 9.414V13a1 1 0 102 0V9.414l1.293 1.293a1 1 0 001.414-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowCircleUp.vue"]])},83298:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.707 10.293a1 1 0 010 1.414l-6 6a1 1 0 01-1.414 0l-6-6a1 1 0 111.414-1.414L9 14.586V3a1 1 0 012 0v11.586l4.293-4.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowDown.vue"]])},64655:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.707 16.707a1 1 0 01-1.414 0l-6-6a1 1 0 010-1.414l6-6a1 1 0 011.414 1.414L5.414 9H17a1 1 0 110 2H5.414l4.293 4.293a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowLeft.vue"]])},11490:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.707 12.293a1 1 0 010 1.414l-4 4a1 1 0 01-1.414 0l-4-4a1 1 0 111.414-1.414L9 14.586V3a1 1 0 012 0v11.586l2.293-2.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowDown.vue"]])},29085:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.707 14.707a1 1 0 01-1.414 0l-4-4a1 1 0 010-1.414l4-4a1 1 0 011.414 1.414L5.414 9H17a1 1 0 110 2H5.414l2.293 2.293a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowLeft.vue"]])},97054:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.293 5.293a1 1 0 011.414 0l4 4a1 1 0 010 1.414l-4 4a1 1 0 01-1.414-1.414L14.586 11H3a1 1 0 110-2h11.586l-2.293-2.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowRight.vue"]])},89401:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.293 7.707a1 1 0 010-1.414l4-4a1 1 0 011.414 0l4 4a1 1 0 01-1.414 1.414L11 5.414V17a1 1 0 11-2 0V5.414L6.707 7.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowNarrowUp.vue"]])},76622:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.293 3.293a1 1 0 011.414 0l6 6a1 1 0 010 1.414l-6 6a1 1 0 01-1.414-1.414L14.586 11H3a1 1 0 110-2h11.586l-4.293-4.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowRight.vue"]])},19901:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.293 9.707a1 1 0 010-1.414l6-6a1 1 0 011.414 0l6 6a1 1 0 01-1.414 1.414L11 5.414V17a1 1 0 11-2 0V5.414L4.707 9.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowUp.vue"]])},82679:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 19 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4a1 1 0 011-1h4a1 1 0 010 2H6.414l2.293 2.293a1 1 0 01-1.414 1.414L5 6.414V8a1 1 0 01-2 0V4zm9 1a1 1 0 110-2h4a1 1 0 011 1v4a1 1 0 11-2 0V6.414l-2.293 2.293a1 1 0 11-1.414-1.414L13.586 5H12zm-9 7a1 1 0 112 0v1.586l2.293-2.293a1 1 0 011.414 1.414L6.414 15H8a1 1 0 110 2H4a1 1 0 01-1-1v-4zm13-1a1 1 0 011 1v4a1 1 0 01-1 1h-4a1 1 0 110-2h1.586l-2.293-2.293a1 1 0 011.414-1.414L15 13.586V12a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidArrowsExpand.vue"]])},42399:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.243 5.757a6 6 0 10-.986 9.284 1 1 0 111.087 1.678A8 8 0 1118 10a3 3 0 01-4.8 2.401A4 4 0 1114 10a1 1 0 102 0c0-1.537-.586-3.07-1.757-4.243zM12 10a2 2 0 10-4 0 2 2 0 004 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidAtSymbol.vue"]])},9185:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.707 4.879A3 3 0 018.828 4H15a3 3 0 013 3v6a3 3 0 01-3 3H8.828a3 3 0 01-2.12-.879l-4.415-4.414a1 1 0 010-1.414l4.414-4.414zm4 2.414a1 1 0 00-1.414 1.414L10.586 10l-1.293 1.293a1 1 0 101.414 1.414L12 11.414l1.293 1.293a1 1 0 001.414-1.414L13.414 10l1.293-1.293a1 1 0 00-1.414-1.414L12 8.586l-1.293-1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBackspace.vue"]])},87624:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.267 3.455a3.066 3.066 0 001.745-.723 3.066 3.066 0 013.976 0 3.066 3.066 0 001.745.723 3.066 3.066 0 012.812 2.812c.051.643.304 1.254.723 1.745a3.066 3.066 0 010 3.976 3.066 3.066 0 00-.723 1.745 3.066 3.066 0 01-2.812 2.812 3.066 3.066 0 00-1.745.723 3.066 3.066 0 01-3.976 0 3.066 3.066 0 00-1.745-.723 3.066 3.066 0 01-2.812-2.812 3.066 3.066 0 00-.723-1.745 3.066 3.066 0 010-3.976 3.066 3.066 0 00.723-1.745 3.066 3.066 0 012.812-2.812zm7.44 5.252a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBadgeCheck.vue"]])},25351:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M13.477 14.89A6 6 0 015.11 6.524l8.367 8.368zm1.414-1.414L6.524 5.11a6 6 0 018.367 8.367zM18 10a8 8 0 11-16 0 8 8 0 0116 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBan.vue"]])},46197:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a1 1 0 00-.707 1.707L7 4.414v3.758a1 1 0 01-.293.707l-4 4C.817 14.769 2.156 18 4.828 18h10.343c2.673 0 4.012-3.231 2.122-5.121l-4-4A1 1 0 0113 8.172V4.414l.707-.707A1 1 0 0013 2H7zm2 6.172V4h2v4.172a3 3 0 00.879 2.12l1.027 1.028a4 4 0 00-2.171.102l-.47.156a4 4 0 01-2.53 0l-.563-.187a1.993 1.993 0 00-.114-.035l1.063-1.063A3 3 0 009 8.172z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBeaker.vue"]])},89907:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10 2a6 6 0 00-6 6v3.586l-.707.707A1 1 0 004 14h12a1 1 0 00.707-1.707L16 11.586V8a6 6 0 00-6-6zM10 18a3 3 0 01-3-3h6a3 3 0 01-3 3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBell.vue"]])},23170:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9 4.804A7.968 7.968 0 005.5 4c-1.255 0-2.443.29-3.5.804v10A7.969 7.969 0 015.5 14c1.669 0 3.218.51 4.5 1.385A7.962 7.962 0 0114.5 14c1.255 0 2.443.29 3.5.804v-10A7.968 7.968 0 0014.5 4c-1.255 0-2.443.29-3.5.804V12a1 1 0 11-2 0V4.804z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBookOpen.vue"]])},19979:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 4a2 2 0 012-2h6a2 2 0 012 2v14l-5-2.5L5 18V4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBookmark.vue"]])},54671:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a2 2 0 012-2h10a2 2 0 012 2v10a2 2 0 01-2 2H5a2 2 0 01-2-2V5zm11 1H6v8l4-2 4 2V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBookmarkAlt.vue"]])},60181:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 6V5a3 3 0 013-3h2a3 3 0 013 3v1h2a2 2 0 012 2v3.57A22.952 22.952 0 0110 13a22.95 22.95 0 01-8-1.43V8a2 2 0 012-2h2zm2-1a1 1 0 011-1h2a1 1 0 011 1v1H8V5zm1 5a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M2 13.692V16a2 2 0 002 2h12a2 2 0 002-2v-2.308A24.974 24.974 0 0110 15c-2.796 0-5.487-.46-8-1.308z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidBriefcase.vue"]])},92833:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 3a1 1 0 011-1h.01a1 1 0 010 2H7a1 1 0 01-1-1zm2 3a1 1 0 00-2 0v1a2 2 0 00-2 2v1a2 2 0 00-2 2v.683a3.7 3.7 0 011.055.485 1.704 1.704 0 001.89 0 3.704 3.704 0 014.11 0 1.704 1.704 0 001.89 0 3.704 3.704 0 014.11 0 1.704 1.704 0 001.89 0A3.7 3.7 0 0118 12.683V12a2 2 0 00-2-2V9a2 2 0 00-2-2V6a1 1 0 10-2 0v1h-1V6a1 1 0 10-2 0v1H8V6zm10 8.868a3.704 3.704 0 01-4.055-.036 1.704 1.704 0 00-1.89 0 3.704 3.704 0 01-4.11 0 1.704 1.704 0 00-1.89 0A3.704 3.704 0 012 14.868V17a1 1 0 001 1h14a1 1 0 001-1v-2.132zM9 3a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1zm3 0a1 1 0 011-1h.01a1 1 0 110 2H13a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCake.vue"]])},40871:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V4a2 2 0 00-2-2H6zm1 2a1 1 0 000 2h6a1 1 0 100-2H7zm6 7a1 1 0 011 1v3a1 1 0 11-2 0v-3a1 1 0 011-1zm-3 3a1 1 0 100 2h.01a1 1 0 100-2H10zm-4 1a1 1 0 011-1h.01a1 1 0 110 2H7a1 1 0 01-1-1zm1-4a1 1 0 100 2h.01a1 1 0 100-2H7zm2 1a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1zm4-4a1 1 0 100 2h.01a1 1 0 100-2H13zM9 9a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1zM7 8a1 1 0 000 2h.01a1 1 0 000-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCalculator.vue"]])},91987:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a1 1 0 00-1 1v1H4a2 2 0 00-2 2v10a2 2 0 002 2h12a2 2 0 002-2V6a2 2 0 00-2-2h-1V3a1 1 0 10-2 0v1H7V3a1 1 0 00-1-1zm0 5a1 1 0 000 2h8a1 1 0 100-2H6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCalendar.vue"]])},90587:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 00-2 2v8a2 2 0 002 2h12a2 2 0 002-2V7a2 2 0 00-2-2h-1.586a1 1 0 01-.707-.293l-1.121-1.121A2 2 0 0011.172 3H8.828a2 2 0 00-1.414.586L6.293 4.707A1 1 0 015.586 5H4zm6 9a3 3 0 100-6 3 3 0 000 6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCamera.vue"]])},41415:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 00-2 2v4a2 2 0 002 2V6h10a2 2 0 00-2-2H4zm2 6a2 2 0 012-2h8a2 2 0 012 2v4a2 2 0 01-2 2H8a2 2 0 01-2-2v-4zm6 4a2 2 0 100-4 2 2 0 000 4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCash.vue"]])},46421:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 11a1 1 0 011-1h2a1 1 0 011 1v5a1 1 0 01-1 1H3a1 1 0 01-1-1v-5zM8 7a1 1 0 011-1h2a1 1 0 011 1v9a1 1 0 01-1 1H9a1 1 0 01-1-1V7zM14 4a1 1 0 011-1h2a1 1 0 011 1v12a1 1 0 01-1 1h-2a1 1 0 01-1-1V4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChartBar.vue"]])},54566:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 10a8 8 0 018-8v8h8a8 8 0 11-16 0z"},null,-1),(0,o.createElementVNode)("path",{d:"M12 2.252A8.014 8.014 0 0117.748 8H12V2.252z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChartPie.vue"]])},72288:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 3a2 2 0 00-2 2v10a2 2 0 002 2h10a2 2 0 002-2V5a2 2 0 00-2-2H5zm9 4a1 1 0 10-2 0v6a1 1 0 102 0V7zm-3 2a1 1 0 10-2 0v4a1 1 0 102 0V9zm-3 3a1 1 0 10-2 0v1a1 1 0 102 0v-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChartSquareBar.vue"]])},65578:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10c0 3.866-3.582 7-8 7a8.841 8.841 0 01-4.083-.98L2 17l1.338-3.123C2.493 12.767 2 11.434 2 10c0-3.866 3.582-7 8-7s8 3.134 8 7zM7 9H5v2h2V9zm8 0h-2v2h2V9zM9 9h2v2H9V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChat.vue"]])},59829:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 5v8a2 2 0 01-2 2h-5l-5 4v-4H4a2 2 0 01-2-2V5a2 2 0 012-2h12a2 2 0 012 2zM7 8H5v2h2V8zm2 0h2v2H9V8zm6 0h-2v2h2V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChatAlt.vue"]])},98900:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M2 5a2 2 0 012-2h7a2 2 0 012 2v4a2 2 0 01-2 2H9l-3 3v-3H4a2 2 0 01-2-2V5z"},null,-1),(0,o.createElementVNode)("path",{d:"M15 7v2a4 4 0 01-4 4H9.828l-1.766 1.767c.28.149.599.233.938.233h2l3 3v-3h2a2 2 0 002-2V9a2 2 0 00-2-2h-1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChatAlt2.vue"]])},87509:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M16.707 5.293a1 1 0 010 1.414l-8 8a1 1 0 01-1.414 0l-4-4a1 1 0 011.414-1.414L8 12.586l7.293-7.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCheck.vue"]])},3272:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm3.707-9.293a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCheckCircle.vue"]])},33796:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.707 4.293a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0l-5-5a1 1 0 011.414-1.414L10 8.586l4.293-4.293a1 1 0 011.414 0zm0 6a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0l-5-5a1 1 0 111.414-1.414L10 14.586l4.293-4.293a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleDown.vue"]])},86284:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M15.707 15.707a1 1 0 01-1.414 0l-5-5a1 1 0 010-1.414l5-5a1 1 0 111.414 1.414L11.414 10l4.293 4.293a1 1 0 010 1.414zm-6 0a1 1 0 01-1.414 0l-5-5a1 1 0 010-1.414l5-5a1 1 0 011.414 1.414L5.414 10l4.293 4.293a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleLeft.vue"]])},26018:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.293 15.707a1 1 0 010-1.414L14.586 10l-4.293-4.293a1 1 0 111.414-1.414l5 5a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.293 15.707a1 1 0 010-1.414L8.586 10 4.293 5.707a1 1 0 011.414-1.414l5 5a1 1 0 010 1.414l-5 5a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleRight.vue"]])},10883:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.293 15.707a1 1 0 010-1.414l5-5a1 1 0 011.414 0l5 5a1 1 0 01-1.414 1.414L10 11.414l-4.293 4.293a1 1 0 01-1.414 0zm0-6a1 1 0 010-1.414l5-5a1 1 0 011.414 0l5 5a1 1 0 01-1.414 1.414L10 5.414 5.707 9.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDoubleUp.vue"]])},9951:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.293 7.293a1 1 0 011.414 0L10 10.586l3.293-3.293a1 1 0 111.414 1.414l-4 4a1 1 0 01-1.414 0l-4-4a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronDown.vue"]])},84348:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.707 5.293a1 1 0 010 1.414L9.414 10l3.293 3.293a1 1 0 01-1.414 1.414l-4-4a1 1 0 010-1.414l4-4a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronLeft.vue"]])},22127:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.293 14.707a1 1 0 010-1.414L10.586 10 7.293 6.707a1 1 0 011.414-1.414l4 4a1 1 0 010 1.414l-4 4a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronRight.vue"]])},84938:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M14.707 12.707a1 1 0 01-1.414 0L10 9.414l-3.293 3.293a1 1 0 01-1.414-1.414l4-4a1 1 0 011.414 0l4 4a1 1 0 010 1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChevronUp.vue"]])},12933:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M13 7H7v6h6V7z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a1 1 0 012 0v1h2V2a1 1 0 112 0v1h2a2 2 0 012 2v2h1a1 1 0 110 2h-1v2h1a1 1 0 110 2h-1v2a2 2 0 01-2 2h-2v1a1 1 0 11-2 0v-1H9v1a1 1 0 11-2 0v-1H5a2 2 0 01-2-2v-2H2a1 1 0 110-2h1V9H2a1 1 0 010-2h1V5a2 2 0 012-2h2V2zM5 5h10v10H5V5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidChip.vue"]])},20537:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8 3a1 1 0 011-1h2a1 1 0 110 2H9a1 1 0 01-1-1z"},null,-1),(0,o.createElementVNode)("path",{d:"M6 3a2 2 0 00-2 2v11a2 2 0 002 2h8a2 2 0 002-2V5a2 2 0 00-2-2 3 3 0 01-3 3H9a3 3 0 01-3-3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboard.vue"]])},31075:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9 2a1 1 0 000 2h2a1 1 0 100-2H9z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 012-2 3 3 0 003 3h2a3 3 0 003-3 2 2 0 012 2v11a2 2 0 01-2 2H6a2 2 0 01-2-2V5zm9.707 5.707a1 1 0 00-1.414-1.414L9 12.586l-1.293-1.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboardCheck.vue"]])},42066:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M8 2a1 1 0 000 2h2a1 1 0 100-2H8z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 5a2 2 0 012-2 3 3 0 003 3h2a3 3 0 003-3 2 2 0 012 2v6h-4.586l1.293-1.293a1 1 0 00-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L10.414 13H15v3a2 2 0 01-2 2H5a2 2 0 01-2-2V5zM15 11h2a1 1 0 110 2h-2v-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboardCopy.vue"]])},55201:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9 2a1 1 0 000 2h2a1 1 0 100-2H9z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 5a2 2 0 012-2 3 3 0 003 3h2a3 3 0 003-3 2 2 0 012 2v11a2 2 0 01-2 2H6a2 2 0 01-2-2V5zm3 4a1 1 0 000 2h.01a1 1 0 100-2H7zm3 0a1 1 0 000 2h3a1 1 0 100-2h-3zm-3 4a1 1 0 100 2h.01a1 1 0 100-2H7zm3 0a1 1 0 100 2h3a1 1 0 100-2h-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClipboardList.vue"]])},79036:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-12a1 1 0 10-2 0v4a1 1 0 00.293.707l2.828 2.829a1 1 0 101.415-1.415L11 9.586V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidClock.vue"]])},41752:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M5.5 16a3.5 3.5 0 01-.369-6.98 4 4 0 117.753-1.977A4.5 4.5 0 1113.5 16h-8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCloud.vue"]])},43988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 9.5A3.5 3.5 0 005.5 13H9v2.586l-1.293-1.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 15.586V13h2.5a4.5 4.5 0 10-.616-8.958 4.002 4.002 0 10-7.753 1.977A3.5 3.5 0 002 9.5zm9 3.5H9V8a1 1 0 012 0v5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCloudDownload.vue"]])},88339:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5.5 13a3.5 3.5 0 01-.369-6.98 4 4 0 117.753-1.977A4.5 4.5 0 1113.5 13H11V9.413l1.293 1.293a1 1 0 001.414-1.414l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 001.414 1.414L9 9.414V13H5.5z"},null,-1),(0,o.createElementVNode)("path",{d:"M9 13h2v5a1 1 0 11-2 0v-5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCloudUpload.vue"]])},44066:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.316 3.051a1 1 0 01.633 1.265l-4 12a1 1 0 11-1.898-.632l4-12a1 1 0 011.265-.633zM5.707 6.293a1 1 0 010 1.414L3.414 10l2.293 2.293a1 1 0 11-1.414 1.414l-3-3a1 1 0 010-1.414l3-3a1 1 0 011.414 0zm8.586 0a1 1 0 011.414 0l3 3a1 1 0 010 1.414l-3 3a1 1 0 11-1.414-1.414L16.586 10l-2.293-2.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCode.vue"]])},4449:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.49 3.17c-.38-1.56-2.6-1.56-2.98 0a1.532 1.532 0 01-2.286.948c-1.372-.836-2.942.734-2.106 2.106.54.886.061 2.042-.947 2.287-1.561.379-1.561 2.6 0 2.978a1.532 1.532 0 01.947 2.287c-.836 1.372.734 2.942 2.106 2.106a1.532 1.532 0 012.287.947c.379 1.561 2.6 1.561 2.978 0a1.533 1.533 0 012.287-.947c1.372.836 2.942-.734 2.106-2.106a1.533 1.533 0 01.947-2.287c1.561-.379 1.561-2.6 0-2.978a1.532 1.532 0 01-.947-2.287c.836-1.372-.734-2.942-2.106-2.106a1.532 1.532 0 01-2.287-.947zM10 13a3 3 0 100-6 3 3 0 000 6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCog.vue"]])},65201:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M7 3a1 1 0 000 2h6a1 1 0 100-2H7zM4 7a1 1 0 011-1h10a1 1 0 110 2H5a1 1 0 01-1-1zM2 11a2 2 0 012-2h12a2 2 0 012 2v4a2 2 0 01-2 2H4a2 2 0 01-2-2v-4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCollection.vue"]])},43006:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a2 2 0 00-2 2v11a3 3 0 106 0V4a2 2 0 00-2-2H4zm1 14a1 1 0 100-2 1 1 0 000 2zm5-1.757l4.9-4.9a2 2 0 000-2.828L13.485 5.1a2 2 0 00-2.828 0L10 5.757v8.486zM16 18H9.071l6-6H16a2 2 0 012 2v2a2 2 0 01-2 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidColorSwatch.vue"]])},75314:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M4 4a2 2 0 00-2 2v1h16V6a2 2 0 00-2-2H4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 9H2v5a2 2 0 002 2h12a2 2 0 002-2V9zM4 13a1 1 0 011-1h1a1 1 0 110 2H5a1 1 0 01-1-1zm5-1a1 1 0 100 2h1a1 1 0 100-2H9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCreditCard.vue"]])},18802:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M11 17a1 1 0 001.447.894l4-2A1 1 0 0017 15V9.236a1 1 0 00-1.447-.894l-4 2a1 1 0 00-.553.894V17zM15.211 6.276a1 1 0 000-1.788l-4.764-2.382a1 1 0 00-.894 0L4.789 4.488a1 1 0 000 1.788l4.764 2.382a1 1 0 00.894 0l4.764-2.382zM4.447 8.342A1 1 0 003 9.236V15a1 1 0 00.553.894l4 2A1 1 0 009 17v-5.764a1 1 0 00-.553-.894l-4-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCube.vue"]])},4809:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.504 1.132a1 1 0 01.992 0l1.75 1a1 1 0 11-.992 1.736L10 3.152l-1.254.716a1 1 0 11-.992-1.736l1.75-1zM5.618 4.504a1 1 0 01-.372 1.364L5.016 6l.23.132a1 1 0 11-.992 1.736L4 7.723V8a1 1 0 01-2 0V6a.996.996 0 01.52-.878l1.734-.99a1 1 0 011.364.372zm8.764 0a1 1 0 011.364-.372l1.733.99A1.002 1.002 0 0118 6v2a1 1 0 11-2 0v-.277l-.254.145a1 1 0 11-.992-1.736l.23-.132-.23-.132a1 1 0 01-.372-1.364zm-7 4a1 1 0 011.364-.372L10 8.848l1.254-.716a1 1 0 11.992 1.736L11 10.58V12a1 1 0 11-2 0v-1.42l-1.246-.712a1 1 0 01-.372-1.364zM3 11a1 1 0 011 1v1.42l1.246.712a1 1 0 11-.992 1.736l-1.75-1A1 1 0 012 14v-2a1 1 0 011-1zm14 0a1 1 0 011 1v2a1 1 0 01-.504.868l-1.75 1a1 1 0 11-.992-1.736L16 13.42V12a1 1 0 011-1zm-9.618 5.504a1 1 0 011.364-.372l.254.145V16a1 1 0 112 0v.277l.254-.145a1 1 0 11.992 1.736l-1.735.992a.995.995 0 01-1.022 0l-1.735-.992a1 1 0 01-.372-1.364z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCubeTransparent.vue"]])},7261:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 4a1 1 0 000 2 1 1 0 011 1v1H7a1 1 0 000 2h1v3a3 3 0 106 0v-1a1 1 0 10-2 0v1a1 1 0 11-2 0v-3h3a1 1 0 100-2h-3V7a3 3 0 00-3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyBangladeshi.vue"]])},23798:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8.433 7.418c.155-.103.346-.196.567-.267v1.698a2.305 2.305 0 01-.567-.267C8.07 8.34 8 8.114 8 8c0-.114.07-.34.433-.582zM11 12.849v-1.698c.22.071.412.164.567.267.364.243.433.468.433.582 0 .114-.07.34-.433.582a2.305 2.305 0 01-.567.267z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-13a1 1 0 10-2 0v.092a4.535 4.535 0 00-1.676.662C6.602 6.234 6 7.009 6 8c0 .99.602 1.765 1.324 2.246.48.32 1.054.545 1.676.662v1.941c-.391-.127-.68-.317-.843-.504a1 1 0 10-1.51 1.31c.562.649 1.413 1.076 2.353 1.253V15a1 1 0 102 0v-.092a4.535 4.535 0 001.676-.662C13.398 13.766 14 12.991 14 12c0-.99-.602-1.765-1.324-2.246A4.535 4.535 0 0011 9.092V7.151c.391.127.68.317.843.504a1 1 0 101.511-1.31c-.563-.649-1.413-1.076-2.354-1.253V5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyDollar.vue"]])},31926:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM8.736 6.979C9.208 6.193 9.696 6 10 6c.304 0 .792.193 1.264.979a1 1 0 001.715-1.029C12.279 4.784 11.232 4 10 4s-2.279.784-2.979 1.95c-.285.475-.507 1-.67 1.55H6a1 1 0 000 2h.013a9.358 9.358 0 000 1H6a1 1 0 100 2h.351c.163.55.385 1.075.67 1.55C7.721 15.216 8.768 16 10 16s2.279-.784 2.979-1.95a1 1 0 10-1.715-1.029c-.472.786-.96.979-1.264.979-.304 0-.792-.193-1.264-.979a4.265 4.265 0 01-.264-.521H10a1 1 0 100-2H8.017a7.36 7.36 0 010-1H10a1 1 0 100-2H8.472c.08-.185.167-.36.264-.521z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyEuro.vue"]])},10185:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-14a3 3 0 00-3 3v2H7a1 1 0 000 2h1v1a1 1 0 01-1 1 1 1 0 100 2h6a1 1 0 100-2H9.83c.11-.313.17-.65.17-1v-1h1a1 1 0 100-2h-1V7a1 1 0 112 0 1 1 0 102 0 3 3 0 00-3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyPound.vue"]])},70670:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 5a1 1 0 100 2h1a2 2 0 011.732 1H7a1 1 0 100 2h2.732A2 2 0 018 11H7a1 1 0 00-.707 1.707l3 3a1 1 0 001.414-1.414l-1.483-1.484A4.008 4.008 0 0011.874 10H13a1 1 0 100-2h-1.126a3.976 3.976 0 00-.41-1H13a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyRupee.vue"]])},76841:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7.858 5.485a1 1 0 00-1.715 1.03L7.633 9H7a1 1 0 100 2h1.834l.166.277V12H7a1 1 0 100 2h2v1a1 1 0 102 0v-1h2a1 1 0 100-2h-2v-.723l.166-.277H13a1 1 0 100-2h-.634l1.492-2.486a1 1 0 10-1.716-1.029L10.034 9h-.068L7.858 5.485z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCurrencyYen.vue"]])},2388:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.672 1.911a1 1 0 10-1.932.518l.259.966a1 1 0 001.932-.518l-.26-.966zM2.429 4.74a1 1 0 10-.517 1.932l.966.259a1 1 0 00.517-1.932l-.966-.26zm8.814-.569a1 1 0 00-1.415-1.414l-.707.707a1 1 0 101.415 1.415l.707-.708zm-7.071 7.072l.707-.707A1 1 0 003.465 9.12l-.708.707a1 1 0 001.415 1.415zm3.2-5.171a1 1 0 00-1.3 1.3l4 10a1 1 0 001.823.075l1.38-2.759 3.018 3.02a1 1 0 001.414-1.415l-3.019-3.02 2.76-1.379a1 1 0 00-.076-1.822l-10-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidCursorClick.vue"]])},47279:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M3 12v3c0 1.657 3.134 3 7 3s7-1.343 7-3v-3c0 1.657-3.134 3-7 3s-7-1.343-7-3z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 7v3c0 1.657 3.134 3 7 3s7-1.343 7-3V7c0 1.657-3.134 3-7 3S3 8.657 3 7z"},null,-1),(0,o.createElementVNode)("path",{d:"M17 5c0 1.657-3.134 3-7 3S3 6.657 3 5s3.134-3 7-3 7 1.343 7 3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDatabase.vue"]])},41607:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a2 2 0 012-2h10a2 2 0 012 2v8a2 2 0 01-2 2h-2.22l.123.489.804.804A1 1 0 0113 18H7a1 1 0 01-.707-1.707l.804-.804L7.22 15H5a2 2 0 01-2-2V5zm5.771 7H5V5h10v7H8.771z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDesktopComputer.vue"]])},32219:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a2 2 0 00-2 2v12a2 2 0 002 2h6a2 2 0 002-2V4a2 2 0 00-2-2H7zm3 14a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDeviceMobile.vue"]])},24198:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V4a2 2 0 00-2-2H6zm4 14a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDeviceTablet.vue"]])},88388:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 012-2h4.586A2 2 0 0112 2.586L15.414 6A2 2 0 0116 7.414V16a2 2 0 01-2 2H6a2 2 0 01-2-2V4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocument.vue"]])},2266:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm5 6a1 1 0 10-2 0v2H7a1 1 0 100 2h2v2a1 1 0 102 0v-2h2a1 1 0 100-2h-2V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentAdd.vue"]])},28675:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm5 6a1 1 0 10-2 0v3.586l-1.293-1.293a1 1 0 10-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 11.586V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentDownload.vue"]])},21575:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9 2a2 2 0 00-2 2v8a2 2 0 002 2h6a2 2 0 002-2V6.414A2 2 0 0016.414 5L14 2.586A2 2 0 0012.586 2H9z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 8a2 2 0 012-2v10h8a2 2 0 01-2 2H5a2 2 0 01-2-2V8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentDuplicate.vue"]])},46401:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm1 8a1 1 0 100 2h6a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentRemove.vue"]])},13735:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6 2a2 2 0 00-2 2v12a2 2 0 002 2h8a2 2 0 002-2V7.414A2 2 0 0015.414 6L12 2.586A2 2 0 0010.586 2H6zm2 10a1 1 0 10-2 0v3a1 1 0 102 0v-3zm2-3a1 1 0 011 1v5a1 1 0 11-2 0v-5a1 1 0 011-1zm4-1a1 1 0 10-2 0v7a1 1 0 102 0V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentReport.vue"]])},2844:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M4 4a2 2 0 012-2h4.586A2 2 0 0112 2.586L15.414 6A2 2 0 0116 7.414V16a2 2 0 01-2 2h-1.528A6 6 0 004 9.528V4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 10a4 4 0 00-3.446 6.032l-1.261 1.26a1 1 0 101.414 1.415l1.261-1.261A4 4 0 108 10zm-2 4a2 2 0 114 0 2 2 0 01-4 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentSearch.vue"]])},23412:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 012-2h4.586A2 2 0 0112 2.586L15.414 6A2 2 0 0116 7.414V16a2 2 0 01-2 2H6a2 2 0 01-2-2V4zm2 6a1 1 0 011-1h6a1 1 0 110 2H7a1 1 0 01-1-1zm1 3a1 1 0 100 2h6a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDocumentText.vue"]])},51558:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9H5v2h2V9zm8 0h-2v2h2V9zM9 9h2v2H9V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDotsCircleHorizontal.vue"]])},6487:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M6 10a2 2 0 11-4 0 2 2 0 014 0zM12 10a2 2 0 11-4 0 2 2 0 014 0zM16 12a2 2 0 100-4 2 2 0 000 4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDotsHorizontal.vue"]])},10740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10 6a2 2 0 110-4 2 2 0 010 4zM10 12a2 2 0 110-4 2 2 0 010 4zM10 18a2 2 0 110-4 2 2 0 010 4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDotsVertical.vue"]])},76403:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 17a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm3.293-7.707a1 1 0 011.414 0L9 10.586V3a1 1 0 112 0v7.586l1.293-1.293a1 1 0 111.414 1.414l-3 3a1 1 0 01-1.414 0l-3-3a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDownload.vue"]])},97134:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M7 9a2 2 0 012-2h6a2 2 0 012 2v6a2 2 0 01-2 2H9a2 2 0 01-2-2V9z"},null,-1),(0,o.createElementVNode)("path",{d:"M5 3a2 2 0 00-2 2v6a2 2 0 002 2V5h8a2 2 0 00-2-2H5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidDuplicate.vue"]])},34830:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9a1 1 0 100-2 1 1 0 000 2zm7-1a1 1 0 11-2 0 1 1 0 012 0zm-.464 5.535a1 1 0 10-1.415-1.414 3 3 0 01-4.242 0 1 1 0 00-1.415 1.414 5 5 0 007.072 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEmojiHappy.vue"]])},57747:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9a1 1 0 100-2 1 1 0 000 2zm7-1a1 1 0 11-2 0 1 1 0 012 0zm-7.536 5.879a1 1 0 001.415 0 3 3 0 014.242 0 1 1 0 001.415-1.415 5 5 0 00-7.072 0 1 1 0 000 1.415z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEmojiSad.vue"]])},55905:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8.257 3.099c.765-1.36 2.722-1.36 3.486 0l5.58 9.92c.75 1.334-.213 2.98-1.742 2.98H4.42c-1.53 0-2.493-1.646-1.743-2.98l5.58-9.92zM11 13a1 1 0 11-2 0 1 1 0 012 0zm-1-8a1 1 0 00-1 1v3a1 1 0 002 0V6a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidExclamation.vue"]])},68456:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-7 4a1 1 0 11-2 0 1 1 0 012 0zm-1-9a1 1 0 00-1 1v4a1 1 0 102 0V6a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidExclamationCircle.vue"]])},9341:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M11 3a1 1 0 100 2h2.586l-6.293 6.293a1 1 0 101.414 1.414L15 6.414V9a1 1 0 102 0V4a1 1 0 00-1-1h-5z"},null,-1),(0,o.createElementVNode)("path",{d:"M5 5a2 2 0 00-2 2v8a2 2 0 002 2h8a2 2 0 002-2v-3a1 1 0 10-2 0v3H5V7h3a1 1 0 000-2H5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidExternalLink.vue"]])},25030:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10 12a2 2 0 100-4 2 2 0 000 4z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M.458 10C1.732 5.943 5.522 3 10 3s8.268 2.943 9.542 7c-1.274 4.057-5.064 7-9.542 7S1.732 14.057.458 10zM14 10a4 4 0 11-8 0 4 4 0 018 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEye.vue"]])},10649:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.707 2.293a1 1 0 00-1.414 1.414l14 14a1 1 0 001.414-1.414l-1.473-1.473A10.014 10.014 0 0019.542 10C18.268 5.943 14.478 3 10 3a9.958 9.958 0 00-4.512 1.074l-1.78-1.781zm4.261 4.26l1.514 1.515a2.003 2.003 0 012.45 2.45l1.514 1.514a4 4 0 00-5.478-5.478z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M12.454 16.697L9.75 13.992a4 4 0 01-3.742-3.741L2.335 6.578A9.98 9.98 0 00.458 10c1.274 4.057 5.065 7 9.542 7 .847 0 1.669-.105 2.454-.303z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidEyeOff.vue"]])},3464:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M4.555 5.168A1 1 0 003 6v8a1 1 0 001.555.832L10 11.202V14a1 1 0 001.555.832l6-4a1 1 0 000-1.664l-6-4A1 1 0 0010 6v2.798l-5.445-3.63z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFastForward.vue"]])},66817:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 3a2 2 0 00-2 2v10a2 2 0 002 2h12a2 2 0 002-2V5a2 2 0 00-2-2H4zm3 2h6v4H7V5zm8 8v2h1v-2h-1zm-2-2H7v4h6v-4zm2 0h1V9h-1v2zm1-4V5h-1v2h1zM5 5v2H4V5h1zm0 4H4v2h1V9zm-1 4h1v2H4v-2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFilm.vue"]])},71702:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 011-1h12a1 1 0 011 1v3a1 1 0 01-.293.707L12 11.414V15a1 1 0 01-.293.707l-2 2A1 1 0 018 17v-5.586L3.293 6.707A1 1 0 013 6V3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFilter.vue"]])},97236:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M6.625 2.655A9 9 0 0119 11a1 1 0 11-2 0 7 7 0 00-9.625-6.492 1 1 0 11-.75-1.853zM4.662 4.959A1 1 0 014.75 6.37 6.97 6.97 0 003 11a1 1 0 11-2 0 8.97 8.97 0 012.25-5.953 1 1 0 011.412-.088z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 11a5 5 0 1110 0 1 1 0 11-2 0 3 3 0 10-6 0c0 1.677-.345 3.276-.968 4.729a1 1 0 11-1.838-.789A9.964 9.964 0 005 11zm8.921 2.012a1 1 0 01.831 1.145 19.86 19.86 0 01-.545 2.436 1 1 0 11-1.92-.558c.207-.713.371-1.445.49-2.192a1 1 0 011.144-.83z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 10a1 1 0 011 1c0 2.236-.46 4.368-1.29 6.304a1 1 0 01-1.838-.789A13.952 13.952 0 009 11a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFingerPrint.vue"]])},68423:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.395 2.553a1 1 0 00-1.45-.385c-.345.23-.614.558-.822.88-.214.33-.403.713-.57 1.116-.334.804-.614 1.768-.84 2.734a31.365 31.365 0 00-.613 3.58 2.64 2.64 0 01-.945-1.067c-.328-.68-.398-1.534-.398-2.654A1 1 0 005.05 6.05 6.981 6.981 0 003 11a7 7 0 1011.95-4.95c-.592-.591-.98-.985-1.348-1.467-.363-.476-.724-1.063-1.207-2.03zM12.12 15.12A3 3 0 017 13s.879.5 2.5.5c0-1 .5-4 1.25-4.5.5 1 .786 1.293 1.371 1.879A2.99 2.99 0 0113 13a2.99 2.99 0 01-.879 2.121z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFire.vue"]])},23978:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 6a3 3 0 013-3h10a1 1 0 01.8 1.6L14.25 8l2.55 3.4A1 1 0 0116 13H6a1 1 0 00-1 1v3a1 1 0 11-2 0V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFlag.vue"]])},39761:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolder.vue"]])},28068:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1),(0,o.createElementVNode)("path",{stroke:"#fff","stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 11h4m-2-2v4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderAdd.vue"]])},8527:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1),(0,o.createElementVNode)("path",{stroke:"#fff","stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M10 9v4m0 0l-2-2m2 2l2-2"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderDownload.vue"]])},8111:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 6a2 2 0 012-2h4l2 2h4a2 2 0 012 2v1H8a3 3 0 00-3 3v1.5a1.5 1.5 0 01-3 0V6z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M6 12a2 2 0 012-2h8a2 2 0 012 2v2a2 2 0 01-2 2H2h2a2 2 0 002-2v-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderOpen.vue"]])},76206:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h5l2 2h5a2 2 0 012 2v6a2 2 0 01-2 2H4a2 2 0 01-2-2V6z"},null,-1),(0,o.createElementVNode)("path",{stroke:"#fff","stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M8 11h4"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidFolderRemove.vue"]])},11075:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 5a3 3 0 015-2.236A3 3 0 0114.83 6H16a2 2 0 110 4h-5V9a1 1 0 10-2 0v1H4a2 2 0 110-4h1.17C5.06 5.687 5 5.35 5 5zm4 1V5a1 1 0 10-1 1h1zm3 0a1 1 0 10-1-1v1h1z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M9 11H3v5a2 2 0 002 2h4v-7zM11 18h4a2 2 0 002-2v-5h-6v7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidGift.vue"]])},31571:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM4.332 8.027a6.012 6.012 0 011.912-2.706C6.512 5.73 6.974 6 7.5 6A1.5 1.5 0 019 7.5V8a2 2 0 004 0 2 2 0 011.523-1.943A5.977 5.977 0 0116 10c0 .34-.028.675-.083 1H15a2 2 0 00-2 2v2.197A5.973 5.973 0 0110 16v-2a2 2 0 00-2-2 2 2 0 01-2-2 2 2 0 00-1.668-1.973z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidGlobe.vue"]])},99577:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.083 9h1.946c.089-1.546.383-2.97.837-4.118A6.004 6.004 0 004.083 9zM10 2a8 8 0 100 16 8 8 0 000-16zm0 2c-.076 0-.232.032-.465.262-.238.234-.497.623-.737 1.182-.389.907-.673 2.142-.766 3.556h3.936c-.093-1.414-.377-2.649-.766-3.556-.24-.56-.5-.948-.737-1.182C10.232 4.032 10.076 4 10 4zm3.971 5c-.089-1.546-.383-2.97-.837-4.118A6.004 6.004 0 0115.917 9h-1.946zm-2.003 2H8.032c.093 1.414.377 2.649.766 3.556.24.56.5.948.737 1.182.233.23.389.262.465.262.076 0 .232-.032.465-.262.238-.234.498-.623.737-1.182.389-.907.673-2.142.766-3.556zm1.166 4.118c.454-1.147.748-2.572.837-4.118h1.946a6.004 6.004 0 01-2.783 4.118zm-6.268 0C6.412 13.97 6.118 12.546 6.03 11H4.083a6.004 6.004 0 002.783 4.118z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidGlobeAlt.vue"]])},87835:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 3a1 1 0 012 0v5.5a.5.5 0 001 0V4a1 1 0 112 0v4.5a.5.5 0 001 0V6a1 1 0 112 0v5a7 7 0 11-14 0V9a1 1 0 012 0v2.5a.5.5 0 001 0V4a1 1 0 012 0v4.5a.5.5 0 001 0V3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHand.vue"]])},36332:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.243 3.03a1 1 0 01.727 1.213L9.53 6h2.94l.56-2.243a1 1 0 111.94.486L14.53 6H17a1 1 0 110 2h-2.97l-1 4H15a1 1 0 110 2h-2.47l-.56 2.242a1 1 0 11-1.94-.485L10.47 14H7.53l-.56 2.242a1 1 0 11-1.94-.485L5.47 14H3a1 1 0 110-2h2.97l1-4H5a1 1 0 110-2h2.47l.56-2.243a1 1 0 011.213-.727zM9.03 8l-1 4h2.938l1-4H9.031z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHashtag.vue"]])},78300:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3.172 5.172a4 4 0 015.656 0L10 6.343l1.172-1.171a4 4 0 115.656 5.656L10 17.657l-6.828-6.829a4 4 0 010-5.656z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHeart.vue"]])},87150:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10.707 2.293a1 1 0 00-1.414 0l-7 7a1 1 0 001.414 1.414L4 10.414V17a1 1 0 001 1h2a1 1 0 001-1v-2a1 1 0 011-1h2a1 1 0 011 1v2a1 1 0 001 1h2a1 1 0 001-1v-6.586l.293.293a1 1 0 001.414-1.414l-7-7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidHome.vue"]])},27905:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1 1 0 00-1 1v1a1 1 0 002 0V3a1 1 0 00-1-1zM4 4h3a3 3 0 006 0h3a2 2 0 012 2v9a2 2 0 01-2 2H4a2 2 0 01-2-2V6a2 2 0 012-2zm2.5 7a1.5 1.5 0 100-3 1.5 1.5 0 000 3zm2.45 4a2.5 2.5 0 10-4.9 0h4.9zM12 9a1 1 0 100 2h3a1 1 0 100-2h-3zm-1 4a1 1 0 011-1h2a1 1 0 110 2h-2a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidIdentification.vue"]])},46985:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 3a2 2 0 00-2 2v10a2 2 0 002 2h10a2 2 0 002-2V5a2 2 0 00-2-2H5zm0 2h10v7h-2l-1 2H8l-1-2H5V5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidInbox.vue"]])},70913:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M8.707 7.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l2-2a1 1 0 00-1.414-1.414L11 7.586V3a1 1 0 10-2 0v4.586l-.293-.293z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 5a2 2 0 012-2h1a1 1 0 010 2H5v7h2l1 2h4l1-2h2V5h-1a1 1 0 110-2h1a2 2 0 012 2v10a2 2 0 01-2 2H5a2 2 0 01-2-2V5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidInboxIn.vue"]])},20055:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-7-4a1 1 0 11-2 0 1 1 0 012 0zM9 9a1 1 0 000 2v3a1 1 0 001 1h1a1 1 0 100-2v-3a1 1 0 00-1-1H9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidInformationCircle.vue"]])},4856:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 8a6 6 0 01-7.743 5.743L10 14l-1 1-1 1H6v2H2v-4l4.257-4.257A6 6 0 1118 8zm-6-4a1 1 0 100 2 2 2 0 012 2 1 1 0 102 0 4 4 0 00-4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidKey.vue"]])},30740:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10.496 2.132a1 1 0 00-.992 0l-7 4A1 1 0 003 8v7a1 1 0 100 2h14a1 1 0 100-2V8a1 1 0 00.496-1.868l-7-4zM6 9a1 1 0 00-1 1v3a1 1 0 102 0v-3a1 1 0 00-1-1zm3 1a1 1 0 012 0v3a1 1 0 11-2 0v-3zm5-1a1 1 0 00-1 1v3a1 1 0 102 0v-3a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLibrary.vue"]])},49820:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M11 3a1 1 0 10-2 0v1a1 1 0 102 0V3zM15.657 5.757a1 1 0 00-1.414-1.414l-.707.707a1 1 0 001.414 1.414l.707-.707zM18 10a1 1 0 01-1 1h-1a1 1 0 110-2h1a1 1 0 011 1zM5.05 6.464A1 1 0 106.464 5.05l-.707-.707a1 1 0 00-1.414 1.414l.707.707zM5 10a1 1 0 01-1 1H3a1 1 0 110-2h1a1 1 0 011 1zM8 16v-1h4v1a2 2 0 11-4 0zM12 14c.015-.34.208-.646.477-.859a4 4 0 10-4.954 0c.27.213.462.519.476.859h4.002z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLightBulb.vue"]])},65175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M11.3 1.046A1 1 0 0112 2v5h4a1 1 0 01.82 1.573l-7 10A1 1 0 018 18v-5H4a1 1 0 01-.82-1.573l7-10a1 1 0 011.12-.38z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLightningBolt.vue"]])},48866:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12.586 4.586a2 2 0 112.828 2.828l-3 3a2 2 0 01-2.828 0 1 1 0 00-1.414 1.414 4 4 0 005.656 0l3-3a4 4 0 00-5.656-5.656l-1.5 1.5a1 1 0 101.414 1.414l1.5-1.5zm-5 5a2 2 0 012.828 0 1 1 0 101.414-1.414 4 4 0 00-5.656 0l-3 3a4 4 0 105.656 5.656l1.5-1.5a1 1 0 10-1.414-1.414l-1.5 1.5a2 2 0 11-2.828-2.828l3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLink.vue"]])},9539:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.05 4.05a7 7 0 119.9 9.9L10 18.9l-4.95-4.95a7 7 0 010-9.9zM10 11a2 2 0 100-4 2 2 0 000 4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLocationMarker.vue"]])},28337:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 9V7a5 5 0 0110 0v2a2 2 0 012 2v5a2 2 0 01-2 2H5a2 2 0 01-2-2v-5a2 2 0 012-2zm8-2v2H7V7a3 3 0 016 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLockClosed.vue"]])},9059:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10 2a5 5 0 00-5 5v2a2 2 0 00-2 2v5a2 2 0 002 2h10a2 2 0 002-2v-5a2 2 0 00-2-2H7V7a3 3 0 015.905-.75 1 1 0 001.937-.5A5.002 5.002 0 0010 2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLockOpen.vue"]])},26189:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 011 1v12a1 1 0 11-2 0V4a1 1 0 011-1zm7.707 3.293a1 1 0 010 1.414L9.414 9H17a1 1 0 110 2H9.414l1.293 1.293a1 1 0 01-1.414 1.414l-3-3a1 1 0 010-1.414l3-3a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLogin.vue"]])},93686:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 00-1 1v12a1 1 0 102 0V4a1 1 0 00-1-1zm10.293 9.293a1 1 0 001.414 1.414l3-3a1 1 0 000-1.414l-3-3a1 1 0 10-1.414 1.414L14.586 9H7a1 1 0 100 2h7.586l-1.293 1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidLogout.vue"]])},24231:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2.003 5.884L10 9.882l7.997-3.998A2 2 0 0016 4H4a2 2 0 00-1.997 1.884z"},null,-1),(0,o.createElementVNode)("path",{d:"M18 8.118l-8 4-8-4V14a2 2 0 002 2h12a2 2 0 002-2V8.118z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMail.vue"]])},3099:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.94 6.412A2 2 0 002 8.108V16a2 2 0 002 2h12a2 2 0 002-2V8.108a2 2 0 00-.94-1.696l-6-3.75a2 2 0 00-2.12 0l-6 3.75zm2.615 2.423a1 1 0 10-1.11 1.664l5 3.333a1 1 0 001.11 0l5-3.333a1 1 0 00-1.11-1.664L10 11.798 5.555 8.835z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMailOpen.vue"]])},12346:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 1.586l-4 4v12.828l4-4V1.586zM3.707 3.293A1 1 0 002 4v10a1 1 0 00.293.707L6 18.414V5.586L3.707 3.293zM17.707 5.293L14 1.586v12.828l2.293 2.293A1 1 0 0018 16V6a1 1 0 00-.293-.707z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMap.vue"]])},22990:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 15a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenu.vue"]])},63138:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h6a1 1 0 110 2H4a1 1 0 01-1-1zM3 15a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt1.vue"]])},22381:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 15a1 1 0 011-1h6a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt2.vue"]])},97336:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 5a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 10a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM9 15a1 1 0 011-1h6a1 1 0 110 2h-6a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt3.vue"]])},85501:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 7a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM3 13a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMenuAlt4.vue"]])},16584:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 4a3 3 0 016 0v4a3 3 0 11-6 0V4zm4 10.93A7.001 7.001 0 0017 8a1 1 0 10-2 0A5 5 0 015 8a1 1 0 00-2 0 7.001 7.001 0 006 6.93V17H6a1 1 0 100 2h8a1 1 0 100-2h-3v-2.07z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMicrophone.vue"]])},57618:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 10a1 1 0 011-1h8a1 1 0 110 2H6a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMinus.vue"]])},96440:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM7 9a1 1 0 000 2h6a1 1 0 100-2H7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMinusCircle.vue"]])},13131:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M17.293 13.293A8 8 0 016.707 2.707a8.001 8.001 0 1010.586 10.586z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMoon.vue"]])},53023:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M18 3a1 1 0 00-1.196-.98l-10 2A1 1 0 006 5v9.114A4.369 4.369 0 005 14c-1.657 0-3 .895-3 2s1.343 2 3 2 3-.895 3-2V7.82l8-1.6v5.894A4.37 4.37 0 0015 12c-1.657 0-3 .895-3 2s1.343 2 3 2 3-.895 3-2V3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidMusicNote.vue"]])},32349:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 5a2 2 0 012-2h8a2 2 0 012 2v10a2 2 0 002 2H4a2 2 0 01-2-2V5zm3 1h6v4H5V6zm6 6H5v2h6v-2z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M15 7h1a2 2 0 012 2v5.5a1.5 1.5 0 01-3 0V7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidNewspaper.vue"]])},57425:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 4a2 2 0 012-2h8a2 2 0 012 2v12a1 1 0 110 2h-3a1 1 0 01-1-1v-2a1 1 0 00-1-1H9a1 1 0 00-1 1v2a1 1 0 01-1 1H4a1 1 0 110-2V4zm3 1h2v2H7V5zm2 4H7v2h2V9zm2-4h2v2h-2V5zm2 4h-2v2h2V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidOfficeBuilding.vue"]])},91539:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M10.894 2.553a1 1 0 00-1.788 0l-7 14a1 1 0 001.169 1.409l5-1.429A1 1 0 009 15.571V11a1 1 0 112 0v4.571a1 1 0 00.725.962l5 1.428a1 1 0 001.17-1.408l-7-14z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPaperAirplane.vue"]])},2976:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 4a3 3 0 00-3 3v4a5 5 0 0010 0V7a1 1 0 112 0v4a7 7 0 11-14 0V7a5 5 0 0110 0v4a3 3 0 11-6 0V7a1 1 0 012 0v4a1 1 0 102 0V7a3 3 0 00-3-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPaperClip.vue"]])},47519:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zM7 8a1 1 0 012 0v4a1 1 0 11-2 0V8zm5-1a1 1 0 00-1 1v4a1 1 0 102 0V8a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPause.vue"]])},13808:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M13.586 3.586a2 2 0 112.828 2.828l-.793.793-2.828-2.828.793-.793zM11.379 5.793L3 14.172V17h2.828l8.38-8.379-2.83-2.828z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPencil.vue"]])},97015:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M17.414 2.586a2 2 0 00-2.828 0L7 10.172V13h2.828l7.586-7.586a2 2 0 000-2.828z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 6a2 2 0 012-2h4a1 1 0 010 2H4v10h10v-4a1 1 0 112 0v4a2 2 0 01-2 2H4a2 2 0 01-2-2V6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPencilAlt.vue"]])},60744:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhone.vue"]])},35144:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M14.414 7l3.293-3.293a1 1 0 00-1.414-1.414L13 5.586V4a1 1 0 10-2 0v4.003a.996.996 0 00.617.921A.997.997 0 0012 9h4a1 1 0 100-2h-1.586z"},null,-1),(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhoneIncoming.vue"]])},66405:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1),(0,o.createElementVNode)("path",{d:"M16.707 3.293a1 1 0 010 1.414L15.414 6l1.293 1.293a1 1 0 01-1.414 1.414L14 7.414l-1.293 1.293a1 1 0 11-1.414-1.414L12.586 6l-1.293-1.293a1 1 0 011.414-1.414L14 4.586l1.293-1.293a1 1 0 011.414 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhoneMissedCall.vue"]])},59425:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M17.924 2.617a.997.997 0 00-.215-.322l-.004-.004A.997.997 0 0017 2h-4a1 1 0 100 2h1.586l-3.293 3.293a1 1 0 001.414 1.414L16 5.414V7a1 1 0 102 0V3a.997.997 0 00-.076-.383z"},null,-1),(0,o.createElementVNode)("path",{d:"M2 3a1 1 0 011-1h2.153a1 1 0 01.986.836l.74 4.435a1 1 0 01-.54 1.06l-1.548.773a11.037 11.037 0 006.105 6.105l.774-1.548a1 1 0 011.059-.54l4.435.74a1 1 0 01.836.986V17a1 1 0 01-1 1h-2C7.82 18 2 12.18 2 5V3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhoneOutgoing.vue"]])},16792:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 3a2 2 0 00-2 2v10a2 2 0 002 2h12a2 2 0 002-2V5a2 2 0 00-2-2H4zm12 12H4l4-8 3 6 2-4 3 6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPhotograph.vue"]])},84996:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM9.555 7.168A1 1 0 008 8v4a1 1 0 001.555.832l3-2a1 1 0 000-1.664l-3-2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPlay.vue"]])},85548:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 5a1 1 0 011 1v3h3a1 1 0 110 2h-3v3a1 1 0 11-2 0v-3H6a1 1 0 110-2h3V6a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPlus.vue"]])},5337:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-11a1 1 0 10-2 0v2H7a1 1 0 100 2h2v2a1 1 0 102 0v-2h2a1 1 0 100-2h-2V7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPlusCircle.vue"]])},63152:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 000 2v8a2 2 0 002 2h2.586l-1.293 1.293a1 1 0 101.414 1.414L10 15.414l2.293 2.293a1 1 0 001.414-1.414L12.414 15H15a2 2 0 002-2V5a1 1 0 100-2H3zm11 4a1 1 0 10-2 0v4a1 1 0 102 0V7zm-3 1a1 1 0 10-2 0v3a1 1 0 102 0V8zM8 9a1 1 0 00-2 0v2a1 1 0 102 0V9z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPresentationChartBar.vue"]])},9945:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 3a1 1 0 000 2v8a2 2 0 002 2h2.586l-1.293 1.293a1 1 0 101.414 1.414L10 15.414l2.293 2.293a1 1 0 001.414-1.414L12.414 15H15a2 2 0 002-2V5a1 1 0 100-2H3zm11.707 4.707a1 1 0 00-1.414-1.414L10 9.586 8.707 8.293a1 1 0 00-1.414 0l-2 2a1 1 0 101.414 1.414L8 10.414l1.293 1.293a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPresentationChartLine.vue"]])},95198:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4v3H4a2 2 0 00-2 2v3a2 2 0 002 2h1v2a2 2 0 002 2h6a2 2 0 002-2v-2h1a2 2 0 002-2V9a2 2 0 00-2-2h-1V4a2 2 0 00-2-2H7a2 2 0 00-2 2zm8 0H7v3h6V4zm0 8H7v4h6v-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPrinter.vue"]])},9302:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M10 3.5a1.5 1.5 0 013 0V4a1 1 0 001 1h3a1 1 0 011 1v3a1 1 0 01-1 1h-.5a1.5 1.5 0 000 3h.5a1 1 0 011 1v3a1 1 0 01-1 1h-3a1 1 0 01-1-1v-.5a1.5 1.5 0 00-3 0v.5a1 1 0 01-1 1H6a1 1 0 01-1-1v-3a1 1 0 00-1-1h-.5a1.5 1.5 0 010-3H4a1 1 0 001-1V6a1 1 0 011-1h3a1 1 0 001-1v-.5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidPuzzle.vue"]])},93944:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4a1 1 0 011-1h3a1 1 0 011 1v3a1 1 0 01-1 1H4a1 1 0 01-1-1V4zm2 2V5h1v1H5zM3 13a1 1 0 011-1h3a1 1 0 011 1v3a1 1 0 01-1 1H4a1 1 0 01-1-1v-3zm2 2v-1h1v1H5zM13 3a1 1 0 00-1 1v3a1 1 0 001 1h3a1 1 0 001-1V4a1 1 0 00-1-1h-3zm1 2v1h1V5h-1z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M11 4a1 1 0 10-2 0v1a1 1 0 002 0V4zM10 7a1 1 0 011 1v1h2a1 1 0 110 2h-3a1 1 0 01-1-1V8a1 1 0 011-1zM16 9a1 1 0 100 2 1 1 0 000-2zM9 13a1 1 0 011-1h1a1 1 0 110 2v2a1 1 0 11-2 0v-3zM7 11a1 1 0 100-2H4a1 1 0 100 2h3zM17 13a1 1 0 01-1 1h-2a1 1 0 110-2h2a1 1 0 011 1zM16 17a1 1 0 100-2h-3a1 1 0 100 2h3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidQrcode.vue"]])},54686:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-8-3a1 1 0 00-.867.5 1 1 0 11-1.731-1A3 3 0 0113 8a3.001 3.001 0 01-2 2.83V11a1 1 0 11-2 0v-1a1 1 0 011-1 1 1 0 100-2zm0 8a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidQuestionMarkCircle.vue"]])},92464:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2a2 2 0 00-2 2v14l3.5-2 3.5 2 3.5-2 3.5 2V4a2 2 0 00-2-2H5zm4.707 3.707a1 1 0 00-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L8.414 9H10a3 3 0 013 3v1a1 1 0 102 0v-1a5 5 0 00-5-5H8.414l1.293-1.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidReceiptRefund.vue"]])},28219:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2a2 2 0 00-2 2v14l3.5-2 3.5 2 3.5-2 3.5 2V4a2 2 0 00-2-2H5zm2.5 3a1.5 1.5 0 100 3 1.5 1.5 0 000-3zm6.207.293a1 1 0 00-1.414 0l-6 6a1 1 0 101.414 1.414l6-6a1 1 0 000-1.414zM12.5 10a1.5 1.5 0 100 3 1.5 1.5 0 000-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidReceiptTax.vue"]])},80957:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4 2a1 1 0 011 1v2.101a7.002 7.002 0 0111.601 2.566 1 1 0 11-1.885.666A5.002 5.002 0 005.999 7H9a1 1 0 010 2H4a1 1 0 01-1-1V3a1 1 0 011-1zm.008 9.057a1 1 0 011.276.61A5.002 5.002 0 0014.001 13H11a1 1 0 110-2h5a1 1 0 011 1v5a1 1 0 11-2 0v-2.101a7.002 7.002 0 01-11.601-2.566 1 1 0 01.61-1.276z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidRefresh.vue"]])},42009:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7.707 3.293a1 1 0 010 1.414L5.414 7H11a7 7 0 017 7v2a1 1 0 11-2 0v-2a5 5 0 00-5-5H5.414l2.293 2.293a1 1 0 11-1.414 1.414l-4-4a1 1 0 010-1.414l4-4a1 1 0 011.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidReply.vue"]])},39009:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8.445 14.832A1 1 0 0010 14v-2.798l5.445 3.63A1 1 0 0017 14V6a1 1 0 00-1.555-.832L10 8.798V6a1 1 0 00-1.555-.832l-6 4a1 1 0 000 1.664l6 4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidRewind.vue"]])},19988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 3a1 1 0 000 2c5.523 0 10 4.477 10 10a1 1 0 102 0C17 8.373 11.627 3 5 3z"},null,-1),(0,o.createElementVNode)("path",{d:"M4 9a1 1 0 011-1 7 7 0 017 7 1 1 0 11-2 0 5 5 0 00-5-5 1 1 0 01-1-1zM3 15a2 2 0 114 0 2 2 0 01-4 0z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidRss.vue"]])},92832:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M7.707 10.293a1 1 0 10-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L11 11.586V6h5a2 2 0 012 2v7a2 2 0 01-2 2H4a2 2 0 01-2-2V8a2 2 0 012-2h5v5.586l-1.293-1.293zM9 4a1 1 0 012 0v2H9V4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSave.vue"]])},24547:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9.707 7.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L13 8.586V5h3a2 2 0 012 2v5a2 2 0 01-2 2H8a2 2 0 01-2-2V7a2 2 0 012-2h3v3.586L9.707 7.293zM11 3a1 1 0 112 0v2h-2V3z"},null,-1),(0,o.createElementVNode)("path",{d:"M4 9a2 2 0 00-2 2v5a2 2 0 002 2h8a2 2 0 002-2H4V9z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSaveAs.vue"]])},63646:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1 1 0 011 1v1.323l3.954 1.582 1.599-.8a1 1 0 01.894 1.79l-1.233.616 1.738 5.42a1 1 0 01-.285 1.05A3.989 3.989 0 0115 15a3.989 3.989 0 01-2.667-1.019 1 1 0 01-.285-1.05l1.715-5.349L11 6.477V16h2a1 1 0 110 2H7a1 1 0 110-2h2V6.477L6.237 7.582l1.715 5.349a1 1 0 01-.285 1.05A3.989 3.989 0 015 15a3.989 3.989 0 01-2.667-1.019 1 1 0 01-.285-1.05l1.738-5.42-1.233-.617a1 1 0 01.894-1.788l1.599.799L9 4.323V3a1 1 0 011-1zm-5 8.274l-.818 2.552c.25.112.526.174.818.174.292 0 .569-.062.818-.174L5 10.274zm10 0l-.818 2.552c.25.112.526.174.818.174.292 0 .569-.062.818-.174L15 10.274z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidScale.vue"]])},18381:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.5 2a3.5 3.5 0 101.665 6.58L8.585 10l-1.42 1.42a3.5 3.5 0 101.414 1.414l8.128-8.127a1 1 0 00-1.414-1.414L10 8.586l-1.42-1.42A3.5 3.5 0 005.5 2zM4 5.5a1.5 1.5 0 113 0 1.5 1.5 0 01-3 0zm0 9a1.5 1.5 0 113 0 1.5 1.5 0 01-3 0z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{d:"M12.828 11.414a1 1 0 00-1.414 1.414l3.879 3.88a1 1 0 001.414-1.415l-3.879-3.879z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidScissors.vue"]])},92656:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 4a4 4 0 100 8 4 4 0 000-8zM2 8a6 6 0 1110.89 3.476l4.817 4.817a1 1 0 01-1.414 1.414l-4.816-4.816A6 6 0 012 8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSearch.vue"]])},19932:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M9 9a2 2 0 114 0 2 2 0 01-4 0z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zm1-13a4 4 0 00-3.446 6.032l-2.261 2.26a1 1 0 101.414 1.415l2.261-2.261A4 4 0 1011 5z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSearchCircle.vue"]])},95549:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 3a1 1 0 01.707.293l3 3a1 1 0 01-1.414 1.414L10 5.414 7.707 7.707a1 1 0 01-1.414-1.414l3-3A1 1 0 0110 3zm-3.707 9.293a1 1 0 011.414 0L10 14.586l2.293-2.293a1 1 0 011.414 1.414l-3 3a1 1 0 01-1.414 0l-3-3a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSelector.vue"]])},70362:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 5a2 2 0 012-2h12a2 2 0 012 2v2a2 2 0 01-2 2H4a2 2 0 01-2-2V5zm14 1a1 1 0 11-2 0 1 1 0 012 0zM2 13a2 2 0 012-2h12a2 2 0 012 2v2a2 2 0 01-2 2H4a2 2 0 01-2-2v-2zm14 1a1 1 0 11-2 0 1 1 0 012 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidServer.vue"]])},27722:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M15 8a3 3 0 10-2.977-2.63l-4.94 2.47a3 3 0 100 4.319l4.94 2.47a3 3 0 10.895-1.789l-4.94-2.47a3.027 3.027 0 000-.74l4.94-2.47C13.456 7.68 14.19 8 15 8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShare.vue"]])},76532:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2.166 4.999A11.954 11.954 0 0010 1.944 11.954 11.954 0 0017.834 5c.11.65.166 1.32.166 2.001 0 5.225-3.34 9.67-8 11.317C5.34 16.67 2 12.225 2 7c0-.682.057-1.35.166-2.001zm11.541 3.708a1 1 0 00-1.414-1.414L9 10.586 7.707 9.293a1 1 0 00-1.414 1.414l2 2a1 1 0 001.414 0l4-4z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShieldCheck.vue"]])},57909:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 1.944A11.954 11.954 0 012.166 5C2.056 5.649 2 6.319 2 7c0 5.225 3.34 9.67 8 11.317C14.66 16.67 18 12.225 18 7c0-.682-.057-1.35-.166-2.001A11.954 11.954 0 0110 1.944zM11 14a1 1 0 11-2 0 1 1 0 012 0zm0-7a1 1 0 10-2 0v3a1 1 0 102 0V7z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShieldExclamation.vue"]])},76354:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a4 4 0 00-4 4v1H5a1 1 0 00-.994.89l-1 9A1 1 0 004 18h12a1 1 0 00.994-1.11l-1-9A1 1 0 0015 7h-1V6a4 4 0 00-4-4zm2 5V6a2 2 0 10-4 0v1h4zm-6 3a1 1 0 112 0 1 1 0 01-2 0zm7-1a1 1 0 100 2 1 1 0 000-2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShoppingBag.vue"]])},76137:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M3 1a1 1 0 000 2h1.22l.305 1.222a.997.997 0 00.01.042l1.358 5.43-.893.892C3.74 11.846 4.632 14 6.414 14H15a1 1 0 000-2H6.414l1-1H14a1 1 0 00.894-.553l3-6A1 1 0 0017 3H6.28l-.31-1.243A1 1 0 005 1H3zM16 16.5a1.5 1.5 0 11-3 0 1.5 1.5 0 013 0zM6.5 18a1.5 1.5 0 100-3 1.5 1.5 0 000 3z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidShoppingCart.vue"]])},56733:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M3 3a1 1 0 000 2h11a1 1 0 100-2H3zM3 7a1 1 0 000 2h5a1 1 0 000-2H3zM3 11a1 1 0 100 2h4a1 1 0 100-2H3zM13 16a1 1 0 102 0v-5.586l1.293 1.293a1 1 0 001.414-1.414l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 101.414 1.414L13 10.414V16z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSortAscending.vue"]])},703:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M3 3a1 1 0 000 2h11a1 1 0 100-2H3zM3 7a1 1 0 000 2h7a1 1 0 100-2H3zM3 11a1 1 0 100 2h4a1 1 0 100-2H3zM15 8a1 1 0 10-2 0v5.586l-1.293-1.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L15 13.586V8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSortDescending.vue"]])},36958:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 2a1 1 0 011 1v1h1a1 1 0 010 2H6v1a1 1 0 01-2 0V6H3a1 1 0 010-2h1V3a1 1 0 011-1zm0 10a1 1 0 011 1v1h1a1 1 0 110 2H6v1a1 1 0 11-2 0v-1H3a1 1 0 110-2h1v-1a1 1 0 011-1zM12 2a1 1 0 01.967.744L14.146 7.2 17.5 9.134a1 1 0 010 1.732l-3.354 1.935-1.18 4.455a1 1 0 01-1.933 0L9.854 12.8 6.5 10.866a1 1 0 010-1.732l3.354-1.935 1.18-4.455A1 1 0 0112 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSparkles.vue"]])},855:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 3a1 1 0 00-1.447-.894L8.763 6H5a3 3 0 000 6h.28l1.771 5.316A1 1 0 008 18h1a1 1 0 001-1v-4.382l6.553 3.276A1 1 0 0018 15V3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSpeakerphone.vue"]])},43471:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9.049 2.927c.3-.921 1.603-.921 1.902 0l1.07 3.292a1 1 0 00.95.69h3.462c.969 0 1.371 1.24.588 1.81l-2.8 2.034a1 1 0 00-.364 1.118l1.07 3.292c.3.921-.755 1.688-1.54 1.118l-2.8-2.034a1 1 0 00-1.175 0l-2.8 2.034c-.784.57-1.838-.197-1.539-1.118l1.07-3.292a1 1 0 00-.364-1.118L2.98 8.72c-.783-.57-.38-1.81.588-1.81h3.461a1 1 0 00.951-.69l1.07-3.292z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStar.vue"]])},51609:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M3.707 2.293a1 1 0 00-1.414 1.414l6.921 6.922c.05.062.105.118.168.167l6.91 6.911a1 1 0 001.415-1.414l-.675-.675a9.001 9.001 0 00-.668-11.982A1 1 0 1014.95 5.05a7.002 7.002 0 01.657 9.143l-1.435-1.435a5.002 5.002 0 00-.636-6.294A1 1 0 0012.12 7.88c.924.923 1.12 2.3.587 3.415l-1.992-1.992a.922.922 0 00-.018-.018l-6.99-6.991zM3.238 8.187a1 1 0 00-1.933-.516c-.8 3-.025 6.336 2.331 8.693a1 1 0 001.414-1.415 6.997 6.997 0 01-1.812-6.762zM7.4 11.5a1 1 0 10-1.73 1c.214.371.48.72.795 1.035a1 1 0 001.414-1.414c-.191-.191-.35-.4-.478-.622z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStatusOffline.vue"]])},41800:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5.05 3.636a1 1 0 010 1.414 7 7 0 000 9.9 1 1 0 11-1.414 1.414 9 9 0 010-12.728 1 1 0 011.414 0zm9.9 0a1 1 0 011.414 0 9 9 0 010 12.728 1 1 0 11-1.414-1.414 7 7 0 000-9.9 1 1 0 010-1.414zM7.879 6.464a1 1 0 010 1.414 3 3 0 000 4.243 1 1 0 11-1.415 1.414 5 5 0 010-7.07 1 1 0 011.415 0zm4.242 0a1 1 0 011.415 0 5 5 0 010 7.072 1 1 0 01-1.415-1.415 3 3 0 000-4.242 1 1 0 010-1.415zM10 9a1 1 0 011 1v.01a1 1 0 11-2 0V10a1 1 0 011-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStatusOnline.vue"]])},10612:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM8 7a1 1 0 00-1 1v4a1 1 0 001 1h4a1 1 0 001-1V8a1 1 0 00-1-1H8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidStop.vue"]])},25122:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 2a1 1 0 011 1v1a1 1 0 11-2 0V3a1 1 0 011-1zm4 8a4 4 0 11-8 0 4 4 0 018 0zm-.464 4.95l.707.707a1 1 0 001.414-1.414l-.707-.707a1 1 0 00-1.414 1.414zm2.12-10.607a1 1 0 010 1.414l-.706.707a1 1 0 11-1.414-1.414l.707-.707a1 1 0 011.414 0zM17 11a1 1 0 100-2h-1a1 1 0 100 2h1zm-7 4a1 1 0 011 1v1a1 1 0 11-2 0v-1a1 1 0 011-1zM5.05 6.464A1 1 0 106.465 5.05l-.708-.707a1 1 0 00-1.414 1.414l.707.707zm1.414 8.486l-.707.707a1 1 0 01-1.414-1.414l.707-.707a1 1 0 011.414 1.414zM4 11a1 1 0 100-2H3a1 1 0 000 2h1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSun.vue"]])},83419:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-2 0c0 .993-.241 1.929-.668 2.754l-1.524-1.525a3.997 3.997 0 00.078-2.183l1.562-1.562C15.802 8.249 16 9.1 16 10zm-5.165 3.913l1.58 1.58A5.98 5.98 0 0110 16a5.976 5.976 0 01-2.516-.552l1.562-1.562a4.006 4.006 0 001.789.027zm-4.677-2.796a4.002 4.002 0 01-.041-2.08l-.08.08-1.53-1.533A5.98 5.98 0 004 10c0 .954.223 1.856.619 2.657l1.54-1.54zm1.088-6.45A5.974 5.974 0 0110 4c.954 0 1.856.223 2.657.619l-1.54 1.54a4.002 4.002 0 00-2.346.033L7.246 4.668zM12 10a2 2 0 11-4 0 2 2 0 014 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSupport.vue"]])},94174:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8 5a1 1 0 100 2h5.586l-1.293 1.293a1 1 0 001.414 1.414l3-3a1 1 0 000-1.414l-3-3a1 1 0 10-1.414 1.414L13.586 5H8zM12 15a1 1 0 100-2H6.414l1.293-1.293a1 1 0 10-1.414-1.414l-3 3a1 1 0 000 1.414l3 3a1 1 0 001.414-1.414L6.414 15H12z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSwitchHorizontal.vue"]])},24028:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 12a1 1 0 102 0V6.414l1.293 1.293a1 1 0 001.414-1.414l-3-3a1 1 0 00-1.414 0l-3 3a1 1 0 001.414 1.414L5 6.414V12zM15 8a1 1 0 10-2 0v5.586l-1.293-1.293a1 1 0 00-1.414 1.414l3 3a1 1 0 001.414 0l3-3a1 1 0 00-1.414-1.414L15 13.586V8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidSwitchVertical.vue"]])},34120:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 4a3 3 0 00-3 3v6a3 3 0 003 3h10a3 3 0 003-3V7a3 3 0 00-3-3H5zm-1 9v-1h5v2H5a1 1 0 01-1-1zm7 1h4a1 1 0 001-1v-1h-5v2zm0-4h5V8h-5v2zM9 8H4v2h5V8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTable.vue"]])},89237:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.707 9.293a1 1 0 010 1.414l-7 7a1 1 0 01-1.414 0l-7-7A.997.997 0 012 10V5a3 3 0 013-3h5c.256 0 .512.098.707.293l7 7zM5 6a1 1 0 100-2 1 1 0 000 2z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTag.vue"]])},6250:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M3 4a1 1 0 011-1h12a1 1 0 011 1v2a1 1 0 01-1 1H4a1 1 0 01-1-1V4zM3 10a1 1 0 011-1h6a1 1 0 011 1v6a1 1 0 01-1 1H4a1 1 0 01-1-1v-6zM14 9a1 1 0 00-1 1v6a1 1 0 001 1h2a1 1 0 001-1v-6a1 1 0 00-1-1h-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTemplate.vue"]])},98354:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 5a2 2 0 012-2h12a2 2 0 012 2v10a2 2 0 01-2 2H4a2 2 0 01-2-2V5zm3.293 1.293a1 1 0 011.414 0l3 3a1 1 0 010 1.414l-3 3a1 1 0 01-1.414-1.414L7.586 10 5.293 7.707a1 1 0 010-1.414zM11 12a1 1 0 100 2h3a1 1 0 100-2h-3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTerminal.vue"]])},58544:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M18 9.5a1.5 1.5 0 11-3 0v-6a1.5 1.5 0 013 0v6zM14 9.667v-5.43a2 2 0 00-1.105-1.79l-.05-.025A4 4 0 0011.055 2H5.64a2 2 0 00-1.962 1.608l-1.2 6A2 2 0 004.44 12H8v4a2 2 0 002 2 1 1 0 001-1v-.667a4 4 0 01.8-2.4l1.4-1.866a4 4 0 00.8-2.4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidThumbDown.vue"]])},91738:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 10.5a1.5 1.5 0 113 0v6a1.5 1.5 0 01-3 0v-6zM6 10.333v5.43a2 2 0 001.106 1.79l.05.025A4 4 0 008.943 18h5.416a2 2 0 001.962-1.608l1.2-6A2 2 0 0015.56 8H12V4a2 2 0 00-2-2 1 1 0 00-1 1v.667a4 4 0 01-.8 2.4L6.8 7.933a4 4 0 00-.8 2.4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidThumbUp.vue"]])},20326:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h12a2 2 0 012 2v2a2 2 0 100 4v2a2 2 0 01-2 2H4a2 2 0 01-2-2v-2a2 2 0 100-4V6z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTicket.vue"]])},24651:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M7 2a1 1 0 011 1v1h3a1 1 0 110 2H9.578a18.87 18.87 0 01-1.724 4.78c.29.354.596.696.914 1.026a1 1 0 11-1.44 1.389c-.188-.196-.373-.396-.554-.6a19.098 19.098 0 01-3.107 3.567 1 1 0 01-1.334-1.49 17.087 17.087 0 003.13-3.733 18.992 18.992 0 01-1.487-2.494 1 1 0 111.79-.89c.234.47.489.928.764 1.372.417-.934.752-1.913.997-2.927H3a1 1 0 110-2h3V3a1 1 0 011-1zm6 6a1 1 0 01.894.553l2.991 5.982a.869.869 0 01.02.037l.99 1.98a1 1 0 11-1.79.895L15.383 16h-4.764l-.724 1.447a1 1 0 11-1.788-.894l.99-1.98.019-.038 2.99-5.982A1 1 0 0113 8zm-1.382 6h2.764L13 11.236 11.618 14z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTranslate.vue"]])},66786:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9 2a1 1 0 00-.894.553L7.382 4H4a1 1 0 000 2v10a2 2 0 002 2h8a2 2 0 002-2V6a1 1 0 100-2h-3.382l-.724-1.447A1 1 0 0011 2H9zM7 8a1 1 0 012 0v6a1 1 0 11-2 0V8zm5-1a1 1 0 00-1 1v6a1 1 0 102 0V8a1 1 0 00-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTrash.vue"]])},81036:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 13a1 1 0 100 2h5a1 1 0 001-1V9a1 1 0 10-2 0v2.586l-4.293-4.293a1 1 0 00-1.414 0L8 9.586 3.707 5.293a1 1 0 00-1.414 1.414l5 5a1 1 0 001.414 0L11 9.414 14.586 13H12z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTrendingDown.vue"]])},77333:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M12 7a1 1 0 110-2h5a1 1 0 011 1v5a1 1 0 11-2 0V8.414l-4.293 4.293a1 1 0 01-1.414 0L8 10.414l-4.293 4.293a1 1 0 01-1.414-1.414l5-5a1 1 0 011.414 0L11 10.586 14.586 7H12z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTrendingUp.vue"]])},99507:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M8 16.5a1.5 1.5 0 11-3 0 1.5 1.5 0 013 0zM15 16.5a1.5 1.5 0 11-3 0 1.5 1.5 0 013 0z"},null,-1),(0,o.createElementVNode)("path",{d:"M3 4a1 1 0 00-1 1v10a1 1 0 001 1h1.05a2.5 2.5 0 014.9 0H10a1 1 0 001-1V5a1 1 0 00-1-1H3zM14 7a1 1 0 00-1 1v6.05A2.5 2.5 0 0115.95 16H17a1 1 0 001-1v-5a1 1 0 00-.293-.707l-2-2A1 1 0 0015 7h-1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidTruck.vue"]])},92019:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 17a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zM6.293 6.707a1 1 0 010-1.414l3-3a1 1 0 011.414 0l3 3a1 1 0 01-1.414 1.414L11 5.414V13a1 1 0 11-2 0V5.414L7.707 6.707a1 1 0 01-1.414 0z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUpload.vue"]])},23162:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 9a3 3 0 100-6 3 3 0 000 6zm-7 9a7 7 0 1114 0H3z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUser.vue"]])},53592:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M8 9a3 3 0 100-6 3 3 0 000 6zM8 11a6 6 0 016 6H2a6 6 0 016-6zM16 7a1 1 0 10-2 0v1h-1a1 1 0 100 2h1v1a1 1 0 102 0v-1h1a1 1 0 100-2h-1V7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserAdd.vue"]])},63981:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M18 10a8 8 0 11-16 0 8 8 0 0116 0zm-6-3a2 2 0 11-4 0 2 2 0 014 0zm-2 4a5 5 0 00-4.546 2.916A5.986 5.986 0 0010 16a5.986 5.986 0 004.546-2.084A5 5 0 0010 11z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserCircle.vue"]])},8779:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M13 6a3 3 0 11-6 0 3 3 0 016 0zM18 8a2 2 0 11-4 0 2 2 0 014 0zM14 15a4 4 0 00-8 0v3h8v-3zM6 8a2 2 0 11-4 0 2 2 0 014 0zM16 18v-3a5.972 5.972 0 00-.75-2.906A3.005 3.005 0 0119 15v3h-3zM4.75 12.094A5.973 5.973 0 004 15v3H1v-3a3 3 0 013.75-2.906z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserGroup.vue"]])},35396:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M11 6a3 3 0 11-6 0 3 3 0 016 0zM14 17a6 6 0 00-12 0h12zM13 8a1 1 0 100 2h4a1 1 0 100-2h-4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUserRemove.vue"]])},46611:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M9 6a3 3 0 11-6 0 3 3 0 016 0zM17 6a3 3 0 11-6 0 3 3 0 016 0zM12.93 17c.046-.327.07-.66.07-1a6.97 6.97 0 00-1.5-4.33A5 5 0 0119 16v1h-6.07zM6 11a5 5 0 015 5v1H1v-1a5 5 0 015-5z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidUsers.vue"]])},56444:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.649 3.084A1 1 0 015.163 4.4 13.95 13.95 0 004 10c0 1.993.416 3.886 1.164 5.6a1 1 0 01-1.832.8A15.95 15.95 0 012 10c0-2.274.475-4.44 1.332-6.4a1 1 0 011.317-.516zM12.96 7a3 3 0 00-2.342 1.126l-.328.41-.111-.279A2 2 0 008.323 7H8a1 1 0 000 2h.323l.532 1.33-1.035 1.295a1 1 0 01-.781.375H7a1 1 0 100 2h.039a3 3 0 002.342-1.126l.328-.41.111.279A2 2 0 0011.677 14H12a1 1 0 100-2h-.323l-.532-1.33 1.035-1.295A1 1 0 0112.961 9H13a1 1 0 100-2h-.039zm1.874-2.6a1 1 0 011.833-.8A15.95 15.95 0 0118 10c0 2.274-.475 4.44-1.332 6.4a1 1 0 11-1.832-.8A13.949 13.949 0 0016 10c0-1.993-.416-3.886-1.165-5.6z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVariable.vue"]])},8496:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 6a2 2 0 012-2h6a2 2 0 012 2v8a2 2 0 01-2 2H4a2 2 0 01-2-2V6zM14.553 7.106A1 1 0 0014 8v4a1 1 0 00.553.894l2 1A1 1 0 0018 13V7a1 1 0 00-1.447-.894l-2 1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVideoCamera.vue"]])},87199:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M2 4a1 1 0 011-1h2a1 1 0 011 1v12a1 1 0 01-1 1H3a1 1 0 01-1-1V4zM8 4a1 1 0 011-1h2a1 1 0 011 1v12a1 1 0 01-1 1H9a1 1 0 01-1-1V4zM15 3a1 1 0 00-1 1v12a1 1 0 001 1h2a1 1 0 001-1V4a1 1 0 00-1-1h-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewBoards.vue"]])},52244:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M5 3a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2V5a2 2 0 00-2-2H5zM5 11a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2v-2a2 2 0 00-2-2H5zM11 5a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2V5zM11 13a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2v-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewGrid.vue"]])},18245:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{d:"M5 3a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2V5a2 2 0 00-2-2H5zM5 11a2 2 0 00-2 2v2a2 2 0 002 2h2a2 2 0 002-2v-2a2 2 0 00-2-2H5zM11 5a2 2 0 012-2h2a2 2 0 012 2v2a2 2 0 01-2 2h-2a2 2 0 01-2-2V5zM14 11a1 1 0 011 1v1h1a1 1 0 110 2h-1v1a1 1 0 11-2 0v-1h-1a1 1 0 110-2h1v-1a1 1 0 011-1z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewGridAdd.vue"]])},10141:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M3 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm0 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm0 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1zm0 4a1 1 0 011-1h12a1 1 0 110 2H4a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidViewList.vue"]])},4644:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.383 3.076A1 1 0 0110 4v12a1 1 0 01-1.707.707L4.586 13H2a1 1 0 01-1-1V8a1 1 0 011-1h2.586l3.707-3.707a1 1 0 011.09-.217zM12.293 7.293a1 1 0 011.414 0L15 8.586l1.293-1.293a1 1 0 111.414 1.414L16.414 10l1.293 1.293a1 1 0 01-1.414 1.414L15 11.414l-1.293 1.293a1 1 0 01-1.414-1.414L13.586 10l-1.293-1.293a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVolumeOff.vue"]])},28355:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M9.383 3.076A1 1 0 0110 4v12a1 1 0 01-1.707.707L4.586 13H2a1 1 0 01-1-1V8a1 1 0 011-1h2.586l3.707-3.707a1 1 0 011.09-.217zM14.657 2.929a1 1 0 011.414 0A9.972 9.972 0 0119 10a9.972 9.972 0 01-2.929 7.071 1 1 0 01-1.414-1.414A7.971 7.971 0 0017 10c0-2.21-.894-4.208-2.343-5.657a1 1 0 010-1.414zm-2.829 2.828a1 1 0 011.415 0A5.983 5.983 0 0115 10a5.984 5.984 0 01-1.757 4.243 1 1 0 01-1.415-1.415A3.984 3.984 0 0013 10a3.983 3.983 0 00-1.172-2.828 1 1 0 010-1.415z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidVolumeUp.vue"]])},47750:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M17.778 8.222c-4.296-4.296-11.26-4.296-15.556 0A1 1 0 01.808 6.808c5.076-5.077 13.308-5.077 18.384 0a1 1 0 01-1.414 1.414zM14.95 11.05a7 7 0 00-9.9 0 1 1 0 01-1.414-1.414 9 9 0 0112.728 0 1 1 0 01-1.414 1.414zM12.12 13.88a3 3 0 00-4.242 0 1 1 0 01-1.415-1.415 5 5 0 017.072 0 1 1 0 01-1.415 1.415zM9 16a1 1 0 011-1h.01a1 1 0 110 2H10a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidWifi.vue"]])},79500:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M4.293 4.293a1 1 0 011.414 0L10 8.586l4.293-4.293a1 1 0 111.414 1.414L11.414 10l4.293 4.293a1 1 0 01-1.414 1.414L10 11.414l-4.293 4.293a1 1 0 01-1.414-1.414L8.586 10 4.293 5.707a1 1 0 010-1.414z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidX.vue"]])},10841:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidXCircle.vue"]])},82043:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor"},l=[(0,o.createElementVNode)("path",{d:"M5 8a1 1 0 011-1h1V6a1 1 0 012 0v1h1a1 1 0 110 2H9v1a1 1 0 11-2 0V9H6a1 1 0 01-1-1z"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M2 8a6 6 0 1110.89 3.476l4.817 4.817a1 1 0 01-1.414 1.414l-4.816-4.816A6 6 0 012 8zm6-4a4 4 0 100 8 4 4 0 000-8z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidZoomIn.vue"]])},5745:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20",fill:"currentColor",width:"20",height:"20"},l=[(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M8 4a4 4 0 100 8 4 4 0 000-8zM2 8a6 6 0 1110.89 3.476l4.817 4.817a1 1 0 01-1.414 1.414l-4.816-4.816A6 6 0 012 8z","clip-rule":"evenodd"},null,-1),(0,o.createElementVNode)("path",{"fill-rule":"evenodd",d:"M5 8a1 1 0 011-1h4a1 1 0 110 2H6a1 1 0 01-1-1z","clip-rule":"evenodd"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","HeroiconsSolidZoomOut.vue"]])},49175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={class:"ml-2"};var l=r(69843),i=r.n(l);function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;ta.updateCheckedState(r.option.value,a.nextValue))},[(0,o.createVNode)(s,{value:a.currentValue,nullable:!0},null,8,["value"]),(0,o.createElementVNode)("span",n,(0,o.toDisplayString)(a.labelFor(r.option)),1)])}],["__file","IconBooleanOption.vue"]])},66123:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={__name:"CopyIcon",props:["copied"],setup:e=>(t,r)=>{const n=(0,o.resolveComponent)("Icon");return e.copied?((0,o.openBlock)(),(0,o.createBlock)(n,{key:0,class:"text-green-500",solid:!0,type:"check-circle",width:"14"})):((0,o.openBlock)(),(0,o.createBlock)(n,{key:1,class:"text-gray-400 dark:text-gray-500",solid:!0,type:"clipboard",width:"14"}))}};const l=(0,r(66262).A)(n,[["__file","CopyIcon.vue"]])},81466:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M3 19V1h8a5 5 0 0 1 3.88 8.16A5.5 5.5 0 0 1 11.5 19H3zm7.5-8H7v5h3.5a2.5 2.5 0 1 0 0-5zM7 4v4h3a2 2 0 1 0 0-4H7z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconBold.vue"]])},16558:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M2.8 15.8L0 13v7h7l-2.8-2.8 4.34-4.32-1.42-1.42L2.8 15.8zM17.2 4.2L20 7V0h-7l2.8 2.8-4.34 4.32 1.42 1.42L17.2 4.2zm-1.4 13L13 20h7v-7l-2.8 2.8-4.32-4.34-1.42 1.42 4.33 4.33zM4.2 2.8L7 0H0v7l2.8-2.8 4.32 4.34 1.42-1.42L4.2 2.8z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconFullScreen.vue"]])},57619:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M0 4c0-1.1.9-2 2-2h16a2 2 0 0 1 2 2v12a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4zm11 9l-3-3-6 6h16l-5-5-2 2zm4-4a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconImage.vue"]])},78021:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M8 1h9v2H8V1zm3 2h3L8 17H5l6-14zM2 17h9v2H2v-2z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconItalic.vue"]])},94178:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 20 20"},l=[(0,o.createElementVNode)("path",{d:"M9.26 13a2 2 0 0 1 .01-2.01A3 3 0 0 0 9 5H5a3 3 0 0 0 0 6h.08a6.06 6.06 0 0 0 0 2H5A5 5 0 0 1 5 3h4a5 5 0 0 1 .26 10zm1.48-6a2 2 0 0 1-.01 2.01A3 3 0 0 0 11 15h4a3 3 0 0 0 0-6h-.08a6.06 6.06 0 0 0 0-2H15a5 5 0 0 1 0 10h-4a5 5 0 0 1-.26-10z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconLink.vue"]])},85364:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 530 560"},l=[(0,o.createStaticVNode)('',1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","ErrorPageIcon.vue"]])},54970:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{type:{type:String,default:"delete"},solid:{type:Boolean,default:!1}},computed:{style(){return this.solid?"solid":"outline"},iconName(){return`heroicons-${this.style}-${this.type}`},viewBox(){return this.solid?"0 0 20 20":"0 0 24 24"},width(){return this.solid?20:24},height(){return this.solid?20:24}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(i.iconName),{class:"inline-block",role:"presentation",width:i.width,height:i.height,viewBox:i.viewBox},null,8,["width","height","viewBox"])}],["__file","Icon.vue"]])},6104:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M17 11a1 1 0 0 1 0 2h-4v4a1 1 0 0 1-2 0v-4H7a1 1 0 0 1 0-2h4V7a1 1 0 0 1 2 0v4h4z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconAdd.vue"]])},77131:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"shrink-0",xmlns:"http://www.w3.org/2000/svg",width:"10",height:"6",viewBox:"0 0 10 6"},l=[(0,o.createElementVNode)("path",{class:"fill-current",d:"M8.292893.292893c.390525-.390524 1.023689-.390524 1.414214 0 .390524.390525.390524 1.023689 0 1.414214l-4 4c-.390525.390524-1.023689.390524-1.414214 0l-4-4c-.390524-.390525-.390524-1.023689 0-1.414214.390525-.390524 1.023689-.390524 1.414214 0L5 3.585786 8.292893.292893z"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("svg",n,l)}],["__file","IconArrow.vue"]])},43552:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{value:{type:Boolean,default:!1},viewBox:{default:"0 0 24 24"},height:{default:24},width:{default:24},nullable:{type:Boolean,default:!1}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Icon");return r.value?((0,o.openBlock)(),(0,o.createBlock)(a,{key:0,viewBox:r.viewBox,width:r.width,height:r.height,type:"check-circle",class:"text-green-500"},null,8,["viewBox","width","height"])):r.nullable&&null==r.value?((0,o.openBlock)(),(0,o.createBlock)(a,{key:1,viewBox:r.viewBox,width:r.width,height:r.height,type:"minus-circle",class:"text-gray-200 dark:text-gray-800"},null,8,["viewBox","width","height"])):((0,o.openBlock)(),(0,o.createBlock)(a,{key:2,viewBox:r.viewBox,width:r.width,height:r.height,type:"x-circle",class:"text-red-500"},null,8,["viewBox","width","height"]))}],["__file","IconBoolean.vue"]])},65725:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M12 22a10 10 0 1 1 0-20 10 10 0 0 1 0 20zm0-2a8 8 0 1 0 0-16 8 8 0 0 0 0 16zm-2.3-8.7l1.3 1.29 3.3-3.3a1 1 0 0 1 1.4 1.42l-4 4a1 1 0 0 1-1.4 0l-2-2a1 1 0 0 1 1.4-1.42z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconCheckCircle.vue"]])},72656:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={"fill-rule":"nonzero",d:"M6 4V2a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2v2h5a1 1 0 0 1 0 2h-1v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V6H1a1 1 0 1 1 0-2h5zM4 6v12h12V6H4zm8-2V2H8v2h4zM8 8a1 1 0 0 1 1 1v6a1 1 0 0 1-2 0V9a1 1 0 0 1 1-1zm4 0a1 1 0 0 1 1 1v6a1 1 0 0 1-2 0V9a1 1 0 0 1 1-1z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconDelete.vue"]])},87719:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M11 14.59V3a1 1 0 0 1 2 0v11.59l3.3-3.3a1 1 0 0 1 1.4 1.42l-5 5a1 1 0 0 1-1.4 0l-5-5a1 1 0 0 1 1.4-1.42l3.3 3.3zM3 17a1 1 0 0 1 2 0v3h14v-3a1 1 0 0 1 2 0v3a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2v-3z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconDownload.vue"]])},36156:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M4.3 10.3l10-10a1 1 0 0 1 1.4 0l4 4a1 1 0 0 1 0 1.4l-10 10a1 1 0 0 1-.7.3H5a1 1 0 0 1-1-1v-4a1 1 0 0 1 .3-.7zM6 14h2.59l9-9L15 2.41l-9 9V14zm10-2a1 1 0 0 1 2 0v6a2 2 0 0 1-2 2H2a2 2 0 0 1-2-2V4c0-1.1.9-2 2-2h6a1 1 0 1 1 0 2H2v14h14v-6z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconEdit.vue"]])},38705:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={"fill-rule":"nonzero",d:"M.293 5.707A1 1 0 0 1 0 4.999V1A1 1 0 0 1 1 0h18a1 1 0 0 1 1 1v4a1 1 0 0 1-.293.707L13 12.413v2.585a1 1 0 0 1-.293.708l-4 4c-.63.629-1.707.183-1.707-.708v-6.585L.293 5.707zM2 2v2.585l6.707 6.707a1 1 0 0 1 .293.707v4.585l2-2V12a1 1 0 0 1 .293-.707L18 4.585V2H2z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconFilter.vue"]])},92050:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={"fill-rule":"nonzero",d:"M6 4V2a2 2 0 0 1 2-2h4a2 2 0 0 1 2 2v2h5a1 1 0 0 1 0 2h-1v12a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V6H1a1 1 0 1 1 0-2h5zM4 6v12h12V6H4zm8-2V2H8v2h4zm-2 4a1 1 0 0 1 1 1v3a1 1 0 0 1-2 0V9a1 1 0 0 1 1-1zm0 6a1 1 0 1 1 0 2 1 1 0 0 1 0-2z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconForceDelete.vue"]])},29728:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={fill:"none","fill-rule":"evenodd"},l=[(0,o.createElementVNode)("circle",{class:"fill-current",cx:"8.5",cy:"8.5",r:"8.5"},null,-1),(0,o.createElementVNode)("path",{d:"M8.568 10.253c-.225 0-.4-.074-.527-.221-.125-.147-.188-.355-.188-.624 0-.407.078-.747.234-1.02.156-.274.373-.553.65-.839.2-.217.349-.403.448-.559.1-.156.15-.33.15-.52s-.07-.342-.208-.455c-.139-.113-.33-.169-.572-.169-.2 0-.396.037-.591.11-.196.074-.414.18-.657.319l-.312.156c-.295.165-.533.247-.715.247a.69.69 0 01-.553-.28 1.046 1.046 0 01-.227-.682c0-.182.032-.334.098-.455.065-.121.17-.238.318-.351.39-.286.834-.51 1.332-.67.499-.16 1-.24 1.502-.24.563 0 1.066.097 1.508.293.442.195.789.463 1.04.805.251.343.377.73.377 1.164 0 .32-.067.615-.202.884a2.623 2.623 0 01-.487.689c-.19.19-.438.42-.741.689a6.068 6.068 0 00-.656.605c-.152.169-.25.344-.293.526a.691.691 0 01-.253.442.753.753 0 01-.475.156zm.026 3.107c-.355 0-.652-.121-.89-.364a1.23 1.23 0 01-.358-.897c0-.355.12-.654.357-.897.239-.243.536-.364.891-.364a1.23 1.23 0 011.261 1.261 1.23 1.23 0 01-1.261 1.261z",fill:"#FFF","fill-rule":"nonzero"},null,-1)];const i={},a=(0,r(66262).A)(i,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("g",n,l)}],["__file","IconHelp.vue"]])},65488:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M4 5h16a1 1 0 0 1 0 2H4a1 1 0 1 1 0-2zm0 6h16a1 1 0 0 1 0 2H4a1 1 0 0 1 0-2zm0 6h16a1 1 0 0 1 0 2H4a1 1 0 0 1 0-2z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconMenu.vue"]])},83348:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M4 15a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0-2a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm8 2a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0-2a1 1 0 1 0 0-2 1 1 0 0 0 0 2zm8 2a3 3 0 1 1 0-6 3 3 0 0 1 0 6zm0-2a1 1 0 1 0 0-2 1 1 0 0 0 0 2z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconMore.vue"]])},66501:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={"fill-rule":"nonzero",d:"M0 .213l15.925 9.77L0 19.79V.213zm2 3.574V16.21l10.106-6.224L2 3.786z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconPlay.vue"]])},12406:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M6 18.7V21a1 1 0 0 1-2 0v-5a1 1 0 0 1 1-1h5a1 1 0 1 1 0 2H7.1A7 7 0 0 0 19 12a1 1 0 1 1 2 0 9 9 0 0 1-15 6.7zM18 5.3V3a1 1 0 0 1 2 0v5a1 1 0 0 1-1 1h-5a1 1 0 0 1 0-2h2.9A7 7 0 0 0 5 12a1 1 0 1 1-2 0 9 9 0 0 1 15-6.7z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconRefresh.vue"]])},20497:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M3.41 15H16a2 2 0 0 0 2-2 1 1 0 0 1 2 0 4 4 0 0 1-4 4H3.41l2.3 2.3a1 1 0 0 1-1.42 1.4l-4-4a1 1 0 0 1 0-1.4l4-4a1 1 0 1 1 1.42 1.4L3.4 15h.01zM4 7a2 2 0 0 0-2 2 1 1 0 1 1-2 0 4 4 0 0 1 4-4h12.59l-2.3-2.3a1 1 0 1 1 1.42-1.4l4 4a1 1 0 0 1 0 1.4l-4 4a1 1 0 0 1-1.42-1.4L16.6 7H4z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconRestore.vue"]])},63008:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={"fill-rule":"nonzero",d:"M14.32 12.906l5.387 5.387a1 1 0 0 1-1.414 1.414l-5.387-5.387a8 8 0 1 1 1.414-1.414zM8 14A6 6 0 1 0 8 2a6 6 0 0 0 0 12z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconSearch.vue"]])},37303:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M16.56 13.66a8 8 0 0 1-11.32 0L.3 8.7a1 1 0 0 1 0-1.42l4.95-4.95a8 8 0 0 1 11.32 0l4.95 4.95a1 1 0 0 1 0 1.42l-4.95 4.95-.01.01zm-9.9-1.42a6 6 0 0 0 8.48 0L19.38 8l-4.24-4.24a6 6 0 0 0-8.48 0L2.4 8l4.25 4.24h.01zM10.9 12a4 4 0 1 1 0-8 4 4 0 0 1 0 8zm0-2a2 2 0 1 0 0-4 2 2 0 0 0 0 4z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconView.vue"]])},61844:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={d:"M4.93 19.07A10 10 0 1 1 19.07 4.93 10 10 0 0 1 4.93 19.07zm1.41-1.41A8 8 0 1 0 17.66 6.34 8 8 0 0 0 6.34 17.66zM13.41 12l1.42 1.41a1 1 0 1 1-1.42 1.42L12 13.4l-1.41 1.42a1 1 0 1 1-1.42-1.42L10.6 12l-1.42-1.41a1 1 0 1 1 1.42-1.42L12 10.6l1.41-1.42a1 1 0 1 1 1.42 1.42L13.4 12z"};const l={},i=(0,r(66262).A)(l,[["render",function(e,t){return(0,o.openBlock)(),(0,o.createElementBlock)("path",n)}],["__file","IconXCircle.vue"]])},66127:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n=["fill"],l=[(0,o.createStaticVNode)('',3)],i={__name:"Loader",props:{width:{type:[Number,String],required:!1,default:50},fillColor:{type:String,required:!1,default:"currentColor"}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("svg",{class:"mx-auto block",style:(0,o.normalizeStyle)({width:`${e.width}px`}),viewBox:"0 0 120 30",xmlns:"http://www.w3.org/2000/svg",fill:e.fillColor},l,12,n))};const a=(0,r(66262).A)(i,[["__file","Loader.vue"]])},16219:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),n=r(10515);function l(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function i(e){for(var t=1;t["aspect-auto","aspect-square"].includes(e)}},setup(e){const{__:t}=(0,n.B)(),r=e,l=(0,o.ref)(!1),a=(0,o.ref)(!1),u=()=>l.value=!0,h=()=>{a.value=!0,Nova.log(`${t("The image could not be loaded.")}: ${r.src}`)},p=(0,o.computed)((()=>[r.rounded&&"rounded-full"])),m=(0,o.computed)((()=>i(i({"max-width":`${r.maxWidth}px`},"aspect-square"===r.aspect&&{width:`${r.maxWidth}px`}),"aspect-square"===r.aspect&&{height:`${r.maxWidth}px`})));return(r,n)=>{const l=(0,o.resolveComponent)("Icon"),i=(0,o.resolveDirective)("tooltip");return a.value?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:1,href:e.src},[(0,o.withDirectives)((0,o.createVNode)(l,{type:"exclamation-circle",class:"text-red-500"},null,512),[[i,(0,o.unref)(t)("The image could not be loaded.")]])],8,d)):((0,o.openBlock)(),(0,o.createElementBlock)("span",s,[(0,o.createElementVNode)("img",{class:(0,o.normalizeClass)(p.value),style:(0,o.normalizeStyle)(m.value),src:e.src,onLoad:u,onError:h},null,46,c)]))}}});const p=(0,r(66262).A)(h,[["__file","ImageLoader.vue"]])},57892:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),n=r(10515);const l=["dusk"],i={class:"flex flex-col justify-center items-center px-6 space-y-3"},a=(0,o.createElementVNode)("svg",{class:"inline-block text-gray-300 dark:text-gray-500",xmlns:"http://www.w3.org/2000/svg",width:"65",height:"51",viewBox:"0 0 65 51"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M56 40h2c.552285 0 1 .447715 1 1s-.447715 1-1 1h-2v2c0 .552285-.447715 1-1 1s-1-.447715-1-1v-2h-2c-.552285 0-1-.447715-1-1s.447715-1 1-1h2v-2c0-.552285.447715-1 1-1s1 .447715 1 1v2zm-5.364125-8H38v8h7.049375c.350333-3.528515 2.534789-6.517471 5.5865-8zm-5.5865 10H6c-3.313708 0-6-2.686292-6-6V6c0-3.313708 2.686292-6 6-6h44c3.313708 0 6 2.686292 6 6v25.049375C61.053323 31.5511 65 35.814652 65 41c0 5.522847-4.477153 10-10 10-5.185348 0-9.4489-3.946677-9.950625-9zM20 30h16v-8H20v8zm0 2v8h16v-8H20zm34-2v-8H38v8h16zM2 30h16v-8H2v8zm0 2v4c0 2.209139 1.790861 4 4 4h12v-8H2zm18-12h16v-8H20v8zm34 0v-8H38v8h16zM2 20h16v-8H2v8zm52-10V6c0-2.209139-1.790861-4-4-4H6C3.790861 2 2 3.790861 2 6v4h52zm1 39c4.418278 0 8-3.581722 8-8s-3.581722-8-8-8-8 3.581722-8 8 3.581722 8 8 8z"})],-1),s={class:"text-base font-normal"},c={class:"hidden md:inline-block"},d={class:"inline-block md:hidden"},u={__name:"IndexEmptyDialog",props:["create-button-label","singularName","resourceName","viaResource","viaResourceId","viaRelationship","relationshipType","authorizedToCreate","authorizedToRelate"],setup(e){const{__:t}=(0,n.B)(),r=e,u=(0,o.computed)((()=>p.value||h.value)),h=(0,o.computed)((()=>("belongsToMany"===r.relationshipType||"morphToMany"===r.relationshipType)&&r.authorizedToRelate)),p=(0,o.computed)((()=>r.authorizedToCreate&&r.authorizedToRelate&&!r.alreadyFilled)),m=(0,o.computed)((()=>h.value?t("Attach :resource",{resource:r.singularName}):r.createButtonLabel)),v=(0,o.computed)((()=>h.value?Nova.url(`/resources/${r.viaResource}/${r.viaResourceId}/attach/${r.resourceName}`,{viaRelationship:r.viaRelationship,polymorphic:"morphToMany"===r.relationshipType?"1":"0"}):p.value?Nova.url(`/resources/${r.resourceName}/new`,{viaResource:r.viaResource,viaResourceId:r.viaResourceId,viaRelationship:r.viaRelationship,relationshipType:r.relationshipType}):void 0));return(r,n)=>{const p=(0,o.resolveComponent)("OutlineButtonInertiaLink");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"flex flex-col justify-center items-center px-6 py-8 space-y-6",dusk:`${e.resourceName}-empty-dialog`},[(0,o.createElementVNode)("div",i,[a,(0,o.createElementVNode)("h3",s,(0,o.toDisplayString)((0,o.unref)(t)("No :resource matched the given criteria.",{resource:e.singularName})),1)]),u.value?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"shrink-0",href:v.value,dusk:"create-button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(m.value),1),(0,o.createElementVNode)("span",d,(0,o.toDisplayString)(h.value?(0,o.unref)(t)("Attach"):(0,o.unref)(t)("Create")),1)])),_:1},8,["href"])):(0,o.createCommentVNode)("",!0)],8,l)}}};const h=(0,r(66262).A)(u,[["__file","IndexEmptyDialog.vue"]])},79392:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n=(0,o.createElementVNode)("svg",{class:"inline-block text-gray-300 dark:text-gray-500",xmlns:"http://www.w3.org/2000/svg",width:"65",height:"51",viewBox:"0 0 65 51"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M56 40h2c.552285 0 1 .447715 1 1s-.447715 1-1 1h-2v2c0 .552285-.447715 1-1 1s-1-.447715-1-1v-2h-2c-.552285 0-1-.447715-1-1s.447715-1 1-1h2v-2c0-.552285.447715-1 1-1s1 .447715 1 1v2zm-5.364125-8H38v8h7.049375c.350333-3.528515 2.534789-6.517471 5.5865-8zm-5.5865 10H6c-3.313708 0-6-2.686292-6-6V6c0-3.313708 2.686292-6 6-6h44c3.313708 0 6 2.686292 6 6v25.049375C61.053323 31.5511 65 35.814652 65 41c0 5.522847-4.477153 10-10 10-5.185348 0-9.4489-3.946677-9.950625-9zM20 30h16v-8H20v8zm0 2v8h16v-8H20zm34-2v-8H38v8h16zM2 30h16v-8H2v8zm0 2v4c0 2.209139 1.790861 4 4 4h12v-8H2zm18-12h16v-8H20v8zm34 0v-8H38v8h16zM2 20h16v-8H2v8zm52-10V6c0-2.209139-1.790861-4-4-4H6C3.790861 2 2 3.790861 2 6v4h52zm1 39c4.418278 0 8-3.581722 8-8s-3.581722-8-8-8-8 3.581722-8 8 3.581722 8 8 8z"})],-1),l={class:"text-base font-normal mt-3"};const i={components:{Button:r(27226).A},emits:["click"],props:{resource:{type:Object,required:!0}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(d,{class:"flex flex-col justify-center items-center px-6 py-8"},{default:(0,o.withCtx)((()=>[n,(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(e.__("Failed to load :resource!",{resource:e.__(`${r.resource.label}`)})),1),(0,o.createVNode)(c,{class:"shrink-0 mt-6",onClick:t[0]||(t[0]=t=>e.$emit("click")),variant:"outline",label:e.__("Reload")},null,8,["label"])])),_:1})}],["__file","IndexErrorDialog.vue"]])},90528:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"text-xs font-semibold text-gray-400 text-right space-x-1"},l=(0,o.createElementVNode)("span",null,"/",-1),i={__name:"CharacterCounter",props:{count:{type:Number},limit:{type:Number}},setup(e){const t=e,r=(0,o.computed)((()=>t.count/t.limit)),i=(0,o.computed)((()=>r.value>.7&&r.value<=.9)),a=(0,o.computed)((()=>r.value>.9));return(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.createElementVNode)("span",{class:(0,o.normalizeClass)({"text-red-500":a.value,"text-yellow-500":i.value})},(0,o.toDisplayString)(e.count),3),l,(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.limit),1)]))}};const a=(0,r(66262).A)(i,[["__file","CharacterCounter.vue"]])},21197:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"relative h-9 w-full md:w-1/3 md:shrink-0"};const l={emits:["update:keyword"],props:{keyword:{type:String}},methods:{handleChange(e){this.$emit("update:keyword",e?.target?.value||"")}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon"),c=(0,o.resolveComponent)("RoundInput");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(s,{type:"search",width:"20",class:"absolute ml-2 text-gray-400",style:{top:"4px"}}),(0,o.createVNode)(c,{dusk:"search-input",class:"appearance-none bg-white dark:bg-gray-800 shadow rounded-full h-8 w-full dark:focus:bg-gray-800",placeholder:e.__("Search"),type:"search",value:r.keyword,onInput:a.handleChange,spellcheck:"false","aria-label":e.__("Search")},null,8,["placeholder","value","onInput","aria-label"])])}],["__file","IndexSearchInput.vue"]])},83817:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const i={};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("input",(0,o.mergeProps)(function(e){for(var t=1;t{"use strict";r.r(t),r.d(t,{default:()=>C});var o=r(29726);const n=["dusk"],l=["tabindex","aria-expanded","dusk"],i={class:"text-gray-400 dark:text-gray-400"},a=["dusk"],s=[(0,o.createElementVNode)("svg",{class:"block fill-current icon h-2 w-2",xmlns:"http://www.w3.org/2000/svg",viewBox:"278.046 126.846 235.908 235.908"},[(0,o.createElementVNode)("path",{d:"M506.784 134.017c-9.56-9.56-25.06-9.56-34.62 0L396 210.18l-76.164-76.164c-9.56-9.56-25.06-9.56-34.62 0-9.56 9.56-9.56 25.06 0 34.62L361.38 244.8l-76.164 76.165c-9.56 9.56-9.56 25.06 0 34.62 9.56 9.56 25.06 9.56 34.62 0L396 279.42l76.164 76.165c9.56 9.56 25.06 9.56 34.62 0 9.56-9.56 9.56-25.06 0-34.62L430.62 244.8l76.164-76.163c9.56-9.56 9.56-25.06 0-34.62z"})],-1)],c=["dusk"],d=["disabled","placeholder"],u=["dusk"],h=["dusk","onClick"];var p=r(38221),m=r.n(p),v=r(24713),f=r.n(v),g=r(58156),w=r.n(g),k=r(40485),y=r(18700);function b(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function x(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const B={emits:["clear","input","shown","closed","selected"],inheritAttrs:!1,props:function(e){for(var t=1;t({debouncer:null,show:!1,searchValue:"",selectedOptionIndex:0,popper:null,inputWidth:null}),watch:{searchValue(e){this.selectedOptionIndex=0,this.$refs.container?this.$refs.container.scrollTop=0:this.$nextTick((()=>{this.$refs.container.scrollTop=0})),this.debouncer((()=>{this.$emit("input",e)}))},show(e){if(e){let e=f()(this.data,[this.trackBy,w()(this.value,this.trackBy)]);-1!==e&&(this.selectedOptionIndex=e),this.inputWidth=this.$refs.input.offsetWidth,Nova.$emit("disable-focus-trap"),this.$nextTick((()=>{this.popper=(0,k.n4)(this.$refs.input,this.$refs.dropdown,{placement:"bottom-start",onFirstUpdate:e=>{this.$refs.container.scrollTop=this.$refs.container.scrollHeight,this.updateScrollPosition(),this.$refs.search.focus()}})}))}else this.popper&&this.popper.destroy(),Nova.$emit("enable-focus-trap"),this.$refs.input.focus()}},created(){this.debouncer=m()((e=>e()),this.debounce)},mounted(){document.addEventListener("keydown",this.handleEscape)},beforeUnmount(){document.removeEventListener("keydown",this.handleEscape)},methods:{handleEscape(e){!this.show||9!=e.keyCode&&27!=e.keyCode||setTimeout((()=>this.close()),50)},getTrackedByKey(e){return w()(e,this.trackBy)},open(){this.disabled||this.readOnly||(this.show=!0,this.searchValue="",this.$emit("shown"))},close(){this.show=!1,this.$emit("closed")},clear(){this.disabled||(this.selectedOptionIndex=null,this.$emit("clear",null))},move(e){let t=this.selectedOptionIndex+e;t>=0&&t{this.$refs.selected&&this.$refs.selected[0]&&(this.$refs.selected[0].offsetTop>this.$refs.container.scrollTop+this.$refs.container.clientHeight-this.$refs.selected[0].clientHeight&&(this.$refs.container.scrollTop=this.$refs.selected[0].offsetTop+this.$refs.selected[0].clientHeight-this.$refs.container.clientHeight),this.$refs.selected[0].offsetTopthis.close())))},choose(e){this.selectedOptionIndex=f()(this.data,[this.trackBy,w()(e,this.trackBy)]),this.$emit("selected",e),this.$refs.input.blur(),this.$nextTick((()=>this.close()))}},computed:{shouldShowDropdownArrow(){return""==this.value||null==this.value||!this.clearable}}};const C=(0,r(66262).A)(B,[["render",function(e,t,r,p,m,v){const f=(0,o.resolveComponent)("IconArrow"),g=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",(0,o.mergeProps)(e.$attrs,{class:"relative",dusk:r.dusk,ref:"searchInputContainer"}),[(0,o.createElementVNode)("div",{ref:"input",onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["stop"])),onKeydown:[t[1]||(t[1]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["prevent"]),["space"])),t[2]||(t[2]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["prevent"]),["down"])),t[3]||(t[3]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.open&&v.open(...e)),["prevent"]),["up"]))],class:(0,o.normalizeClass)([{"ring dark:border-gray-500 dark:ring-gray-700":e.show,"form-input-border-error":r.error,"bg-gray-50 dark:bg-gray-700":r.disabled||r.readOnly},"relative flex items-center form-control form-input form-control-bordered form-select pr-6"]),tabindex:e.show?-1:0,"aria-expanded":!0===e.show?"true":"false",dusk:`${r.dusk}-selected`},[v.shouldShowDropdownArrow&&!r.disabled?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"pointer-events-none form-select-arrow text-gray-700"})):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",i,(0,o.toDisplayString)(e.__("Click to choose")),1)]))],42,l),v.shouldShowDropdownArrow||r.disabled?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",onClick:t[4]||(t[4]=(...e)=>v.clear&&v.clear(...e)),tabindex:"-1",class:"absolute p-2 inline-block right-[4px]",style:{top:"6px"},dusk:`${r.dusk}-clear-button`},s,8,a))],16,n),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[e.show?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,ref:"dropdown",class:"rounded-lg px-0 bg-white dark:bg-gray-900 shadow border border-gray-200 dark:border-gray-700 absolute top-0 left-0 my-1 overflow-hidden",style:(0,o.normalizeStyle)({width:e.inputWidth+"px",zIndex:2e3}),dusk:`${r.dusk}-dropdown`},[(0,o.withDirectives)((0,o.createElementVNode)("input",{disabled:r.disabled||r.readOnly,"onUpdate:modelValue":t[5]||(t[5]=t=>e.searchValue=t),ref:"search",onKeydown:[t[6]||(t[6]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>v.chooseSelected&&v.chooseSelected(...e)),["prevent"]),["enter"])),t[7]||(t[7]=(0,o.withKeys)((0,o.withModifiers)((e=>v.move(1)),["prevent"]),["down"])),t[8]||(t[8]=(0,o.withKeys)((0,o.withModifiers)((e=>v.move(-1)),["prevent"]),["up"]))],class:"h-10 outline-none w-full px-3 text-sm leading-normal bg-white dark:bg-gray-700 rounded-t border-b border-gray-200 dark:border-gray-800",tabindex:"-1",type:"search",placeholder:e.__("Search"),spellcheck:"false"},null,40,d),[[o.vModelText,e.searchValue]]),(0,o.createElementVNode)("div",{ref:"container",class:"relative overflow-y-scroll text-sm",tabindex:"-1",style:{"max-height":"155px"},dusk:`${r.dusk}-results`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.data,((t,n)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${r.dusk}-result-${n}`,key:v.getTrackedByKey(t),ref_for:!0,ref:n===e.selectedOptionIndex?"selected":"unselected",onClick:(0,o.withModifiers)((e=>v.choose(t)),["stop"]),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer z-[50]",{"border-t border-gray-100 dark:border-gray-700":0!==n,[`search-input-item-${n}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":n!==e.selectedOptionIndex,"bg-primary-500 text-white dark:text-gray-900":n===e.selectedOptionIndex}])},[(0,o.renderSlot)(e.$slots,"option",{option:t,selected:n===e.selectedOptionIndex})],10,h)))),128))],8,u)],12,c)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(g,{onClick:v.close,show:e.show,style:{zIndex:1999}},null,8,["onClick","show"])]))],64)}],["__file","SearchInput.vue"]])},11965:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={class:"flex items-center"},l={key:0,class:"flex-none mr-3"},i=["src"],a={class:"flex-auto"},s={key:0},c={key:1},d={__name:"SearchInputResult",props:{option:{type:Object,required:!0},selected:{type:Boolean,default:!1},withSubtitles:{type:Boolean,default:!0}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[e.option.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("img",{src:e.option.avatar,class:"w-8 h-8 rounded-full block"},null,8,i)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-sm font-semibold leading-normal",{"text-white dark:text-gray-900":e.selected}])},(0,o.toDisplayString)(e.option.display),3),e.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["text-xs font-semibold leading-normal text-gray-500",{"text-white dark:text-gray-700":e.selected}])},[e.option.subtitle?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(e.option.subtitle),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",c,(0,o.toDisplayString)(t.__("No additional information...")),1))],2)):(0,o.createCommentVNode)("",!0)])]))};const u=(0,r(66262).A)(d,[["__file","SearchInputResult.vue"]])},9997:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>w});var o=r(29726),n=r(40485),l=r(38221),i=r.n(l),a=r(58156),s=r.n(a),c=r(96433);const d=["dusk"],u={class:"relative"},h=["onKeydown","disabled","placeholder","aria-expanded"],p=["dusk"],m=["dusk"],v={key:0,class:"px-3 py-2"},f=["dusk","onClick"],g=Object.assign({inheritAttrs:!1},{__name:"SearchSearchInput",props:{dusk:{},error:{type:Boolean,default:!1},disabled:{type:Boolean,default:!1},options:{type:Array,default:[]},loading:{type:Boolean,default:!1},debounce:{type:Number,default:500},trackBy:{type:String}},emits:["clear","input","selected"],setup(e,{emit:t}){const r=t,l=e,a=i()((e=>e()),l.debounce),g=(0,o.ref)(null),w=(0,o.ref)(null),k=(0,o.ref)(null),y=(0,o.ref)(null),b=(0,o.ref)(null),x=(0,o.ref)(null),B=(0,o.ref)(""),C=(0,o.ref)(!1),N=(0,o.ref)(0);(0,c.MLh)(document,"keydown",(e=>{!C.value||9!==e.keyCode&&27!==e.keyCode||setTimeout((()=>_()),50)})),(0,o.watch)(B,(e=>{e&&(C.value=!0),N.value=0,y.value?y.value.scrollTop=0:(0,o.nextTick)((()=>y.value.scrollTop=0)),a((()=>r("input",e)))})),(0,o.watch)(C,(e=>!0===e?(0,o.nextTick)((()=>{g.value=(0,n.n4)(w.value,k.value,{placement:"bottom-start",onFirstUpdate:()=>{b.value.scrollTop=b.value.scrollHeight,M()}})})):g.value.destroy()));const V=(0,o.computed)((()=>w.value?.offsetWidth));function E(e){return s()(e,l.trackBy)}function S(){C.value=!0}function _(){C.value=!1}function A(e){let t=N.value+e;t>=0&&tM())))}function H(e){r("selected",e),(0,o.nextTick)((()=>_())),B.value=""}function O(e){if(e.isComposing||229===e.keyCode)return;var t;H((t=N.value,l.options[t]))}function M(){x.value&&(x.value.offsetTop>y.value.scrollTop+y.value.clientHeight-x.value.clientHeight&&(y.value.scrollTop=x.value.offsetTop+x.value.clientHeight-y.value.clientHeight),x.value.offsetTop{const n=(0,o.resolveComponent)("Loader"),l=(0,o.resolveComponent)("Backdrop");return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.mergeProps)({ref_key:"searchInputContainer",ref:b},t.$attrs,{dusk:e.dusk}),[(0,o.createElementVNode)("div",u,[(0,o.withDirectives)((0,o.createElementVNode)("input",{onClick:(0,o.withModifiers)(S,["stop"]),onKeydown:[(0,o.withKeys)((0,o.withModifiers)(O,["prevent"]),["enter"]),r[0]||(r[0]=(0,o.withKeys)((0,o.withModifiers)((e=>A(1)),["prevent"]),["down"])),r[1]||(r[1]=(0,o.withKeys)((0,o.withModifiers)((e=>A(-1)),["prevent"]),["up"]))],class:(0,o.normalizeClass)(["block w-full form-control form-input form-control-bordered",{"form-control-bordered-error":e.error}]),"onUpdate:modelValue":r[2]||(r[2]=e=>B.value=e),disabled:e.disabled,ref_key:"searchInput",ref:w,tabindex:"0",type:"search",placeholder:t.__("Search"),spellcheck:"false","aria-expanded":!0===C.value?"true":"false"},null,42,h),[[o.vModelText,B.value]])]),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[C.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,ref_key:"searchResultsDropdown",ref:k,style:{zIndex:2e3},dusk:`${e.dusk}-dropdown`},[(0,o.withDirectives)((0,o.createElementVNode)("div",{class:"rounded-lg px-0 bg-white dark:bg-gray-900 shadow border border-gray-200 dark:border-gray-700 my-1 overflow-hidden",style:(0,o.normalizeStyle)({width:V.value+"px",zIndex:2e3})},[(0,o.createElementVNode)("div",{ref_key:"searchResultsContainer",ref:y,class:"relative overflow-y-scroll text-sm divide-y divide-gray-100 dark:divide-gray-800",tabindex:"-1",style:{"max-height":"155px"},dusk:`${e.dusk}-results`},[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",v,[(0,o.createVNode)(n,{width:"30"})])):((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:1},(0,o.renderList)(e.options,((r,n)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:`${e.dusk}-result-${n}`,onClick:(0,o.withModifiers)((e=>H(r)),["stop"]),ref_for:!0,ref:e=>function(e,t){N.value===e&&(x.value=t)}(n,e),key:E(r),class:(0,o.normalizeClass)(["px-3 py-1.5 cursor-pointer",{[`search-input-item-${n}`]:!0,"hover:bg-gray-100 dark:hover:bg-gray-800":n!==N.value,"bg-primary-500 text-white dark:text-gray-900":n===N.value}])},[(0,o.renderSlot)(t.$slots,"option",{option:r,selected:n===N.value,dusk:`${e.dusk}-result-${n}`})],10,f)))),128))],8,m)],4),[[o.vShow,e.loading||e.options.length>0]])],8,p)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(l,{onClick:_,show:C.value,class:"z-[35]"},null,8,["show"])]))],16,d)}}});const w=(0,r(66262).A)(g,[["__file","SearchSearchInput.vue"]])},83699:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726),n=r(27226);const l={class:"py-1"},i={__name:"LensSelector",props:["resourceName","lenses"],setup:e=>(t,r)=>{const i=(0,o.resolveComponent)("DropdownMenuItem"),a=(0,o.resolveComponent)("DropdownMenu"),s=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createBlock)(s,{placement:"bottom-end"},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{class:"divide-y divide-gray-100 dark:divide-gray-800 divide-solid px-1",width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.lenses,(r=>((0,o.openBlock)(),(0,o.createBlock)(i,{key:r.uriKey,href:t.$url(`/resources/${e.resourceName}/lens/${r.uriKey}`),as:"link",class:"px-3 py-2 hover:bg-gray-50 dark:hover:bg-gray-800"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.name),1)])),_:2},1032,["href"])))),128))])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)((0,o.unref)(n.A),{variant:"ghost",padding:"tight",icon:"video-camera","trailing-icon":"chevron-down","aria-label":t.__("Lens Dropdown")},null,8,["aria-label"])])),_:1})}};const a=(0,r(66262).A)(i,[["__file","LensSelector.vue"]])},13477:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={key:0,href:"https://nova.laravel.com/licenses",class:"inline-block text-red-500 text-xs font-bold mt-1 text-center uppercase"};const l={computed:(0,r(66278).L8)(["validLicense"])};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return e.validLicense?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("a",n,(0,o.toDisplayString)(e.__("Unregistered")),1))}],["__file","LicenseWarning.vue"]])},69311:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"absolute inset-0 z-30 flex items-center justify-center rounded-lg bg-white dark:bg-gray-800"};const l={props:{loading:{type:Boolean,default:!0}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Loader"),c=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(c,{class:"isolate"},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("div",n,[(0,o.createVNode)(s,{class:"text-gray-300",width:"30"})],512),[[o.vShow,r.loading]]),(0,o.renderSlot)(e.$slots,"default")])),_:3})}],["__file","LoadingCard.vue"]])},21031:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={key:0,dusk:"loading-view",class:"absolute inset-0 z-20 bg-white/75 dark:bg-gray-800/75 flex items-center justify-center p-6"},l={__name:"LoadingView",props:{loading:{type:Boolean,default:!0},variant:{type:String,validator:e=>["default","overlay"].includes(e),default:"default"}},setup:e=>(t,r)=>{const l=(0,o.resolveComponent)("Loader");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["relative",{"overflow-hidden":e.loading}])},["default"===e.variant?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,dusk:"loading-view",class:(0,o.normalizeClass)({"flex items-center justify-center z-30 p-6":"default"===e.variant,"absolute inset-0 z-30 bg-white/75 flex items-center justify-center p-6":"overlay"===e.variant}),style:{"min-height":"220px"}},[(0,o.createVNode)(l,{class:"text-gray-300"})],2)):(0,o.renderSlot)(t.$slots,"default",{key:1})],64)):(0,o.createCommentVNode)("",!0),"overlay"===e.variant?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:1},[e.loading?((0,o.openBlock)(),(0,o.createElementBlock)("div",n)):(0,o.createCommentVNode)("",!0),(0,o.renderSlot)(t.$slots,"default")],64)):(0,o.createCommentVNode)("",!0)],2)}};const i=(0,r(66262).A)(l,[["__file","LoadingView.vue"]])},26685:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>_});var o=r(29726),n=r(10894),l=r(10515),i=r(15237),a=r.n(i),s=r(76135),c=r.n(s),d=r(69843),u=r.n(d),h=r(38221),p=r.n(h);function m(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function v(e){for(var t=1;t{const s=e.getDoc();return{setValue(e){s.setValue(e),this.refresh()},focus(){n.value=!0},refresh(){(0,o.nextTick)((()=>e.refresh()))},insert(e){let t=s.getCursor();s.replaceRange(e,{line:t.line,ch:t.ch})},insertAround(e,t){if(s.somethingSelected()){const r=s.getSelection();s.replaceSelection(e+r+t)}else{let r=s.getCursor();s.replaceRange(e+t,{line:r.line,ch:r.ch}),s.setCursor({line:r.line,ch:r.ch+e.length})}},insertBefore(e,t){if(s.somethingSelected()){s.listSelections().forEach((r=>{const o=[r.head.line,r.anchor.line].sort();for(let t=o[0];t<=o[1];t++)s.replaceRange(e,{line:t,ch:0});s.setCursor({line:o[0],ch:t||0})}))}else{let r=s.getCursor();s.replaceRange(e,{line:r.line,ch:0}),s.setCursor({line:r.line,ch:t||0})}},uploadAttachment(e){if(!u()(t.uploader)){l.value=l.value+1;const o=`![Uploading ${e.name}…]()`;this.insert(o),t.uploader(e,{onCompleted:(e,t)=>{let n=s.getValue();n=n.replace(o,`![${e}](${t})`),s.setValue(n),r("change",n),i.value=i.value+1},onFailure:e=>{l.value=l.value-1}})}}}},k=(e,t,{props:r,emit:n,isFocused:l,files:i,filesUploadingCount:a,filesUploadedCount:s})=>{const c=e.getDoc(),d=/!\[[^\]]*\]\(([^\)]+)\)/gm;e.on("focus",(()=>l.value=!0)),e.on("blur",(()=>l.value=!1)),c.on("change",((e,t)=>{"setValue"!==t.origin&&n("change",e.getValue())})),c.on("change",p()(((e,t)=>{const r=[...e.getValue().matchAll(d)].map((e=>e[1])).filter((e=>{try{return new URL(e),!0}catch{return!1}}));i.value.filter((e=>!r.includes(e))).filter(((e,t,r)=>r.indexOf(e)===t)).forEach((e=>n("file-removed",e))),r.filter((e=>!i.value.includes(e))).filter(((e,t,r)=>r.indexOf(e)===t)).forEach((e=>n("file-added",e))),i.value=r}),1e3)),e.on("paste",((e,r)=>{(e=>{if(e.clipboardData&&e.clipboardData.items){const r=e.clipboardData.items;for(let o=0;o{!0===t&&!1===r&&e.focus()}))},y=(e,{emit:t,props:r,isEditable:o,isFocused:n,isFullScreen:l,filesUploadingCount:i,filesUploadedCount:s,files:d,unmountMarkdownEditor:u})=>{const h=a().fromTextArea(e.value,{tabSize:4,indentWithTabs:!0,lineWrapping:!0,mode:"markdown",viewportMargin:1/0,extraKeys:{Enter:"newlineAndIndentContinueMarkdownList"},readOnly:r.readonly}),p=(h.getDoc(),w(h,{props:r,emit:t,isFocused:n,filesUploadingCount:i,filesUploadedCount:s,files:d})),m=((e,{isEditable:t,isFullScreen:r})=>({bold(){t&&e.insertAround("**","**")},italicize(){t&&e.insertAround("*","*")},image(){t&&e.insertBefore("![](url)",2)},link(){t&&e.insertAround("[","](url)")},toggleFullScreen(){r.value=!r.value,e.refresh()},fullScreen(){r.value=!0,e.refresh()},exitFullScreen(){r.value=!1,e.refresh()}}))(p,{isEditable:o,isFullScreen:l});return((e,t)=>{const r={"Cmd-B":"bold","Cmd-I":"italicize","Cmd-Alt-I":"image","Cmd-K":"link",F11:"fullScreen",Esc:"exitFullScreen"};c()(r,((o,n)=>{const l=n.replace("Cmd-",a().keyMap.default==a().keyMap.macDefault?"Cmd-":"Ctrl-");e.options.extraKeys[l]=t[r[n]].bind(void 0)}))})(h,m),k(h,p,{props:r,emit:t,isFocused:n,files:d,filesUploadingCount:i,filesUploadedCount:s}),p.refresh(),{editor:h,unmount:()=>{h.toTextArea(),u()},actions:v(v(v({},p),m),{},{handle(e,t){r.readonly||(n.value=!0,m[t].call(e))}})}};function b(e,t){const r=(0,o.ref)(!1),n=(0,o.ref)(!1),l=(0,o.ref)(""),i=(0,o.ref)("write"),a=(0,o.ref)(g("Attach files by dragging & dropping, selecting or pasting them.")),s=(0,o.ref)([]),c=(0,o.ref)(0),d=(0,o.ref)(0),h=(0,o.computed)((()=>t.readonly&&"write"==i.value)),p=()=>{r.value=!1,n.value=!1,i.value="write",l.value="",c.value=0,d.value=0,s.value=[]};return u()(t.uploader)||(0,o.watch)([d,c],(([e,t])=>{a.value=t>e?g("Uploading files... (:current/:total)",{current:e,total:t}):g("Attach files by dragging & dropping, selecting or pasting them.")})),{createMarkdownEditor:(o,l)=>y.call(o,l,{emit:e,props:t,isEditable:h,isFocused:n,isFullScreen:r,filesUploadingCount:c,filesUploadedCount:d,files:s,unmountMarkdownEditor:p}),isFullScreen:r,isFocused:n,isEditable:h,visualMode:i,previewContent:l,statusContent:a,files:s}}const x=["dusk"],B={class:"w-full flex items-center content-center"},C=["dusk"],N={class:"p-4"},V=["dusk"],E=["dusk","innerHTML"],S={__name:"MarkdownEditor",props:{id:{type:String,required:!0},readonly:{type:Boolean,default:!1},previewer:{type:[Object,Function],required:!1,default:null},uploader:{type:[Object,Function],required:!1,default:null}},emits:["initialize","change","fileRemoved","fileAdded"],setup(e,{expose:t,emit:r}){const{__:i}=(0,l.B)(),a=r,s=e,{createMarkdownEditor:c,isFullScreen:d,isFocused:u,isEditable:h,visualMode:p,previewContent:m,statusContent:v}=b(a,s);let f=null;const g=(0,o.ref)(null),w=(0,o.ref)(null),k=()=>w.value.click(),y=()=>{if(s.uploader&&f.actions){const e=w.value.files;for(let t=0;t{if(s.uploader&&f.actions){const t=e.dataTransfer.files;for(let e=0;e{f=c(this,g),a("initialize")})),(0,o.onBeforeUnmount)((()=>f.unmount()));const O=()=>{p.value="write",f.actions.refresh()},M=async()=>{m.value=await s.previewer(f.editor.getValue()??""),p.value="preview"},R=e=>{f.actions.handle(this,e)};return t({setValue(e){f?.actions&&f.actions.setValue(e)},setOption(e,t){f?.editor&&f.editor.setOption(e,t)}}),(t,r)=>{const n=(0,o.resolveComponent)("MarkdownEditorToolbar");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{dusk:e.id,class:(0,o.normalizeClass)(["bg-white dark:bg-gray-900 rounded-lg",{"markdown-fullscreen fixed inset-0 z-50 overflow-x-hidden overflow-y-auto":(0,o.unref)(d),"form-input form-control-bordered px-0 overflow-hidden":!(0,o.unref)(d),"outline-none ring ring-primary-100 dark:ring-gray-700":(0,o.unref)(u)}]),onDragenter:r[1]||(r[1]=(0,o.withModifiers)(((...e)=>(0,o.unref)(_)&&(0,o.unref)(_)(...e)),["prevent"])),onDragleave:r[2]||(r[2]=(0,o.withModifiers)(((...e)=>(0,o.unref)(A)&&(0,o.unref)(A)(...e)),["prevent"])),onDragover:r[3]||(r[3]=(0,o.withModifiers)((()=>{}),["prevent"])),onDrop:(0,o.withModifiers)(H,["prevent"])},[(0,o.createElementVNode)("header",{class:(0,o.normalizeClass)(["bg-white dark:bg-gray-900 flex items-center content-center justify-between border-b border-gray-200 dark:border-gray-700",{"fixed top-0 w-full z-10":(0,o.unref)(d),"bg-gray-100":e.readonly}])},[(0,o.createElementVNode)("div",B,[(0,o.createElementVNode)("button",{type:"button",class:(0,o.normalizeClass)([{"text-primary-500 font-bold":"write"===(0,o.unref)(p)},"ml-1 px-3 h-10 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"]),onClick:(0,o.withModifiers)(O,["stop"])},(0,o.toDisplayString)((0,o.unref)(i)("Write")),3),e.previewer?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",class:(0,o.normalizeClass)([{"text-primary-500 font-bold":"preview"===(0,o.unref)(p)},"px-3 h-10 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"]),onClick:(0,o.withModifiers)(M,["stop"])},(0,o.toDisplayString)((0,o.unref)(i)("Preview")),3)):(0,o.createCommentVNode)("",!0)]),e.readonly?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(n,{key:0,onAction:R,dusk:"markdown-toolbar"}))],2),(0,o.withDirectives)((0,o.createElementVNode)("div",{onClick:r[0]||(r[0]=e=>u.value=!0),class:(0,o.normalizeClass)(["dark:bg-gray-900",{"mt-6":(0,o.unref)(d),"readonly bg-gray-100":e.readonly}]),dusk:(0,o.unref)(d)?"markdown-fullscreen-editor":"markdown-editor"},[(0,o.createElementVNode)("div",N,[(0,o.createElementVNode)("textarea",{ref_key:"theTextarea",ref:g,class:(0,o.normalizeClass)({"bg-gray-100":e.readonly})},null,2)]),s.uploader?((0,o.openBlock)(),(0,o.createElementBlock)("label",{key:0,onChange:(0,o.withModifiers)(k,["prevent"]),class:(0,o.normalizeClass)(["cursor-pointer block bg-gray-100 dark:bg-gray-700 text-gray-400 text-xxs px-2 py-1",{hidden:(0,o.unref)(d)}]),dusk:`${e.id}-file-picker`},[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)((0,o.unref)(v)),1),(0,o.createElementVNode)("input",{ref_key:"fileInput",ref:w,type:"file",class:"hidden",accept:"image/*",multiple:!0,onChange:(0,o.withModifiers)(y,["prevent"])},null,544)],42,V)):(0,o.createCommentVNode)("",!0)],10,C),[[o.vShow,"write"==(0,o.unref)(p)]]),(0,o.withDirectives)((0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["prose prose-sm dark:prose-invert overflow-auto max-w-none p-4",{"mt-6":(0,o.unref)(d)}]),dusk:(0,o.unref)(d)?"markdown-fullscreen-previewer":"markdown-previewer",innerHTML:(0,o.unref)(m)},null,10,E),[[o.vShow,"preview"==(0,o.unref)(p)]])],42,x)}}};const _=(0,r(66262).A)(S,[["__file","MarkdownEditor.vue"]])},92605:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"flex items-center"},l=["onClick"],i={__name:"MarkdownEditorToolbar",emits:["action"],setup(e,{emit:t}){const r=t,i=(0,o.computed)((()=>[{name:"bold",action:"bold",icon:"icon-bold"},{name:"italicize",action:"italicize",icon:"icon-italic"},{name:"link",action:"link",icon:"icon-link"},{name:"image",action:"image",icon:"icon-image"},{name:"fullScreen",action:"toggleFullScreen",icon:"icon-full-screen"}]));return(e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i.value,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:e.action,onClick:(0,o.withModifiers)((t=>{return o=e.action,r("action",o);var o}),["prevent"]),type:"button",class:"rounded-none w-10 h-10 fill-gray-500 dark:fill-gray-400 hover:fill-gray-700 dark:hover:fill-gray-600 active:fill-gray-800 inline-flex items-center justify-center px-2 text-sm border-l border-gray-200 dark:border-gray-700 focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600"},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.icon),{dusk:e.action,class:"w-4 h-4"},null,8,["dusk"]))],8,l)))),128))]))}};const a=(0,r(66262).A)(i,[["__file","MarkdownEditorToolbar.vue"]])},59335:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={key:0,class:"text-gray-500 font-semibold","aria-label":"breadcrumb",dusk:"breadcrumbs"},l={class:"flex items-center"},i={key:1};function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;t0}})};const u=(0,r(66262).A)(d,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("Icon");return c.hasItems?((0,o.openBlock)(),(0,o.createElementBlock)("nav",n,[(0,o.createElementVNode)("ol",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.breadcrumbs,((t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("li",(0,o.mergeProps)({class:"inline-block"},{"aria-current":r===e.breadcrumbs.length-1?"page":null}),[(0,o.createElementVNode)("div",l,[null!==t.path&&r[(0,o.createTextVNode)((0,o.toDisplayString)(t.name),1)])),_:2},1032,["href"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(t.name),1)),r{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={key:0,class:"sidebar-menu space-y-6",dusk:"sidebar-menu",role:"navigation"};function l(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function i(e){for(var t=1;t0}})};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,i,a){return a.hasItems?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.mainMenu,((e,t)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{key:e.key,item:e},null,8,["item"])))),128))])):(0,o.createCommentVNode)("",!0)}],["__file","MainMenu.vue"]])},27882:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={key:0},l=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1),i={class:"flex-1 flex items-center w-full tracking-wide uppercase font-bold text-left text-xs px-3 py-1"},a={key:0,class:"inline-flex items-center justify-center shrink-0 w-6 h-6"},s={key:0};const c={mixins:[r(18700).pJ],props:["item"],methods:{handleClick(){this.item.collapsable&&this.toggleCollapse()}},computed:{component(){return this.item.items.length>0?"div":"h3"},displayAsButton(){return this.item.items.length>0&&this.item.collapsable},collapsedByDefault(){return this.item?.collapsedByDefault??!1}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("CollapseButton");return r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("h4",{onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>u.handleClick&&u.handleClick(...e)),["prevent"])),class:(0,o.normalizeClass)(["flex items-center px-1 py-1 rounded text-left text-gray-500",{"cursor-pointer hover:bg-gray-200 dark:hover:bg-gray-800":u.displayAsButton,"font-bold text-primary-500 dark:text-primary-500":r.item.active}])},[l,(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(r.item.name),1),r.item.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("span",a,[(0,o.createVNode)(h,{collapsed:e.collapsed,to:r.item.path},null,8,["collapsed","to"])])):(0,o.createCommentVNode)("",!0)],2),e.collapsed?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{key:e.name,item:e},null,8,["item"])))),128))]))])):(0,o.createCommentVNode)("",!0)}],["__file","MenuGroup.vue"]])},73048:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const n=(0,o.createElementVNode)("span",{class:"inline-block shrink-0 w-6 h-6"},null,-1),l={class:"flex-1 flex items-center w-full px-3 text-sm"},i={class:"inline-block h-6 shrink-0"};var a=r(83488),s=r.n(a),c=r(5187),d=r.n(c),u=r(42194),h=r.n(u),p=r(71086),m=r.n(p),v=r(66278);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t[n,(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",i,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,"extra-classes":r.item.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.item.badge.value),1)])),_:1},8,["extra-classes"])):(0,o.createCommentVNode)("",!0)])])),_:1},16,["data-active-link","class","onClick"]))])}],["__file","MenuItem.vue"]])},19280:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"sidebar-list"};const l={props:["item"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("menu-item");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:e.key,item:e},null,8,["item"])))),128))])}],["__file","MenuList.vue"]])},52382:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726);const n={key:0,class:"relative"},l={class:"inline-block shrink-0 w-6 h-6"},i={class:"flex-1 flex items-center w-full px-3 text-base"},a={class:"inline-block h-6 shrink-0"},s={key:0,class:"inline-flex items-center justify-center shrink-0 w-6 h-6"},c={key:0,class:"mt-1 flex flex-col"};var d=r(18700),u=r(66278);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t0&&this.item.collapsable?"button":"h3"},displayAsButton(){return["Link","button"].includes(this.component)},collapsedByDefault(){return this.item?.collapsedByDefault??!1}})};const f=(0,r(66262).A)(v,[["render",function(e,t,r,d,u,h){const p=(0,o.resolveComponent)("Badge"),m=(0,o.resolveComponent)("CollapseButton");return r.item.path||r.item.items.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(h.component),{href:r.item.path??null,onClick:(0,o.withModifiers)(h.handleClick,["prevent"]),tabindex:h.displayAsButton?0:null,class:(0,o.normalizeClass)(["w-full flex items-start px-1 py-1 rounded text-left text-gray-500 dark:text-gray-500 focus:outline-none focus:ring focus:ring-primary-200 dark:focus:ring-gray-600",{"cursor-pointer hover:bg-gray-200 dark:hover:bg-gray-800":h.displayAsButton,"font-bold text-primary-500 dark:text-primary-500":r.item.active}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",l,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`heroicons-outline-${r.item.icon}`),{height:"24",width:"24"}))]),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(r.item.name),1),(0,o.createElementVNode)("span",a,[r.item.badge?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,"extra-classes":r.item.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.item.badge.value),1)])),_:1},8,["extra-classes"])):(0,o.createCommentVNode)("",!0)]),r.item.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,[(0,o.createVNode)(m,{collapsed:e.collapsed,to:r.item.path},null,8,["collapsed","to"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["href","onClick","tabindex","class"])),r.item.items.length>0&&!e.collapsed?((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.item.items,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),{key:e.name,item:e},null,8,["item"])))),128))])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)}],["__file","MenuSection.vue"]])},49082:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726);const n={class:"h-6 flex mb-3 text-sm font-bold"},l={class:"ml-auto font-semibold text-gray-400 text-xs"},i={class:"flex min-h-[90px]"};var a=r(38221),s=r.n(a),c=r(55378),d=r.n(c),u=r(31126),h=r.n(u),p=r(9592),m=r.n(p);r(7588);const v={name:"BasePartitionMetric",props:{loading:Boolean,title:String,helpText:{},helpWidth:{},chartData:Array,legendsHeight:{type:String,default:"fixed"}},data:()=>({chartist:null,resizeObserver:null}),watch:{chartData:function(e,t){this.renderChart()}},created(){const e=s()((e=>e()),Nova.config("debounce"));this.resizeObserver=new ResizeObserver((t=>{e((()=>{this.renderChart()}))}))},mounted(){this.chartist=new(m().Pie)(this.$refs.chart,this.formattedChartData,{donut:!0,donutWidth:10,donutSolid:!0,startAngle:270,showLabel:!1}),this.chartist.on("draw",(e=>{"slice"===e.type&&e.element.attr({style:`fill: ${e.meta.color} !important`})})),this.resizeObserver.observe(this.$refs.chart)},beforeUnmount(){this.resizeObserver.unobserve(this.$refs.chart)},methods:{renderChart(){this.chartist.update(this.formattedChartData)},getItemColor:(e,t)=>"string"==typeof e.color?e.color:(e=>["#F5573B","#F99037","#F2CB22","#8FC15D","#098F56","#47C1BF","#1693EB","#6474D7","#9C6ADE","#E471DE"][e])(t)},computed:{chartClasses:()=>[],formattedChartData(){return{labels:this.formattedLabels,series:this.formattedData}},formattedItems(){return d()(this.chartData,((e,t)=>({label:e.label,value:Nova.formatNumber(e.value),color:this.getItemColor(e,t),percentage:Nova.formatNumber(String(e.percentage))})))},formattedLabels(){return d()(this.chartData,(e=>e.label))},formattedData(){return d()(this.chartData,((e,t)=>({value:e.value,meta:{color:this.getItemColor(e,t)}})))},formattedTotal(){let e=this.currentTotal.toFixed(2),t=Math.round(e);return t.toFixed(2)==e?Nova.formatNumber(new String(t)):Nova.formatNumber(new String(e))},currentTotal(){return h()(this.chartData,"value")}}};const f=(0,r(66262).A)(v,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("HelpTextTooltip"),u=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(u,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("h3",n,[(0,o.createTextVNode)((0,o.toDisplayString)(r.title)+" ",1),(0,o.createElementVNode)("span",l,"("+(0,o.toDisplayString)(c.formattedTotal)+" "+(0,o.toDisplayString)(e.__("total"))+")",1)]),(0,o.createVNode)(d,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex-1 overflow-hidden overflow-y-auto",{"max-h-[90px]":"fixed"===r.legendsHeight}])},[(0,o.createElementVNode)("ul",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(c.formattedItems,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{key:e.color,class:"text-xs leading-normal"},[(0,o.createElementVNode)("span",{class:"inline-block rounded-full w-2 h-2 mr-2",style:(0,o.normalizeStyle)({backgroundColor:e.color})},null,4),(0,o.createTextVNode)((0,o.toDisplayString)(e.label)+" ("+(0,o.toDisplayString)(e.value)+" - "+(0,o.toDisplayString)(e.percentage)+"%) ",1)])))),128))])],2),(0,o.createElementVNode)("div",{ref:"chart",class:(0,o.normalizeClass)(["flex-none rounded-b-lg ct-chart mr-4 w-[90px] h-[90px]",{invisible:this.currentTotal<=0}])},null,2)])])),_:1},8,["loading"])}],["__file","BasePartitionMetric.vue"]])},90995:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const n={class:"h-6 flex items-center mb-4"},l={class:"flex-1 mr-3 leading-tight text-sm font-bold"},i={class:"flex-none text-right"},a={class:"text-gray-500 font-medium inline-block"},s={key:0,class:"text-sm"},c={class:"flex items-center text-4xl mb-4"},d={class:"flex h-full justify-center items-center flex-grow-1 mb-4"};var u=r(84451);const h={name:"BaseProgressMetric",props:{loading:{default:!0},title:{},helpText:{},helpWidth:{},maxWidth:{},target:{},value:{},percentage:{},format:{type:String,default:"(0[.]00a)"},avoid:{type:Boolean,default:!1},prefix:"",suffix:"",suffixInflection:{type:Boolean,default:!0}},computed:{isNullValue(){return null==this.value},formattedValue(){if(!this.isNullValue){const e=Nova.formatNumber(new String(this.value),this.format);return`${this.prefix}${e}`}return""},formattedSuffix(){return!1===this.suffixInflection?this.suffix:(0,u.zQ)(this.value,this.suffix)},bgClass(){return this.avoid?this.percentage>60?"bg-yellow-500":"bg-green-300":this.percentage>60?"bg-green-500":"bg-yellow-300"}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("HelpTextTooltip"),v=(0,o.resolveComponent)("ProgressBar"),f=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(f,{loading:r.loading,class:"flex flex-col px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.title),1),(0,o.createVNode)(m,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("span",a,[(0,o.createTextVNode)((0,o.toDisplayString)(p.formattedValue)+" ",1),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(p.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)])])]),(0,o.createElementVNode)("p",c,(0,o.toDisplayString)(r.percentage)+"%",1),(0,o.createElementVNode)("div",d,[(0,o.createVNode)(v,{title:p.formattedValue,color:p.bgClass,value:r.percentage},null,8,["title","color","value"])])])),_:1},8,["loading"])}],["__file","BaseProgressMetric.vue"]])},63919:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const n={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},i={class:"flex items-center text-4xl mb-4"},a={key:0,class:"ml-2 text-sm font-bold"},s={ref:"chart",class:"absolute inset-0 rounded-b-lg ct-chart",style:{top:"60%"}};var c=r(38221),d=r.n(c),u=r(9592),h=r.n(u),p=(r(7588),r(84451)),m=r(399),v=r.n(m);r(95543);const f={name:"BaseTrendMetric",emits:["selected"],props:{loading:Boolean,title:{},helpText:{},helpWidth:{},value:{},chartData:{},maxWidth:{},prefix:"",suffix:"",suffixInflection:{type:Boolean,default:!0},ranges:{type:Array,default:()=>[]},selectedRangeKey:[String,Number],format:{type:String,default:"0[.]00a"}},data:()=>({chartist:null,resizeObserver:null}),watch:{selectedRangeKey:function(e,t){this.renderChart()},chartData:function(e,t){this.renderChart()}},created(){const e=d()((e=>e()),Nova.config("debounce"));this.resizeObserver=new ResizeObserver((t=>{e((()=>{this.renderChart()}))}))},mounted(){const e=Math.min(...this.chartData),t=Math.max(...this.chartData),r=e>=0?0:e;this.chartist=new(h().Line)(this.$refs.chart,this.chartData,{lineSmooth:h().Interpolation.none(),fullWidth:!0,showPoint:!0,showLine:!0,showArea:!0,chartPadding:{top:10,right:0,bottom:0,left:0},low:e,high:t,areaBase:r,axisX:{showGrid:!1,showLabel:!0,offset:0},axisY:{showGrid:!1,showLabel:!0,offset:0},plugins:[v()({pointClass:"ct-point",anchorToPoint:!1}),v()({pointClass:"ct-point__left",anchorToPoint:!1,tooltipOffset:{x:50,y:-20}}),v()({pointClass:"ct-point__right",anchorToPoint:!1,tooltipOffset:{x:-50,y:-20}})]}),this.chartist.on("draw",(e=>{"point"===e.type&&(e.element.attr({"ct:value":this.transformTooltipText(e.value.y)}),e.element.addClass(this.transformTooltipClass(e.axisX.ticks.length,e.index)??""))})),this.resizeObserver.observe(this.$refs.chart)},beforeUnmount(){this.resizeObserver.unobserve(this.$refs.chart)},methods:{renderChart(){this.chartist.update(this.chartData)},handleChange(e){const t=e?.target?.value||e;this.$emit("selected",t)},transformTooltipText(e){let t=Nova.formatNumber(new String(e),this.format);if(this.prefix)return`${this.prefix}${t}`;if(this.suffix){return`${t} ${this.suffixInflection?(0,p.zQ)(e,this.suffix):this.suffix}`}return`${t}`},transformTooltipClass:(e,t)=>t<2?"ct-point__left":t>e-3?"ct-point__right":"ct-point"},computed:{isNullValue(){return null==this.value},formattedValue(){if(!this.isNullValue){const e=Nova.formatNumber(new String(this.value),this.format);return`${this.prefix}${e}`}return""},formattedSuffix(){return!1===this.suffixInflection?this.suffix:(0,p.zQ)(this.value,this.suffix)}}};const g=(0,r(66262).A)(f,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("HelpTextTooltip"),p=(0,o.resolveComponent)("SelectControl"),m=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(m,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.title),1),(0,o.createVNode)(h,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),r.ranges.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"ml-auto w-[6rem] shrink-0",size:"xxs",options:r.ranges,selected:r.selectedRangeKey,onChange:u.handleChange,"aria-label":e.__("Select Ranges")},null,8,["options","selected","onChange","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("p",i,[(0,o.createTextVNode)((0,o.toDisplayString)(u.formattedValue)+" ",1),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",a,(0,o.toDisplayString)(u.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",s,null,512)])),_:1},8,["loading"])}],["__file","BaseTrendMetric.vue"]])},34555:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>B});var o=r(29726);const n={class:"h-6 flex items-center mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},i={class:"flex items-center mb-4 space-x-4"},a={key:0,class:"rounded-lg bg-primary-500 text-white h-14 w-14 flex items-center justify-center"},s={key:0,class:"ml-2 text-sm font-bold"},c={class:"flex items-center font-bold text-sm"},d={key:0,xmlns:"http://www.w3.org/2000/svg",class:"text-red-500 stroke-current mr-2",width:"24",height:"24",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},u=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 17h8m0 0V9m0 8l-8-8-4 4-6-6"},null,-1)],h={key:1,class:"text-green-500 stroke-current mr-2",width:"24",height:"24",fill:"none",viewBox:"0 0 24 24",stroke:"currentColor"},p=[(0,o.createElementVNode)("path",{"stroke-linecap":"round","stroke-linejoin":"round","stroke-width":"2",d:"M13 7h8m0 0v8m0-8l-8 8-4-4-6 6"},null,-1)],m={key:2},v={key:0},f={key:1},g={key:3,class:"text-gray-400 font-semibold"},w={key:0},k={key:1},y={key:2};var b=r(84451);const x={name:"BaseValueMetric",mixins:[r(18700).nl],emits:["selected"],props:{loading:{default:!0},copyable:{default:!1},title:{},helpText:{},helpWidth:{},icon:{type:String},maxWidth:{},previous:{},value:{},prefix:"",suffix:"",suffixInflection:{default:!0},selectedRangeKey:[String,Number],ranges:{type:Array,default:()=>[]},format:{type:String,default:"(0[.]00a)"},tooltipFormat:{type:String,default:"(0[.]00)"},zeroResult:{default:!1}},data:()=>({copied:!1}),methods:{handleChange(e){let t=e?.target?.value||e;this.$emit("selected",t)},handleCopyClick(){this.copyable&&(this.copied=!0,this.copyValueToClipboard(this.tooltipFormattedValue),setTimeout((()=>{this.copied=!1}),2e3))}},computed:{growthPercentage(){return Math.abs(this.increaseOrDecrease)},increaseOrDecrease(){return 0===this.previous||null==this.previous||0===this.value?0:(0,b.G4)(this.value,this.previous).toFixed(2)},increaseOrDecreaseLabel(){switch(Math.sign(this.increaseOrDecrease)){case 1:return"Increase";case 0:return"Constant";case-1:return"Decrease"}},sign(){switch(Math.sign(this.increaseOrDecrease)){case 1:return"+";case 0:return"";case-1:return"-"}},isNullValue(){return null==this.value},isNullPreviousValue(){return null==this.previous},formattedValue(){return this.isNullValue?"":this.prefix+Nova.formatNumber(new String(this.value),this.format)},tooltipFormattedValue(){return this.isNullValue?"":this.value},tooltipFormattedPreviousValue(){return this.isNullPreviousValue?"":this.previous},formattedSuffix(){return!1===this.suffixInflection?this.suffix:(0,b.zQ)(this.value,this.suffix)}}};const B=(0,r(66262).A)(x,[["render",function(e,t,r,b,x,B){const C=(0,o.resolveComponent)("HelpTextTooltip"),N=(0,o.resolveComponent)("SelectControl"),V=(0,o.resolveComponent)("Icon"),E=(0,o.resolveComponent)("LoadingCard"),S=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(E,{loading:r.loading,class:"px-6 py-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.title),1),(0,o.createVNode)(C,{text:r.helpText,width:r.helpWidth},null,8,["text","width"]),r.ranges.length>0?((0,o.openBlock)(),(0,o.createBlock)(N,{key:0,class:"ml-auto w-[6rem] shrink-0",size:"xxs",options:r.ranges,selected:r.selectedRangeKey,onChange:B.handleChange,"aria-label":e.__("Select Ranges")},null,8,["options","selected","onChange","aria-label"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",i,[r.icon?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createVNode)(V,{type:r.icon,width:"24",height:"24"},null,8,["type"])])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.copyable?"CopyButton":"p"),{onClick:B.handleCopyClick,class:"flex items-center text-4xl",rounded:!1},{default:(0,o.withCtx)((()=>[(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("span",null,[(0,o.createTextVNode)((0,o.toDisplayString)(B.formattedValue),1)])),[[S,`${B.tooltipFormattedValue}`]]),r.suffix?((0,o.openBlock)(),(0,o.createElementBlock)("span",s,(0,o.toDisplayString)(B.formattedSuffix),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["onClick"])),(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createElementVNode)("p",c,["Decrease"===B.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",d,u)):(0,o.createCommentVNode)("",!0),"Increase"===B.increaseOrDecreaseLabel?((0,o.openBlock)(),(0,o.createElementBlock)("svg",h,p)):(0,o.createCommentVNode)("",!0),0!==B.increaseOrDecrease?((0,o.openBlock)(),(0,o.createElementBlock)("span",m,[0!==B.growthPercentage?((0,o.openBlock)(),(0,o.createElementBlock)("span",v,(0,o.toDisplayString)(B.growthPercentage)+"% "+(0,o.toDisplayString)(e.__(B.increaseOrDecreaseLabel)),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",f,(0,o.toDisplayString)(e.__("No Increase")),1))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",g,["0"===r.previous&&"0"!==r.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",w,(0,o.toDisplayString)(e.__("No Prior Data")),1)):(0,o.createCommentVNode)("",!0),"0"!==r.value||"0"===r.previous||r.zeroResult?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",k,(0,o.toDisplayString)(e.__("No Current Data")),1)),"0"!=r.value||"0"!=r.previous||r.zeroResult?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",y,(0,o.toDisplayString)(e.__("No Data")),1))]))])])),[[S,`${B.tooltipFormattedPreviousValue}`]])])])])),_:1},8,["loading"])}],["__file","BaseValueMetric.vue"]])},79258:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const n={class:"group"},l={class:"text-base text-gray-500 truncate"},i={class:"text-gray-400 text-xs truncate"},a={class:"flex justify-end items-center text-gray-400"},s={class:"py-1"};var c=r(5187),d=r.n(c),u=r(42194),h=r.n(u),p=r(27226),m=r(81975),v=r(54970);const f={components:{Button:p.A,Icon:m.A,Heroicon:v.default},props:{row:{type:Object,required:!0}},methods:{actionAttributes(e){let t=e.method||"GET";return e.external&&"GET"==e.method?{as:"external",href:e.path,name:e.name,title:e.name,target:e.target||null,external:!0}:h()({as:"GET"===t?"link":"form-button",href:e.path,method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null},d())}},computed:{rowClasses:()=>["py-2"]}};const g=(0,r(66262).A)(f,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Heroicon"),p=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("DropdownMenuItem"),v=(0,o.resolveComponent)("ScrollWrap"),f=(0,o.resolveComponent)("DropdownMenu"),g=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("tr",n,[r.row.icon?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:0,class:(0,o.normalizeClass)(["pl-6 w-14 pr-2",{[r.row.iconClass]:!0,[u.rowClasses]:!0,"text-gray-400 dark:text-gray-600":!r.row.iconClass}])},[(0,o.createVNode)(h,{type:r.row.icon},null,8,["type"])],2)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("td",{class:(0,o.normalizeClass)(["px-2 w-auto",{[u.rowClasses]:!0,"pl-6":!r.row.icon,"pr-6":!r.row.editUrl||!r.row.viewUrl}])},[(0,o.createElementVNode)("h2",l,(0,o.toDisplayString)(r.row.title),1),(0,o.createElementVNode)("p",i,(0,o.toDisplayString)(r.row.subtitle),1)],2),r.row.actions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:1,class:(0,o.normalizeClass)(["text-right pr-4 w-12",u.rowClasses])},[(0,o.createElementVNode)("div",a,[(0,o.createVNode)(g,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{width:"auto",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(v,{height:250,class:"divide-y divide-gray-100 dark:divide-gray-800 divide-solid"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.row.actions,(e=>((0,o.openBlock)(),(0,o.createBlock)(m,(0,o.normalizeProps)((0,o.guardReactiveProps)(u.actionAttributes(e))),{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.name),1)])),_:2},1040)))),256))])])),_:1})])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{icon:"ellipsis-horizontal",variant:"action","aria-label":e.__("Resource Row Dropdown")},null,8,["aria-label"])])),_:1})])],2)):(0,o.createCommentVNode)("",!0)])}],["__file","MetricTableRow.vue"]])},90474:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var n=r(18700),l=r(84451);const i={mixins:[n.je],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,chartData:[]}),watch:{resourceId(){this.fetch()}},created(){this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$on("filter-changed",this.fetch),Nova.$on("filter-reset",this.fetch))},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$off("filter-changed",this.fetch),Nova.$off("filter-reset",this.fetch))},methods:{fetch(){this.loading=!0,(0,l.Bp)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{value:e}}})=>{this.chartData=e,this.loading=!1}))}},computed:{metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`},metricPayload(){const e={params:{}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),e}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BasePartitionMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{title:r.card.name,"help-text":r.card.helpText,"help-width":r.card.helpWidth,"chart-data":e.chartData,loading:e.loading,"legends-height":r.card.height},null,8,["title","help-text","help-width","chart-data","loading","legends-height"])}],["__file","PartitionMetric.vue"]])},46658:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var n=r(84451),l=r(18700);const i={name:"ProgressMetric",mixins:[l.Z4,l.je],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,format:"(0[.]00a)",avoid:!1,prefix:"",suffix:"",suffixInflection:!0,value:0,target:0,percentage:0,zeroResult:!1}),watch:{resourceId(){this.fetch()}},created(){this.hasRanges&&(this.selectedRangeKey=this.card.selectedRangeKey||this.card.ranges[0].value),this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$on("filter-changed",this.fetch),Nova.$on("filter-reset",this.fetch))},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$off("filter-changed",this.fetch),Nova.$off("filter-reset",this.fetch))},methods:{fetch(){this.loading=!0,(0,n.Bp)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{value:e,target:t,percentage:r,prefix:o,suffix:n,suffixInflection:l,format:i,avoid:a}}})=>{this.value=e,this.target=t,this.percentage=r,this.format=i||this.format,this.avoid=a,this.prefix=o||this.prefix,this.suffix=n||this.suffix,this.suffixInflection=l,this.loading=!1}))}},computed:{metricPayload(){const e={params:{timezone:this.userTimezone}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BaseProgressMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{title:r.card.name,"help-text":r.card.helpText,"help-width":r.card.helpWidth,target:e.target,value:e.value,percentage:e.percentage,prefix:e.prefix,suffix:e.suffix,"suffix-inflection":e.suffixInflection,format:e.format,avoid:e.avoid,loading:e.loading},null,8,["title","help-text","help-width","target","value","percentage","prefix","suffix","suffix-inflection","format","avoid","loading"])}],["__file","ProgressMetric.vue"]])},9169:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const n={class:"h-6 flex items-center px-6 mb-4"},l={class:"mr-3 leading-tight text-sm font-bold"},i={class:"mb-5 pb-4"},a={key:0,class:"overflow-hidden overflow-x-auto relative"},s={class:"w-full table-default table-fixed"},c={class:"border-t border-b border-gray-100 dark:border-gray-700 divide-y divide-gray-100 dark:divide-gray-700"},d={key:1,class:"flex flex-col items-center justify-between px-6 gap-2"},u={class:"font-normal text-center py-4"};var h=r(84451),p=r(18700);const m={name:"TableCard",mixins:[p.Z4,p.je],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,value:[]}),watch:{resourceId(){this.fetch()}},created(){this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$on("filter-changed",this.fetch),Nova.$on("filter-reset",this.fetch))},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$off("filter-changed",this.fetch),Nova.$off("filter-reset",this.fetch))},methods:{fetch(){this.loading=!0,(0,h.Bp)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:e}})=>{this.value=e,this.loading=!1}))}},computed:{metricPayload(){const e={params:{timezone:this.userTimezone}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const v=(0,r(66262).A)(m,[["render",function(e,t,r,h,p,m){const v=(0,o.resolveComponent)("HelpTextTooltip"),f=(0,o.resolveComponent)("MetricTableRow"),g=(0,o.resolveComponent)("LoadingCard");return(0,o.openBlock)(),(0,o.createBlock)(g,{loading:e.loading,class:"pt-4"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("h3",l,(0,o.toDisplayString)(r.card.name),1),(0,o.createVNode)(v,{text:r.card.helpText,width:r.card.helpWidth},null,8,["text","width"])]),(0,o.createElementVNode)("div",i,[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("table",s,[(0,o.createElementVNode)("tbody",c,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(e=>((0,o.openBlock)(),(0,o.createBlock)(f,{row:e},null,8,["row"])))),256))])])])):((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[(0,o.createElementVNode)("p",u,(0,o.toDisplayString)(r.card.emptyText),1)]))])])),_:1},8,["loading"])}],["__file","TableMetric.vue"]])},82526:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);var n=r(55378),l=r.n(n),i=r(18700),a=r(84451);const s={name:"TrendMetric",mixins:[i.Z4,i.je],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,value:"",data:[],format:"(0[.]00a)",prefix:"",suffix:"",suffixInflection:!0,selectedRangeKey:null}),watch:{resourceId(){this.fetch()}},created(){this.hasRanges&&(this.selectedRangeKey=this.card.selectedRangeKey||this.card.ranges[0].value),this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$on("filter-changed",this.fetch),Nova.$on("filter-reset",this.fetch))},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$off("filter-changed",this.fetch),Nova.$off("filter-reset",this.fetch))},methods:{handleRangeSelected(e){this.selectedRangeKey=e,this.fetch()},fetch(){this.loading=!0,(0,a.Bp)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{labels:e,trend:t,value:r,prefix:o,suffix:n,suffixInflection:i,format:a}}})=>{this.value=r,this.labels=Object.keys(t),this.data={labels:Object.keys(t),series:[l()(t,((e,t)=>({meta:t,value:e})))]},this.format=a||this.format,this.prefix=o||this.prefix,this.suffix=n||this.suffix,this.suffixInflection=i,this.loading=!1}))}},computed:{hasRanges(){return this.card.ranges.length>0},metricPayload(){const e={params:{timezone:this.userTimezone,twelveHourTime:this.usesTwelveHourTime}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),this.hasRanges&&(e.params.range=this.selectedRangeKey),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BaseTrendMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{onSelected:i.handleRangeSelected,title:r.card.name,"help-text":r.card.helpText,"help-width":r.card.helpWidth,value:e.value,"chart-data":e.data,ranges:r.card.ranges,format:e.format,prefix:e.prefix,suffix:e.suffix,"suffix-inflection":e.suffixInflection,"selected-range-key":e.selectedRangeKey,loading:e.loading},null,8,["onSelected","title","help-text","help-width","value","chart-data","ranges","format","prefix","suffix","suffix-inflection","selected-range-key","loading"])}],["__file","TrendMetric.vue"]])},9862:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var n=r(84451),l=r(18700);const i={name:"ValueMetric",mixins:[l.Z4,l.je],props:{card:{type:Object,required:!0},resourceName:{type:String,default:""},resourceId:{type:[Number,String],default:""},lens:{type:String,default:""}},data:()=>({loading:!0,copyable:!1,format:"(0[.]00a)",tooltipFormat:"(0[.]00)",value:0,previous:0,prefix:"",suffix:"",suffixInflection:!0,selectedRangeKey:null,zeroResult:!1}),watch:{resourceId(){this.fetch()}},created(){this.hasRanges&&(this.selectedRangeKey=this.card.selectedRangeKey||this.card.ranges[0].value),this.fetch()},mounted(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$on("filter-changed",this.fetch),Nova.$on("filter-reset",this.fetch))},beforeUnmount(){this.card&&!0===this.card.refreshWhenFiltersChange&&(Nova.$off("filter-changed",this.fetch),Nova.$off("filter-reset",this.fetch))},methods:{handleRangeSelected(e){this.selectedRangeKey=e,this.fetch()},fetch(){this.loading=!0,(0,n.Bp)(Nova.request().get(this.metricEndpoint,this.metricPayload)).then((({data:{value:{copyable:e,value:t,previous:r,prefix:o,suffix:n,suffixInflection:l,format:i,tooltipFormat:a,zeroResult:s}}})=>{this.copyable=e,this.value=t,this.format=i||this.format,this.tooltipFormat=a||this.tooltipFormat,this.prefix=o||this.prefix,this.suffix=n||this.suffix,this.suffixInflection=l,this.zeroResult=s||this.zeroResult,this.previous=r,this.loading=!1}))}},computed:{hasRanges(){return this.card.ranges.length>0},metricPayload(){const e={params:{timezone:this.userTimezone}};return!Nova.missingResource(this.resourceName)&&this.card&&!0===this.card.refreshWhenFiltersChange&&(e.params.filter=this.$store.getters[`${this.resourceName}/currentEncodedFilters`]),this.hasRanges&&(e.params.range=this.selectedRangeKey),e},metricEndpoint(){const e=""!==this.lens?`/lens/${this.lens}`:"";return this.resourceName&&this.resourceId?`/nova-api/${this.resourceName}${e}/${this.resourceId}/metrics/${this.card.uriKey}`:this.resourceName?`/nova-api/${this.resourceName}${e}/metrics/${this.card.uriKey}`:`/nova-api/metrics/${this.card.uriKey}`}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("BaseValueMetric");return(0,o.openBlock)(),(0,o.createBlock)(a,{onSelected:i.handleRangeSelected,title:r.card.name,copyable:e.copyable,"help-text":r.card.helpText,"help-width":r.card.helpWidth,icon:r.card.icon,previous:e.previous,value:e.value,ranges:r.card.ranges,format:e.format,"tooltip-format":e.tooltipFormat,prefix:e.prefix,suffix:e.suffix,"suffix-inflection":e.suffixInflection,"selected-range-key":e.selectedRangeKey,loading:e.loading,"zero-result":e.zeroResult},null,8,["onSelected","title","copyable","help-text","help-width","icon","previous","value","ranges","format","tooltip-format","prefix","suffix","suffix-inflection","selected-range-key","loading","zero-result"])}],["__file","ValueMetric.vue"]])},94724:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>E});var o=r(29726),n=r(66278),l=r(28240),i=r(83488),a=r.n(i),s=r(5187),c=r.n(s),d=r(42194),u=r.n(d),h=r(71086),p=r.n(h),m=r(10515),v=r(6265);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;tr.getters.userMenu.map((e=>{let t=e.method||"GET",r={href:e.path};return e.external&&"GET"===t?{component:"a",props:g(g({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"GET"===t?"a":"FormButton",props:p()(u()(g(g({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null}),c()),a()),external:e.external,name:e.name,on:{},badge:e.badge}})))),s=(0,o.computed)((()=>r.getters.currentUser?.name||r.getters.currentUser?.email||t("Nova User"))),d=(0,o.computed)((()=>Nova.config("customLogoutPath"))),h=(0,o.computed)((()=>!0===Nova.config("withAuthentication")||!1!==d.value)),f=((0,o.computed)((()=>r.getters.currentUser&&(i.value.length>0||h.value||r.getters.currentUser?.impersonating))),()=>{confirm(t("Are you sure you want to stop impersonating?"))&&r.dispatch("stopImpersonating")}),w=async()=>{confirm(t("Are you sure you want to log out?"))&&r.dispatch("logout",Nova.config("customLogoutPath")).then((e=>{null===e?Nova.redirectToLogin():location.href=e})).catch((()=>v.Inertia.reload()))};return(e,n)=>{const a=(0,o.resolveComponent)("Icon");return(0,o.openBlock)(),(0,o.createElementBlock)("div",k,[(0,o.createElementVNode)("div",y,[(0,o.createElementVNode)("div",b,[(0,o.unref)(r).getters.currentUser?.impersonating?((0,o.openBlock)(),(0,o.createBlock)(a,{key:0,type:"finger-print",solid:!0,class:"w-7 h-7"})):(0,o.unref)(r).getters.currentUser?.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,alt:(0,o.unref)(t)(":name's Avatar",{name:s.value}),src:(0,o.unref)(r).getters.currentUser?.avatar,class:"rounded-full w-7 h-7"},null,8,x)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",B,(0,o.toDisplayString)(s.value),1)]),(0,o.createElementVNode)("nav",C,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i.value,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path},e.props,(0,o.toHandlers)(e.on),{class:"py-2 px-2 text-gray-600 dark:text-gray-400 hover:opacity-50"}),{default:(0,o.withCtx)((()=>[e.badge?((0,o.openBlock)(),(0,o.createElementBlock)("span",N,[(0,o.createVNode)(l.default,{"extra-classes":e.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.badge.value),1)])),_:2},1032,["extra-classes"])])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.name),1)])),_:2},1040)))),128)),(0,o.unref)(r).getters.currentUser?.impersonating?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,type:"button",onClick:f,class:"block w-full py-2 px-2 text-gray-600 dark:text-gray-400 hover:opacity-50 text-left"},(0,o.toDisplayString)((0,o.unref)(t)("Stop Impersonating")),1)):(0,o.createCommentVNode)("",!0),h.value?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,onClick:w,type:"button",class:"block w-full py-2 px-2 text-gray-600 dark:text-gray-400 hover:opacity-50 text-left"},(0,o.toDisplayString)((0,o.unref)(t)("Logout")),1)):(0,o.createCommentVNode)("",!0)])])])}}};const E=(0,r(66262).A)(V,[["__file","MobileUserMenu.vue"]])},51788:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["data-form-unique-id"],l={key:1},i={class:"flex items-center ml-auto"};var a=r(18700),s=r(23805),c=r.n(s),d=r(25542);const u={components:{Button:r(27226).A},emits:["confirm","close"],mixins:[a.Uf],props:{action:{type:Object,required:!0},endpoint:{type:String,required:!1},errors:{type:Object,required:!0},resourceName:{type:String,required:!0},selectedResources:{type:[Array,String],required:!0},show:{type:Boolean,default:!1},working:Boolean},data:()=>({loading:!0,formUniqueId:(0,d.L)()}),created(){document.addEventListener("keydown",this.handleKeydown)},mounted(){this.loading=!1},beforeUnmount(){document.removeEventListener("keydown",this.handleKeydown)},methods:{onUpdateFormStatus(){this.updateModalStatus()},onUpdateFieldStatus(){this.onUpdateFormStatus()},handlePreventModalAbandonmentOnClose(e){this.handlePreventModalAbandonment((()=>{this.$emit("close")}),(()=>{e.stopPropagation()}))}},computed:{syncEndpoint(){let e=new URLSearchParams({action:this.action.uriKey});return"all"===this.selectedResources?e.append("resources","all"):this.selectedResources.forEach((t=>{e.append("resources[]",c()(t)?t.id.value:t)})),(this.endpoint||`/nova-api/${this.resourceName}/action`)+"?"+e.toString()},usesFocusTrap(){return!1===this.loading&&this.action.fields.length>0}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("CancelButton"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),m=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(m,{show:r.show,onCloseViaEscape:c.handlePreventModalAbandonmentOnClose,role:"dialog",size:r.action.modalSize,"modal-style":r.action.modalStyle,"use-focus-trap":c.usesFocusTrap},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{ref:"theForm",autocomplete:"off",onChange:t[1]||(t[1]=(...e)=>c.onUpdateFormStatus&&c.onUpdateFormStatus(...e)),onSubmit:t[2]||(t[2]=(0,o.withModifiers)((t=>e.$emit("confirm")),["prevent","stop"])),"data-form-unique-id":e.formUniqueId,class:(0,o.normalizeClass)(["bg-white dark:bg-gray-800",{"rounded-lg shadow-lg overflow-hidden space-y-6":"window"===r.action.modalStyle,"flex flex-col justify-between h-full":"fullscreen"===r.action.modalStyle}])},[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["space-y-6",{"overflow-hidden overflow-y-auto":"fullscreen"===r.action.modalStyle}])},[(0,o.createVNode)(d,{textContent:(0,o.toDisplayString)(r.action.name)},null,8,["textContent"]),r.action.confirmText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:(0,o.normalizeClass)(["px-8",{"text-red-500":r.action.destructive}])},(0,o.toDisplayString)(r.action.confirmText),3)):(0,o.createCommentVNode)("",!0),r.action.fields.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.action.fields,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"action",key:t.attribute},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+t.component),{errors:r.errors,"resource-name":r.resourceName,field:t,"show-help-text":!0,"form-unique-id":e.formUniqueId,mode:"fullscreen"===r.action.modalStyle?"action-fullscreen":"action-modal","sync-endpoint":c.syncEndpoint,onFieldChanged:c.onUpdateFieldStatus},null,40,["errors","resource-name","field","form-unique-id","mode","sync-endpoint","onFieldChanged"]))])))),128))])):(0,o.createCommentVNode)("",!0)],2),(0,o.createVNode)(p,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(u,{component:"button",type:"button",dusk:"cancel-action-button",class:"ml-auto mr-3",onClick:t[0]||(t[0]=t=>e.$emit("close"))},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.cancelButtonText),1)])),_:1}),(0,o.createVNode)(h,{type:"submit",ref:"runButton",dusk:"confirm-action-button",loading:r.working,variant:"solid",state:r.action.destructive?"danger":"default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.action.confirmButtonText),1)])),_:1},8,["loading","state"])])])),_:1})],42,n)])),_:1},8,["show","onCloseViaEscape","size","modal-style","use-focus-trap"])}],["__file","ConfirmActionModal.vue"]])},51394:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden",style:{width:"460px"}},l={class:"leading-tight"},i={class:"ml-auto"};const a={components:{Button:r(27226).A},emits:["confirm","close"],props:{show:{type:Boolean,default:!1}},data:()=>({working:!1}),watch:{show(e){!1===e&&(this.working=!1)}},methods:{handleClose(){this.working=!1,this.$emit("close")},handleConfirm(){this.working=!0,this.$emit("confirm")}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("ModalHeader"),u=(0,o.resolveComponent)("ModalContent"),h=(0,o.resolveComponent)("LinkButton"),p=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("ModalFooter"),v=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(v,{show:r.show,role:"alertdialog",size:"md"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(d,{textContent:(0,o.toDisplayString)(e.__("Delete File"))},null,8,["textContent"]),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(e.__("Are you sure you want to delete this file?")),1)])),_:1}),(0,o.createVNode)(m,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[(0,o.createVNode)(h,{dusk:"cancel-upload-delete-button",type:"button",onClick:(0,o.withModifiers)(c.handleClose,["prevent"]),class:"mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(p,{onClick:(0,o.withModifiers)(c.handleConfirm,["prevent"]),ref:"confirmButton",dusk:"confirm-upload-delete-button",loading:e.working,state:"danger",label:e.__("Delete")},null,8,["onClick","loading","label"])])])),_:1})])])),_:1},8,["show"])}],["__file","ConfirmUploadRemovalModal.vue"]])},6101:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"bg-gray-100 dark:bg-gray-700 rounded-lg shadow-lg overflow-hidden p-8"};var l=r(18700),i=r(57303);const a={emits:["set-resource","create-cancelled"],mixins:[l.Uf],components:{CreateResource:i.A},props:{show:{type:Boolean,default:!1},size:{type:String,default:"2xl"},resourceName:{},resourceId:{},viaResource:{},viaResourceId:{},viaRelationship:{}},data:()=>({loading:!0}),methods:{handleRefresh(e){this.$emit("set-resource",e)},handleCreateCancelled(){return this.$emit("create-cancelled")},handlePreventModalAbandonmentOnClose(e){this.handlePreventModalAbandonment((()=>{this.handleCreateCancelled()}),(()=>{e.stopPropagation()}))}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("CreateResource"),c=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(c,{dusk:"new-relation-modal",show:r.show,onCloseViaEscape:a.handlePreventModalAbandonmentOnClose,size:r.size,"use-focus-trap":!e.loading},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(s,{"resource-name":r.resourceName,onCreateCancelled:a.handleCreateCancelled,onFinishedLoading:t[0]||(t[0]=()=>e.loading=!1),onRefresh:a.handleRefresh,mode:"modal","resource-id":"","via-relationship":"","via-resource-id":"","via-resource":""},null,8,["resource-name","onCreateCancelled","onRefresh"])])])),_:1},8,["show","onCloseViaEscape","size","use-focus-trap"])}],["__file","CreateRelationModal.vue"]])},48665:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={class:"leading-normal"},l={class:"ml-auto"};var i=r(90128),a=r.n(i);const s={components:{Button:r(27226).A},emits:["confirm","close"],props:{show:{type:Boolean,default:!1},mode:{type:String,default:"delete",validator:function(e){return-1!==["force delete","delete","detach"].indexOf(e)}}},data:()=>({working:!1}),watch:{show(e){!1===e&&(this.working=!1)}},methods:{handleClose(){this.$emit("close"),this.working=!1},handleConfirm(){this.$emit("confirm"),this.working=!0}},computed:{uppercaseMode(){return a()(this.mode)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("LinkButton"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),m=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(m,{show:r.show,role:"alertdialog",size:"sm"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{onSubmit:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>s.handleConfirm&&s.handleConfirm(...e)),["prevent"])),class:"mx-auto bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden"},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(c,{textContent:(0,o.toDisplayString)(e.__(`${s.uppercaseMode} Resource`))},null,8,["textContent"]),(0,o.createVNode)(d,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",n,(0,o.toDisplayString)(e.__("Are you sure you want to "+r.mode+" the selected resources?")),1)])),_:1})])),(0,o.createVNode)(p,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{type:"button",dusk:"cancel-delete-button",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(h,{type:"submit",ref:"confirmButton",dusk:"confirm-delete-button",loading:e.working,state:"danger",label:e.__(s.uppercaseMode)},null,8,["loading","label"])])])),_:1})],32)])),_:3},8,["show"])}],["__file","DeleteResourceModal.vue"]])},59465:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(29726),n=r(66278),l=r(87612),i=r.n(l),a=r(90179),s=r.n(a),c=r(5620),d=r(96433);const u=["role","data-modal-open","aria-modal"],h=(0,o.createElementVNode)("div",{class:"fixed inset-0 z-[55] bg-gray-500/75 dark:bg-gray-900/75",dusk:"modal-backdrop"},null,-1),p=Object.assign({inheritAttrs:!1},{__name:"Modal",props:{show:{type:Boolean,default:!1},size:{type:String,default:"xl",validator:e=>["sm","md","lg","xl","2xl","3xl","4xl","5xl","6xl","7xl"].includes(e)},modalStyle:{type:String,default:"window"},role:{type:String,default:"dialog"},useFocusTrap:{type:Boolean,default:!0}},emits:["showing","closing","close-via-escape"],setup(e,{emit:t}){const r=(0,o.ref)(null),l=(0,o.useAttrs)(),a=t,p=e,m=(0,o.ref)(!0),v=(0,o.computed)((()=>p.useFocusTrap&&!0===m.value)),{activate:f,deactivate:g}=(0,c.r)(r,{immediate:!1,allowOutsideClick:!0,escapeDeactivates:!1});(0,o.watch)((()=>p.show),(e=>b(e))),(0,o.watch)(v,(e=>{try{e?(0,o.nextTick)((()=>f())):g()}catch(e){}})),(0,d.MLh)(document,"keydown",(e=>{"Escape"===e.key&&!0===p.show&&a("close-via-escape",e)}));const w=()=>{m.value=!1},k=()=>{m.value=!0};(0,o.onMounted)((()=>{Nova.$on("disable-focus-trap",w),Nova.$on("enable-focus-trap",k),!0===p.show&&b(!0)})),(0,o.onBeforeUnmount)((()=>{document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts(),Nova.$off("disable-focus-trap",w),Nova.$off("enable-focus-trap",k),m.value=!1}));const y=(0,n.Pj)();async function b(e){!0===e?(a("showing"),document.body.classList.add("overflow-hidden"),Nova.pauseShortcuts(),m.value=!0):(m.value=!1,a("closing"),document.body.classList.remove("overflow-hidden"),Nova.resumeShortcuts()),y.commit("allowLeavingModal")}const x=(0,o.computed)((()=>s()(l,["class"]))),B=(0,o.computed)((()=>({sm:"max-w-sm",md:"max-w-md",lg:"max-w-lg",xl:"max-w-xl","2xl":"max-w-2xl","3xl":"max-w-3xl","4xl":"max-w-4xl","5xl":"max-w-5xl","6xl":"max-w-6xl","7xl":"max-w-7xl"}))),C=(0,o.computed)((()=>{let e="window"===p.modalStyle?B.value:{};return i()([e[p.size]??null,"fullscreen"===p.modalStyle?"h-full":"",l.class])}));return(t,n)=>((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[e.show?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[(0,o.createElementVNode)("div",(0,o.mergeProps)(x.value,{class:["modal fixed inset-0 z-[60]",{"px-3 md:px-0 py-3 md:py-6 overflow-x-hidden overflow-y-auto":"window"===e.modalStyle,"h-full":"fullscreen"===e.modalStyle}],role:e.role,"data-modal-open":e.show,"aria-modal":e.show}),[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["@container/modal relative mx-auto z-20",C.value]),ref_key:"modalContent",ref:r},[(0,o.renderSlot)(t.$slots,"default")],2)],16,u),h],64)):(0,o.createCommentVNode)("",!0)]))}});const m=(0,r(66262).A)(p,[["__file","Modal.vue"]])},21527:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"py-3 px-8"};const l={};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalContent.vue"]])},18059:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"bg-gray-100 dark:bg-gray-700 px-6 py-3 flex"};const l={};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","ModalFooter.vue"]])},94:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createBlock)(a,{level:3,class:"border-b border-gray-100 dark:border-gray-700 py-4 px-8"},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default")])),_:3})}],["__file","ModalHeader.vue"]])},66320:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={key:0,class:"ml-auto bg-red-50 text-red-500 py-0.5 px-2 rounded-full text-xs"},l={key:0},i={class:"ml-auto"};var a=r(18700),s=r(84451);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={components:{Button:r(27226).A},emits:["close"],props:function(e){for(var t=1;t({loading:!0,title:null,resource:null}),async created(){await this.getResource()},mounted(){Nova.$emit("close-dropdowns")},methods:{getResource(){return this.resource=null,(0,s.Bp)(Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/preview`)).then((({data:{title:e,resource:t}})=>{this.title=e,this.resource=t,this.loading=!1})).catch((e=>{if(e.response.status>=500)Nova.$emit("error",e.response.data.message);else if(404!==e.response.status)if(403!==e.response.status){if(401===e.response.status)return Nova.redirectToLogin();Nova.error(this.__("This resource no longer exists")),Nova.visit(`/resources/${this.resourceName}`)}else Nova.visit("/403");else Nova.visit("/404")}))}},computed:{modalTitle(){return`${this.__("Previewing")} ${this.title}`}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Link"),h=(0,o.resolveComponent)("ModalHeader"),p=(0,o.resolveComponent)("ModalContent"),m=(0,o.resolveComponent)("Button"),v=(0,o.resolveComponent)("ModalFooter"),f=(0,o.resolveComponent)("LoadingView"),g=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(g,{show:r.show,onCloseViaEscape:t[1]||(t[1]=t=>e.$emit("close")),role:"alertdialog",size:"2xl","use-focus-trap":!1},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(f,{loading:e.loading,class:"mx-auto bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden"},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(h,{class:"flex items-center"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createTextVNode)((0,o.toDisplayString)(c.modalTitle)+" ",1),e.resource&&e.resource.softDeleted?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.__("Soft Deleted")),1)):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(u,{dusk:"detail-preview-button",href:e.$url(`/resources/${e.resourceName}/${e.resourceId}`),class:"ml-auto",alt:e.__("View :resource",{resource:e.title})},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{type:"arrow-right"})])),_:1},8,["href","alt"])])),_:1}),(0,o.createVNode)(p,{class:"px-8 divide-y divide-gray-100 dark:divide-gray-800 -mx-3"},{default:(0,o.withCtx)((()=>[e.resource?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.resource.fields,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${t.component}`),{key:r,index:r,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:t},null,8,["index","resource-name","resource-id","resource","field"])))),128)),0==e.resource.fields.length?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,(0,o.toDisplayString)(e.__("There are no fields to display.")),1)):(0,o.createCommentVNode)("",!0)],64)):(0,o.createCommentVNode)("",!0)])),_:1})])),(0,o.createVNode)(v,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",i,[e.resource?((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,dusk:"confirm-preview-button",onClick:t[0]||(t[0]=(0,o.withModifiers)((t=>e.$emit("close")),["prevent"])),label:e.__("Close")},null,8,["label"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),_:3},8,["loading"])])),_:3},8,["show"])}],["__file","PreviewResourceModal.vue"]])},77308:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"leading-normal"},l={class:"ml-auto"};const i={components:{Button:r(27226).A},emits:["confirm","close"],props:{show:{type:Boolean,default:!1}},data:()=>({working:!1}),watch:{show(e){!1===e&&(this.working=!1)}},methods:{handleClose(){this.$emit("close"),this.working=!1},handleConfirm(){this.$emit("confirm"),this.working=!0}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("ModalHeader"),d=(0,o.resolveComponent)("ModalContent"),u=(0,o.resolveComponent)("LinkButton"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("ModalFooter"),m=(0,o.resolveComponent)("Modal");return(0,o.openBlock)(),(0,o.createBlock)(m,{show:r.show,size:"sm"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("form",{onSubmit:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>s.handleConfirm&&s.handleConfirm(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 rounded-lg shadow-lg overflow-hidden",style:{width:"460px"}},[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createVNode)(c,{textContent:(0,o.toDisplayString)(e.__("Restore Resource"))},null,8,["textContent"]),(0,o.createVNode)(d,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",n,(0,o.toDisplayString)(e.__("Are you sure you want to restore the selected resources?")),1)])),_:1})])),(0,o.createVNode)(p,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{type:"button",dusk:"cancel-restore-button",onClick:(0,o.withModifiers)(s.handleClose,["prevent"]),class:"mr-3"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Cancel")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(h,{type:"submit",ref:"confirmButton",dusk:"confirm-restore-button",loading:e.working},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Restore")),1)])),_:1},8,["loading"])])])),_:1})],32)])),_:3},8,["show"])}],["__file","RestoreResourceModal.vue"]])},37018:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["dusk"],l={class:"shrink-0"},i={class:"flex-auto space-y-4"},a={class:"flex items-center"},s={class:"flex-auto"},c={class:"mr-1 text-gray-600 dark:text-gray-400 leading-normal break-words"},d=["title"];const u={components:{Button:r(27226).A},emits:["delete-notification","toggle-mark-as-read","toggle-notifications"],name:"MessageNotification",props:{notification:{type:Object,required:!0}},methods:{handleClick(){this.$emit("toggle-mark-as-read"),this.$emit("toggle-notifications"),this.visit()},handleDeleteClick(){confirm(this.__("Are you sure you want to delete this notification?"))&&this.$emit("delete-notification")},visit(){if(this.hasUrl)return Nova.visit(this.notification.actionUrl,{openInNewTab:this.notification.openInNewTab||!1})}},computed:{icon(){return this.notification.icon},hasUrl(){return this.notification.actionUrl}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("Icon"),v=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"relative flex items-start px-4 gap-4",dusk:`notification-${r.notification.id}`},[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(m,{type:p.icon,class:(0,o.normalizeClass)(r.notification.iconClass)},null,8,["type","class"])]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("p",c,(0,o.toDisplayString)(r.notification.message),1)])]),(0,o.createElementVNode)("p",{class:"mt-1 text-xs",title:r.notification.created_at},(0,o.toDisplayString)(r.notification.created_at_friendly),9,d)]),p.hasUrl?((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,onClick:p.handleClick,label:r.notification.actionText,size:"small"},null,8,["onClick","label"])):(0,o.createCommentVNode)("",!0)])],8,n)}],["__file","MessageNotification.vue"]])},48581:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>N});var o=r(29726);const n={class:"relative"},l=["innerHTML"],i={key:1,class:"absolute border-[3px] border-white dark:border-gray-800 top-0 right-[3px] inline-block bg-primary-500 rounded-full w-4 h-4"},a={key:0,class:"fixed flex inset-0 z-20"},s={class:"relative divide-y divide-gray-200 dark:divide-gray-700 shadow bg-gray-100 dark:bg-gray-800 w-[20rem] ml-auto border-b border-gray-200 dark:border-gray-700 overflow-x-hidden overflow-y-scroll"},c={key:0,class:"bg-white dark:bg-gray-800 flex items-center h-14 px-4"},d={class:"ml-auto"},u={class:"py-1 px-1"},h={key:2,class:"py-12"},p=(0,o.createElementVNode)("p",{class:"text-center"},[(0,o.createElementVNode)("svg",{class:"inline-block text-gray-300 dark:text-gray-500",xmlns:"http://www.w3.org/2000/svg",width:"65",height:"51",viewBox:"0 0 65 51"},[(0,o.createElementVNode)("path",{class:"fill-current",d:"M56 40h2c.552285 0 1 .447715 1 1s-.447715 1-1 1h-2v2c0 .552285-.447715 1-1 1s-1-.447715-1-1v-2h-2c-.552285 0-1-.447715-1-1s.447715-1 1-1h2v-2c0-.552285.447715-1 1-1s1 .447715 1 1v2zm-5.364125-8H38v8h7.049375c.350333-3.528515 2.534789-6.517471 5.5865-8zm-5.5865 10H6c-3.313708 0-6-2.686292-6-6V6c0-3.313708 2.686292-6 6-6h44c3.313708 0 6 2.686292 6 6v25.049375C61.053323 31.5511 65 35.814652 65 41c0 5.522847-4.477153 10-10 10-5.185348 0-9.4489-3.946677-9.950625-9zM20 30h16v-8H20v8zm0 2v8h16v-8H20zm34-2v-8H38v8h16zM2 30h16v-8H2v8zm0 2v4c0 2.209139 1.790861 4 4 4h12v-8H2zm18-12h16v-8H20v8zm34 0v-8H38v8h16zM2 20h16v-8H2v8zm52-10V6c0-2.209139-1.790861-4-4-4H6C3.790861 2 2 3.790861 2 6v4h52zm1 39c4.418278 0 8-3.581722 8-8s-3.581722-8-8-8-8 3.581722-8 8 3.581722 8 8 8z"})])],-1),m={class:"mt-3 text-center"},v={class:"mt-6 px-4 text-center"};var f=r(66278),g=r(27226);function w(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function k(e){for(var t=1;tthis.fetchNotifications()))},beforeUnmount(){document.body.classList.remove("overflow-y-hidden")},methods:k(k(k({},b(["toggleMainMenu","toggleNotifications"])),x(["fetchNotifications","deleteNotification","deleteAllNotifications","markNotificationAsRead","markAllNotificationsAsRead"])),{},{handleDeleteAllNotifications(){confirm(this.__("Are you sure you want to delete all the notifications?"))&&this.deleteAllNotifications()}}),computed:k(k({},B(["mainMenuShown","notificationsShown","notifications","unreadNotifications"])),{},{shouldShowUnreadCount:()=>Nova.config("showUnreadCountInNotificationCenter")})};const N=(0,r(66262).A)(C,[["render",function(e,t,r,f,g,w){const k=(0,o.resolveComponent)("Button"),y=(0,o.resolveComponent)("Heading"),b=(0,o.resolveComponent)("DropdownMenuItem"),x=(0,o.resolveComponent)("DropdownMenu"),B=(0,o.resolveComponent)("Dropdown"),C=(0,o.resolveComponent)("NotificationList");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(k,{variant:"action",icon:"bell",onClick:(0,o.withModifiers)(e.toggleNotifications,["stop"]),dusk:"notifications-dropdown"},{default:(0,o.withCtx)((()=>[e.unreadNotifications?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[w.shouldShowUnreadCount?((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:0,innerHTML:e.unreadNotifications>99?"99+":e.unreadNotifications,class:"font-black tracking-normal absolute border-[3px] border-white dark:border-gray-800 top-[-5px] left-[15px] inline-flex items-center justify-center bg-primary-500 rounded-full text-white text-xxs p-[0px] px-1 min-w-[26px]"},null,8,l)):((0,o.openBlock)(),(0,o.createElementBlock)("span",i))],64)):(0,o.createCommentVNode)("",!0)])),_:1},8,["onClick"])]),((0,o.openBlock)(),(0,o.createBlock)(o.Teleport,{to:"body"},[(0,o.createVNode)(o.Transition,{"enter-active-class":"transition duration-100 ease-out","enter-from-class":"opacity-0","enter-to-class":"opacity-100","leave-active-class":"transition duration-200 ease-in","leave-from-class":"opacity-100","leave-to-class":"opacity-0"},{default:(0,o.withCtx)((()=>[e.notificationsShown?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("div",{onClick:t[0]||(t[0]=(...t)=>e.toggleNotifications&&e.toggleNotifications(...t)),class:"absolute inset-0 bg-gray-600/75 dark:bg-gray-900/75",dusk:"notifications-backdrop"}),(0,o.createElementVNode)("div",s,[e.notifications.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("nav",c,[(0,o.createVNode)(y,{level:3,class:"ml-1"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Notifications")),1)])),_:1}),(0,o.createElementVNode)("div",d,[(0,o.createVNode)(B,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(k,{dusk:"notification-center-action-dropdown",variant:"ghost",icon:"ellipsis-horizontal"})])),menu:(0,o.withCtx)((()=>[(0,o.createVNode)(x,{width:"200"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",u,[(0,o.createVNode)(b,{as:"button",onClick:e.markAllNotificationsAsRead},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Mark all as Read")),1)])),_:1},8,["onClick"]),(0,o.createVNode)(b,{as:"button",onClick:w.handleDeleteAllNotifications},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Delete all notifications")),1)])),_:1},8,["onClick"])])])),_:1})])),_:1})])])):(0,o.createCommentVNode)("",!0),e.notifications.length>0?((0,o.openBlock)(),(0,o.createBlock)(C,{key:1,notifications:e.notifications},null,8,["notifications"])):((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[p,(0,o.createElementVNode)("p",m,(0,o.toDisplayString)(e.__("There are no new notifications.")),1),(0,o.createElementVNode)("p",v,[(0,o.createVNode)(k,{variant:"solid",onClick:e.toggleNotifications,label:e.__("Close")},null,8,["onClick","label"])])]))])])):(0,o.createCommentVNode)("",!0)])),_:1})]))],64)}],["__file","NotificationCenter.vue"]])},82161:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),n=r(27226),l=r(66278);const i={class:"divide-y divide-gray-200 dark:divide-gray-600",dusk:"notifications-content"},a={class:"relative bg-white dark:bg-gray-800 transition transition-colors flex flex-col gap-2 pt-4 pb-2"},s={key:0,class:"absolute rounded-full top-[20px] right-[16px] bg-primary-500 w-[5px] h-[5px]"},c={class:"ml-12"},d={class:"flex items-start"},u={__name:"NotificationList",props:{notifications:{}},setup(e){const t=(0,l.Pj)();return(r,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.notifications,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:e.id,class:"dark:border-gray-600"},[(0,o.createElementVNode)("div",a,[e.read_at?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",s)),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component||"MessageNotification"),{notification:e,onDeleteNotification:r=>(0,o.unref)(t).dispatch("nova/deleteNotification",e.id),onToggleNotifications:l[0]||(l[0]=e=>(0,o.unref)(t).commit("nova/toggleNotifications")),onToggleMarkAsRead:r=>e.read_at?(0,o.unref)(t).dispatch("nova/markNotificationAsUnread",e.id):(0,o.unref)(t).dispatch("nova/markNotificationAsRead",e.id)},null,40,["notification","onDeleteNotification","onToggleMarkAsRead"])),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("div",d,[(0,o.createVNode)((0,o.unref)(n.A),{onClick:r=>e.read_at?(0,o.unref)(t).dispatch("nova/markNotificationAsUnread",e.id):(0,o.unref)(t).dispatch("nova/markNotificationAsRead",e.id),dusk:"mark-as-read-button",variant:"link",state:"mellow",size:"small",label:e.read_at?r.__("Mark Unread"):r.__("Mark Read")},null,8,["onClick","label"]),(0,o.createVNode)((0,o.unref)(n.A),{onClick:r=>(0,o.unref)(t).dispatch("nova/deleteNotification",e.id),dusk:"delete-button",variant:"link",state:"mellow",size:"small",label:r.__("Delete")},null,8,["onClick","label"])])])])])))),128))]))}};const h=(0,r(66262).A)(u,[["__file","NotificationList.vue"]])},13742:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={class:"rounded-b-lg font-bold flex items-center"},l={class:"flex text-sm"},i=["disabled"],a=["disabled"],s=["disabled","onClick","dusk"],c=["disabled"],d=["disabled"];const u={emits:["page"],props:{page:{type:Number,required:!0},pages:{type:Number,default:0},next:{type:Boolean,default:!1},previous:{type:Boolean,default:!1}},data:()=>({linksDisabled:!1}),mounted(){Nova.$on("resources-loaded",this.listenToResourcesLoaded)},beforeUnmount(){Nova.$off("resources-loaded",this.listenToResourcesLoaded)},methods:{selectPage(e){this.page!=e&&(this.linksDisabled=!0,this.$emit("page",e))},selectPreviousPage(){this.selectPage(this.page-1)},selectNextPage(){this.selectPage(this.page+1)},listenToResourcesLoaded(){this.linksDisabled=!1}},computed:{hasPreviousPages:function(){return this.page>1},hasMorePages:function(){return this.page0&&o.push(e);return o}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,u,h,p){return(0,o.openBlock)(),(0,o.createElementBlock)("nav",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("button",{disabled:!p.hasPreviousPages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 rounded-bl-lg focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasPreviousPages,"text-gray-500":!p.hasPreviousPages||e.linksDisabled}]),rel:"first",onClick:t[0]||(t[0]=(0,o.withModifiers)((e=>p.selectPage(1)),["prevent"])),dusk:"first"}," « ",10,i),(0,o.createElementVNode)("button",{disabled:!p.hasPreviousPages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasPreviousPages,"text-gray-500":!p.hasPreviousPages||e.linksDisabled}]),rel:"prev",onClick:t[1]||(t[1]=(0,o.withModifiers)((e=>p.selectPreviousPage()),["prevent"])),dusk:"previous"}," ‹ ",10,a),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(p.printPages,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("button",{disabled:e.linksDisabled,key:t,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":r.page!==t,"text-gray-500 bg-gray-50 dark:bg-gray-700":r.page===t}]),onClick:(0,o.withModifiers)((e=>p.selectPage(t)),["prevent"]),dusk:`page:${t}`},(0,o.toDisplayString)(t),11,s)))),128)),(0,o.createElementVNode)("button",{disabled:!p.hasMorePages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasMorePages,"text-gray-500":!p.hasMorePages||e.linksDisabled}]),rel:"next",onClick:t[2]||(t[2]=(0,o.withModifiers)((e=>p.selectNextPage()),["prevent"])),dusk:"next"}," › ",10,c),(0,o.createElementVNode)("button",{disabled:!p.hasMorePages||e.linksDisabled,class:(0,o.normalizeClass)(["border-r border-gray-200 dark:border-gray-700 text-xl h-9 min-w-9 px-2 focus:outline-none focus:bg-gray-50 hover:bg-gray-50 dark:hover:bg-gray-700",{"text-gray-500":p.hasMorePages,"text-gray-500":!p.hasMorePages||e.linksDisabled}]),rel:"last",onClick:t[3]||(t[3]=(0,o.withModifiers)((e=>p.selectPage(r.pages)),["prevent"])),dusk:"last"}," » ",10,d)]),(0,o.renderSlot)(e.$slots,"default")])}],["__file","PaginationLinks.vue"]])},13407:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={class:"bg-20 h-9 px-3 text-center rounded-b-lg flex items-center justify-between"},l={class:"leading-normal text-sm text-gray-500"},i={key:0,class:"leading-normal text-sm"},a={class:"leading-normal text-sm text-gray-500"};const s={emits:["load-more"],props:{currentResourceCount:{type:Number,required:!0},allMatchingResourceCount:{type:Number,required:!0},resourceCountLabel:{type:String,required:!0},perPage:{type:[Number,String],required:!0},page:{type:Number,required:!0},pages:{type:Number,default:0},next:{type:Boolean,default:!1},previous:{type:Boolean,default:!1}},methods:{loadMore(){this.$emit("load-more")}},computed:{buttonLabel(){return this.__("Load :perPage More",{perPage:Nova.formatNumber(this.perPage)})},allResourcesLoaded(){return this.currentResourceCount==this.allMatchingResourceCount},resourceTotalCountLabel(){return Nova.formatNumber(this.allMatchingResourceCount)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(r.resourceCountLabel),1),d.allResourcesLoaded?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,(0,o.toDisplayString)(e.__("All resources loaded.")),1)):((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,onClick:t[0]||(t[0]=(...e)=>d.loadMore&&d.loadMore(...e)),class:"h-9 focus:outline-none focus:ring ring-inset rounded-lg px-4 font-bold text-primary-500 hover:text-primary-600 active:text-primary-400"},(0,o.toDisplayString)(d.buttonLabel),1)),(0,o.createElementVNode)("p",a,(0,o.toDisplayString)(e.__(":amount Total",{amount:d.resourceTotalCountLabel})),1)])}],["__file","PaginationLoadMore.vue"]])},76921:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={class:"rounded-b-lg"},l={class:"flex justify-between items-center"},i=["disabled"],a=["disabled"];const s={emits:["page"],props:{currentResourceCount:{type:Number,required:!0},allMatchingResourceCount:{type:Number,required:!0},resourceCountLabel:{type:[Number,String],required:!0},page:{type:Number,required:!0},pages:{type:Number,default:0},next:{type:Boolean,default:!1},previous:{type:Boolean,default:!1}},data:()=>({linksDisabled:!1}),mounted(){Nova.$on("resources-loaded",this.listenToResourcesLoaded)},beforeUnmount(){Nova.$off("resources-loaded",this.listenToResourcesLoaded)},methods:{selectPreviousPage(){this.selectPage(this.page-1)},selectNextPage(){this.selectPage(this.page+1)},selectPage(e){this.linksDisabled=!0,this.$emit("page",e)},listenToResourcesLoaded(){this.linksDisabled=!1}},computed:{hasPreviousPages:function(){return this.previous},hasMorePages:function(){return this.next}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("nav",l,[(0,o.createElementVNode)("button",{disabled:!d.hasPreviousPages||e.linksDisabled,class:(0,o.normalizeClass)(["text-xs font-bold py-3 px-4 focus:outline-none rounded-bl-lg focus:ring focus:ring-inset",{"text-primary-500 hover:text-primary-400 active:text-primary-600":d.hasPreviousPages,"text-gray-300 dark:text-gray-600":!d.hasPreviousPages||e.linksDisabled}]),rel:"prev",onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>d.selectPreviousPage&&d.selectPreviousPage(...e)),["prevent"])),dusk:"previous"},(0,o.toDisplayString)(e.__("Previous")),11,i),(0,o.renderSlot)(e.$slots,"default"),(0,o.createElementVNode)("button",{disabled:!d.hasMorePages||e.linksDisabled,class:(0,o.normalizeClass)(["text-xs font-bold py-3 px-4 focus:outline-none rounded-br-lg focus:ring focus:ring-inset",{"text-primary-500 hover:text-primary-400 active:text-primary-600":d.hasMorePages,"text-gray-300 dark:text-gray-600":!d.hasMorePages||e.linksDisabled}]),rel:"next",onClick:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>d.selectNextPage&&d.selectNextPage(...e)),["prevent"])),dusk:"next"},(0,o.toDisplayString)(e.__("Next")),11,a)])])}],["__file","PaginationSimple.vue"]])},3363:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"border-t border-gray-200 dark:border-gray-700"};const l={props:["paginationComponent","hasNextPage","hasPreviousPage","loadMore","selectPage","totalPages","currentPage","perPage","resourceCountLabel","currentResourceCount","allMatchingResourceCount"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(r.paginationComponent),{next:r.hasNextPage,previous:r.hasPreviousPage,onLoadMore:r.loadMore,onPage:r.selectPage,pages:r.totalPages,page:r.currentPage,"per-page":r.perPage,"resource-count-label":r.resourceCountLabel,"current-resource-count":r.currentResourceCount,"all-matching-resource-count":r.allMatchingResourceCount},{default:(0,o.withCtx)((()=>[r.resourceCountLabel?((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:0,class:(0,o.normalizeClass)(["text-xs px-4",{"ml-auto hidden md:inline":"pagination-links"===r.paginationComponent}])},(0,o.toDisplayString)(r.resourceCountLabel),3)):(0,o.createCommentVNode)("",!0)])),_:1},40,["next","previous","onLoadMore","onPage","pages","page","per-page","resource-count-label","current-resource-count","all-matching-resource-count"]))])}],["__file","ResourcePagination.vue"]])},26112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["dusk"],l={class:(0,o.normalizeClass)(["md:w-1/4 @sm/peekable:w-1/4 @md/modal:w-1/4","md:py-3 @sm/peekable:py-3 @md/modal:py-3"])},i={class:"font-normal @sm/peekable:break-all"},a={key:1,class:"flex items-center"},s=["innerHTML"],c={key:3};var d=r(18700);const u={mixins:[d.nl,d.S0],props:{index:{type:Number,required:!0},field:{type:Object,required:!0},fieldName:{type:String,default:""}},methods:{copy(){this.copyValueToClipboard(this.field.value)}},computed:{label(){return this.fieldName||this.field.name}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,d,u,h){const p=(0,o.resolveComponent)("CopyButton"),m=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col -mx-6 px-6 py-2 space-y-2",["md:flex-row @sm/peekable:flex-row @md/modal:flex-row","md:py-0 @sm/peekable:py-0 @md/modal:py-0","md:space-y-0 @sm/peekable:space-y-0 @md/modal:space-y-0"]]),dusk:r.field.attribute},[(0,o.createElementVNode)("div",l,[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("h4",i,[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(h.label),1)])]))]),(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["break-all",["md:w-3/4 @sm/peekable:w-3/4 @md/modal:w-3/4","md:py-3 @sm/peekable:py-3 md/modal:py-3","lg:break-words @md/peekable:break-words @lg/modal:break-words"]])},[(0,o.renderSlot)(e.$slots,"value",{},(()=>[e.fieldValue&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,onClick:(0,o.withModifiers)(h.copy,["prevent","stop"])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",{ref:"theFieldValue"},(0,o.toDisplayString)(e.fieldValue),513)])),_:1},8,["onClick"])),[[m,e.__("Copy to clipboard")]]):!e.fieldValue||r.field.copyable||e.shouldDisplayAsHtml?e.fieldValue&&!r.field.copyable&&e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:2,innerHTML:e.fieldValue},null,8,s)):((0,o.openBlock)(),(0,o.createElementBlock)("p",c,"—")):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,(0,o.toDisplayString)(e.fieldValue),1))]))])],8,n)}],["__file","PanelItem.vue"]])},63335:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["logo"],inheritAttrs:!1,render(){let e=document.createDocumentFragment(),t=document.createElement("span");t.innerHTML=this.$props.logo,e.appendChild(t);const r=this.$attrs.class.split(" ").filter(String);return e.querySelector("svg").classList.add(...r),(0,o.h)("span",{innerHTML:t.innerHTML})}};const l=(0,r(66262).A)(n,[["__file","PassthroughLogo.vue"]])},44664:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=["title"],l={__name:"ProgressBar",props:{title:{type:String,required:!0},color:{type:String,required:!0},value:{type:[String,Number],required:!0}},setup:e=>(t,r)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"bg-gray-200 dark:bg-gray-900 w-full overflow-hidden h-4 flex rounded-full",title:e.title},[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(e.color),style:(0,o.normalizeStyle)(`width:${e.value}%`)},null,6)],8,n))};const i=(0,r(66262).A)(l,[["__file","ProgressBar.vue"]])},31313:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726),n=r(58059),l=r.n(n),i=r(84451);const a={class:"bg-white dark:bg-gray-900 text-gray-500 dark:text-gray-400"},s={key:0,class:"p-3"},c={key:1,class:"min-w-[24rem] max-w-2xl"},d={key:0,class:"@container/peekable divide-y divide-gray-100 dark:divide-gray-800 rounded-lg py-1"},u={key:1,class:"p-3 text-center dark:text-gray-400"},h={__name:"RelationPeek",props:["resource","resourceName","resourceId"],setup(e){const t=(0,o.ref)(!0),r=(0,o.ref)(null),n=l()((()=>async function(){t.value=!0;try{const{data:{resource:{fields:e}}}=await(0,i.Bp)(Nova.request().get(`/nova-api/${h.resourceName}/${h.resourceId}/peek`),500);r.value=e}catch(e){console.error(e)}finally{t.value=!1}}())),h=e;return(l,i)=>{const h=(0,o.resolveComponent)("Loader"),p=(0,o.resolveComponent)("Tooltip");return(0,o.openBlock)(),(0,o.createBlock)(p,{triggers:["hover"],popperTriggers:["hover"],placement:"top-start",theme:"plain",onTooltipShow:(0,o.unref)(n),"show-group":`${e.resourceName}-${e.resourceId}-peek`,"auto-hide":!0},{default:(0,o.withCtx)((()=>[(0,o.renderSlot)(l.$slots,"default")])),content:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",a,[t.value?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(h,{width:"30"})])):((0,o.openBlock)(),(0,o.createElementBlock)("div",c,[r.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.value,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${t.component}`),{class:"mx-0",key:r,index:r,"resource-name":e.resourceName,"resource-id":e.resourceId,field:t},null,8,["index","resource-name","resource-id","field"])))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("p",u,(0,o.toDisplayString)(l.__("There's nothing configured to show here.")),1))]))])])),_:3},8,["onTooltipShow","show-group"])}}};const p=(0,r(66262).A)(h,[["__file","RelationPeek.vue"]])},36338:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726),n=r(44377),l=r.n(n),i=(r(56170),r(10515));const a={class:"bg-white dark:bg-gray-800 border border-gray-200 dark:border-gray-700 rounded divide-y divide-gray-200 dark:divide-gray-700"},s={class:"flex items-center bg-gray-50 dark:bg-gray-800 py-2 px-3 rounded-t"},c={class:"flex items-center space-x-2"},d={class:"grid grid-cols-full divide-y divide-gray-100 dark:divide-gray-700"},u={__name:"RepeaterRow",props:{field:{type:Object,required:!0},index:{type:Number,required:!0},item:{type:Object,required:!0},errors:{type:Object,required:!0},sortable:{type:Boolean,required:!1},viaParent:{type:String}},emits:["click","move-up","move-down","file-deleted"],setup(e,{emit:t}){const r=t,{__:n}=(0,i.B)(),u=e;(0,o.provide)("viaParent",(0,o.computed)((()=>u.viaParent))),(0,o.provide)("index",(0,o.computed)((()=>u.index)));const h=u.item.fields.map((e=>e.attribute)),p=l()(h.map((e=>[`fields.${e}`,(0,o.ref)(null)]))),m=(0,o.inject)("resourceName"),v=(0,o.inject)("resourceId"),f=(0,o.inject)("shownViaNewRelationModal"),g=(0,o.inject)("viaResource"),w=(0,o.inject)("viaResourceId"),k=(0,o.inject)("viaRelationship"),y=()=>u.item.confirmBeforeRemoval?confirm(n("Are you sure you want to remove this item?"))?b():null:b(),b=()=>{Object.keys(p).forEach((async e=>{})),r("click",u.index)};return(t,r)=>{const n=(0,o.resolveComponent)("IconButton");return(0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("div",s,[(0,o.createElementVNode)("div",c,[e.sortable?((0,o.openBlock)(),(0,o.createBlock)(n,{key:0,dusk:"row-move-up-button",onClick:r[0]||(r[0]=r=>t.$emit("move-up",e.index)),iconType:"arrow-up",solid:"",small:""})):(0,o.createCommentVNode)("",!0),e.sortable?((0,o.openBlock)(),(0,o.createBlock)(n,{key:1,dusk:"row-move-down-button",onClick:r[1]||(r[1]=r=>t.$emit("move-down",e.index)),iconType:"arrow-down",solid:"",small:""})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(n,{dusk:"row-delete-button",onClick:(0,o.withModifiers)(y,["stop","prevent"]),class:"ml-auto",iconType:"trash",solid:"",small:""})]),(0,o.createElementVNode)("div",d,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.item.fields,((n,l)=>((0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+n.component),{ref_for:!0,ref:(0,o.unref)(p)[`fields.${n.attribute}`],field:n,index:l,errors:e.errors,"show-help-text":!0,onFileDeleted:r[2]||(r[2]=e=>t.$emit("file-deleted")),nested:!0,"resource-name":(0,o.unref)(m),"resource-id":(0,o.unref)(v),"shown-via-new-relation-modal":(0,o.unref)(f),"via-resource":(0,o.unref)(g),"via-resource-id":(0,o.unref)(w),"via-relationship":(0,o.unref)(k)},null,40,["field","index","errors","resource-name","resource-id","shown-via-new-relation-modal","via-resource","via-resource-id","via-relationship"]))])))),256))])])}}};const h=(0,r(66262).A)(u,[["__file","RepeaterRow.vue"]])},25998:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"overflow-hidden overflow-x-auto relative"},l={key:0,class:"w-full divide-y divide-gray-100 dark:divide-gray-700",dusk:"resource-table"},i={class:"divide-y divide-gray-100 dark:divide-gray-700"};const a={emits:["actionExecuted","delete","restore","order","reset-order-by"],mixins:[r(18700).Ye],props:{authorizedToRelate:{type:Boolean,required:!0},resourceName:{default:null},resources:{default:[]},singularName:{type:String,required:!0},selectedResources:{default:[]},selectedResourceIds:{},shouldShowCheckboxes:{type:Boolean,default:!1},actionsAreAvailable:{type:Boolean,default:!1},viaResource:{default:null},viaResourceId:{default:null},viaRelationship:{default:null},relationshipType:{default:null},updateSelectionStatus:{type:Function},actionsEndpoint:{default:null},sortable:{type:Boolean,default:!1}},data:()=>({selectAllResources:!1,selectAllMatching:!1,resourceCount:null}),methods:{deleteResource(e){this.$emit("delete",[e])},restoreResource(e){this.$emit("restore",[e])},requestOrderByChange(e){this.$emit("order",e)},resetOrderBy(e){this.$emit("reset-order-by",e)}},computed:{fields(){if(this.resources)return this.resources[0].fields},viaManyToMany(){return"belongsToMany"==this.relationshipType||"morphToMany"==this.relationshipType},shouldShowColumnBorders(){return this.resourceInformation.showColumnBorders},tableStyle(){return this.resourceInformation.tableStyle},clickAction(){return this.resourceInformation.clickAction}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("ResourceTableHeader"),u=(0,o.resolveComponent)("ResourceTableRow");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[r.resources.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("table",l,[(0,o.createVNode)(d,{"resource-name":r.resourceName,fields:c.fields,"should-show-column-borders":c.shouldShowColumnBorders,"should-show-checkboxes":r.shouldShowCheckboxes,sortable:r.sortable,onOrder:c.requestOrderByChange,onResetOrderBy:c.resetOrderBy},null,8,["resource-name","fields","should-show-column-borders","should-show-checkboxes","sortable","onOrder","onResetOrderBy"]),(0,o.createElementVNode)("tbody",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.resources,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)(u,{onActionExecuted:t[0]||(t[0]=t=>e.$emit("actionExecuted")),"actions-are-available":r.actionsAreAvailable,"actions-endpoint":r.actionsEndpoint,checked:r.selectedResources.indexOf(n)>-1,"click-action":c.clickAction,"delete-resource":c.deleteResource,key:`${n.id.value}-items-${l}`,"relationship-type":r.relationshipType,"resource-name":r.resourceName,resource:n,"restore-resource":c.restoreResource,"selected-resources":r.selectedResources,"should-show-checkboxes":r.shouldShowCheckboxes,"should-show-column-borders":c.shouldShowColumnBorders,"table-style":c.tableStyle,testId:`${r.resourceName}-items-${l}`,"update-selection-status":r.updateSelectionStatus,"via-many-to-many":c.viaManyToMany,"via-relationship":r.viaRelationship,"via-resource-id":r.viaResourceId,"via-resource":r.viaResource},null,8,["actions-are-available","actions-endpoint","checked","click-action","delete-resource","relationship-type","resource-name","resource","restore-resource","selected-resources","should-show-checkboxes","should-show-column-borders","table-style","testId","update-selection-status","via-many-to-many","via-relationship","via-resource-id","via-resource"])))),128))])])):(0,o.createCommentVNode)("",!0)])}],["__file","ResourceTable.vue"]])},76412:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={class:"bg-gray-50 dark:bg-gray-800"},l={class:"sr-only"},i={key:1},a={class:"uppercase text-xxs tracking-wide px-2 py-2"},s={class:"sr-only"};const c={name:"ResourceTableHeader",emits:["order","reset-order-by"],props:{resourceName:String,shouldShowColumnBorders:Boolean,shouldShowCheckboxes:Boolean,fields:{type:[Object,Array]},sortable:Boolean},methods:{requestOrderByChange(e){this.$emit("order",e)},resetOrderBy(e){this.$emit("reset-order-by",e)}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("SortableIcon");return(0,o.openBlock)(),(0,o.createElementBlock)("thead",n,[(0,o.createElementVNode)("tr",null,[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("th",{key:0,class:(0,o.normalizeClass)(["w-[1%] white-space-nowrap uppercase text-xxs text-gray-500 tracking-wide pl-5 pr-2 py-2",{"border-r border-gray-200 dark:border-gray-600":r.shouldShowColumnBorders}])},[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(e.__("Selected Resources")),1)],2)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.fields,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("th",{key:e.uniqueKey,class:(0,o.normalizeClass)([{[`text-${e.textAlign}`]:!0,"border-r border-gray-200 dark:border-gray-600":r.shouldShowColumnBorders,"px-6":0==t&&!r.shouldShowCheckboxes,"px-2":0!=t||r.shouldShowCheckboxes,"whitespace-nowrap":!e.wrapping},"uppercase text-gray-500 text-xxs tracking-wide py-2"])},[r.sortable&&e.sortable?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onSort:t=>u.requestOrderByChange(e),onReset:t=>u.resetOrderBy(e),"resource-name":r.resourceName,"uri-key":e.sortableUriKey},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.indexName),1)])),_:2},1032,["onSort","onReset","resource-name","uri-key"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(e.indexName),1))],2)))),128)),(0,o.createElementVNode)("th",a,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Controls")),1)])])])}],["__file","ResourceTableHeader.vue"]])},89586:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const n=["data-pivot-id","dusk"],l={class:"flex items-center justify-end space-x-0 text-gray-400"},i={class:"flex items-center gap-1"},a={class:"flex items-center gap-1"},s={class:"leading-normal"};var c=r(87612),d=r.n(c),u=r(6265),h=r(66278),p=r(27226),m=r(20008),v=r(81975);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t({commandPressed:!1,deleteModalOpen:!1,restoreModalOpen:!1,previewModalOpen:!1}),beforeMount(){this.isSelected=this.selectedResources.indexOf(this.resource)>-1},mounted(){window.addEventListener("keydown",this.handleKeydown),window.addEventListener("keyup",this.handleKeyup)},beforeUnmount(){window.removeEventListener("keydown",this.handleKeydown),window.removeEventListener("keyup",this.handleKeyup)},methods:{toggleSelection(){this.updateSelectionStatus(this.resource)},handleKeydown(e){"Meta"!==e.key&&"Control"!==e.key||(this.commandPressed=!0)},handleKeyup(e){"Meta"!==e.key&&"Control"!==e.key||(this.commandPressed=!1)},handleClick(e){return!1===this.resourceHasId?void 0:"edit"===this.clickAction?this.navigateToEditView(e):"select"===this.clickAction?this.toggleSelection():"ignore"===this.clickAction?void 0:"detail"===this.clickAction?this.navigateToDetailView(e):"preview"===this.clickAction?this.navigateToPreviewView(e):this.navigateToDetailView(e)},navigateToDetailView(e){this.resource.authorizedToView&&(this.commandPressed?window.open(this.viewURL,"_blank"):u.Inertia.visit(this.viewURL))},navigateToEditView(e){this.resource.authorizedToUpdate&&(this.commandPressed?window.open(this.updateURL,"_blank"):u.Inertia.visit(this.updateURL))},navigateToPreviewView(e){this.resource.authorizedToView&&this.openPreviewModal()},openPreviewModal(){this.previewModalOpen=!0},closePreviewModal(){this.previewModalOpen=!1},openDeleteModal(){this.deleteModalOpen=!0},confirmDelete(){this.deleteResource(this.resource),this.closeDeleteModal()},closeDeleteModal(){this.deleteModalOpen=!1},openRestoreModal(){this.restoreModalOpen=!0},confirmRestore(){this.restoreResource(this.resource),this.closeRestoreModal()},closeRestoreModal(){this.restoreModalOpen=!1}},computed:g(g({},(0,h.L8)(["currentUser"])),{},{updateURL(){return this.viaManyToMany?this.$url(`/resources/${this.viaResource}/${this.viaResourceId}/edit-attached/${this.resourceName}/${this.resource.id.value}`,{viaRelationship:this.viaRelationship,viaPivotId:this.resource.id.pivotValue}):this.$url(`/resources/${this.resourceName}/${this.resource.id.value}/edit`,{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship})},viewURL(){return this.$url(`/resources/${this.resourceName}/${this.resource.id.value}`)},availableActions(){return d()(this.resource.actions,(e=>e.showOnTableRow))},shouldShowTight(){return"tight"===this.tableStyle},clickableRow(){return!1!==this.resourceHasId&&("edit"===this.clickAction?this.resource.authorizedToUpdate:"select"===this.clickAction?this.shouldShowCheckboxes:"ignore"!==this.clickAction&&("detail"===this.clickAction||this.clickAction,this.resource.authorizedToView))},shouldShowActionDropdown(){return this.availableActions.length>0||this.userHasAnyOptions},shouldShowPreviewLink(){return this.resource.authorizedToView&&this.resource.previewHasFields},userHasAnyOptions(){return this.resourceHasId&&(this.resource.authorizedToReplicate||this.shouldShowPreviewLink||this.canBeImpersonated)},canBeImpersonated(){return this.currentUser.canImpersonate&&this.resource.authorizedToImpersonate}})};const y=(0,r(66262).A)(k,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Checkbox"),p=(0,o.resolveComponent)("InlineActionDropdown"),m=(0,o.resolveComponent)("Icon"),v=(0,o.resolveComponent)("Link"),f=(0,o.resolveComponent)("Button"),g=(0,o.resolveComponent)("DeleteResourceModal"),w=(0,o.resolveComponent)("ModalHeader"),k=(0,o.resolveComponent)("ModalContent"),y=(0,o.resolveComponent)("RestoreResourceModal"),b=(0,o.resolveComponent)("PreviewResourceModal"),x=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("tr",{"data-pivot-id":r.resource.id.pivotValue,dusk:`${r.resource.id.value}-row`,class:(0,o.normalizeClass)(["group",{"divide-x divide-gray-100 dark:divide-gray-700":r.shouldShowColumnBorders}]),onClick:t[4]||(t[4]=(0,o.withModifiers)(((...e)=>u.handleClick&&u.handleClick(...e)),["stop","prevent"]))},[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:0,class:(0,o.normalizeClass)([{"py-2":!u.shouldShowTight,"cursor-pointer":r.resource.authorizedToView},"w-[1%] white-space-nowrap pl-5 pr-5 dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900"]),onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"]))},[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onChange:u.toggleSelection,"model-value":r.checked,dusk:`${r.resource.id.value}-checkbox`,"aria-label":e.__("Select Resource :title",{title:r.resource.title})},null,8,["onChange","model-value","dusk","aria-label"])):(0,o.createCommentVNode)("",!0)],2)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.resource.fields,((e,t)=>((0,o.openBlock)(),(0,o.createElementBlock)("td",{key:e.uniqueKey,class:(0,o.normalizeClass)([{"px-6":0===t&&!r.shouldShowCheckboxes,"px-2":0!==t||r.shouldShowCheckboxes,"py-2":!u.shouldShowTight,"whitespace-nowrap":!e.wrapping,"cursor-pointer":u.clickableRow},"dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900"])},[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("index-"+e.component),{class:(0,o.normalizeClass)(`text-${e.textAlign}`),field:e,resource:r.resource,"resource-name":r.resourceName,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId},null,8,["class","field","resource","resource-name","via-resource","via-resource-id"]))],2)))),128)),(0,o.createElementVNode)("td",{class:(0,o.normalizeClass)([{"py-2":!u.shouldShowTight,"cursor-pointer":r.resource.authorizedToView},"px-2 w-[1%] white-space-nowrap text-right align-middle dark:bg-gray-800 group-hover:bg-gray-50 dark:group-hover:bg-gray-900"])},[(0,o.createElementVNode)("div",l,[u.shouldShowActionDropdown?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,actions:u.availableActions,endpoint:r.actionsEndpoint,resource:r.resource,"resource-name":r.resourceName,"via-many-to-many":r.viaManyToMany,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,onActionExecuted:t[1]||(t[1]=t=>e.$emit("actionExecuted")),onShowPreview:u.navigateToPreviewView},null,8,["actions","endpoint","resource","resource-name","via-many-to-many","via-resource","via-resource-id","via-relationship","onShowPreview"])):(0,o.createCommentVNode)("",!0),u.authorizedToViewAnyResources?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(v,{key:1,as:r.resource.authorizedToView?"a":"button","aria-label":e.__("View"),dusk:`${r.resource.id.value}-view-button`,href:u.viewURL,class:(0,o.normalizeClass)(["inline-flex items-center justify-center h-9 w-9",r.resource.authorizedToView?"text-gray-500 dark:text-gray-400 hover:[&:not(:disabled)]:text-primary-500 dark:hover:[&:not(:disabled)]:text-primary-500":"disabled:cursor-not-allowed disabled:opacity-50"]),disabled:!r.resource.authorizedToView,onClick:t[2]||(t[2]=(0,o.withModifiers)((()=>{}),["stop"]))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",i,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"eye",type:"outline"})])])])),_:1},8,["as","aria-label","dusk","href","class","disabled"])),[[x,e.__("View"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),u.authorizedToUpdateAnyResources?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(v,{key:2,as:r.resource.authorizedToUpdate?"a":"button","aria-label":r.viaManyToMany?e.__("Edit Attached"):e.__("Edit"),dusk:r.viaManyToMany?`${r.resource.id.value}-edit-attached-button`:`${r.resource.id.value}-edit-button`,href:u.updateURL,class:(0,o.normalizeClass)(["inline-flex items-center justify-center h-9 w-9",r.resource.authorizedToUpdate?"text-gray-500 dark:text-gray-400 hover:[&:not(:disabled)]:text-primary-500 dark:hover:[&:not(:disabled)]:text-primary-500":"disabled:cursor-not-allowed disabled:opacity-50"]),disabled:!r.resource.authorizedToUpdate,onClick:t[3]||(t[3]=(0,o.withModifiers)((()=>{}),["stop"]))},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",a,[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(m,{name:"pencil-square",type:"outline"})])])])),_:1},8,["as","aria-label","dusk","href","class","disabled"])),[[x,r.viaManyToMany?e.__("Edit Attached"):e.__("Edit"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),!u.authorizedToDeleteAnyResources||r.resource.softDeleted&&!r.viaManyToMany?(0,o.createCommentVNode)("",!0):(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:3,onClick:(0,o.withModifiers)(u.openDeleteModal,["stop"]),"aria-label":e.__(r.viaManyToMany?"Detach":"Delete"),dusk:`${r.resource.id.value}-delete-button`,icon:"trash",variant:"action",disabled:!r.resource.authorizedToDelete},null,8,["onClick","aria-label","dusk","disabled"])),[[x,e.__(r.viaManyToMany?"Detach":"Delete"),void 0,{click:!0}]]),u.authorizedToRestoreAnyResources&&r.resource.softDeleted&&!r.viaManyToMany?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(f,{key:4,"aria-label":e.__("Restore"),disabled:!r.resource.authorizedToRestore,dusk:`${r.resource.id.value}-restore-button`,type:"button",onClick:(0,o.withModifiers)(u.openRestoreModal,["stop"]),icon:"arrow-path",variant:"action"},null,8,["aria-label","disabled","dusk","onClick"])),[[x,e.__("Restore"),void 0,{click:!0}]]):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(g,{mode:r.viaManyToMany?"detach":"delete",show:e.deleteModalOpen,onClose:u.closeDeleteModal,onConfirm:u.confirmDelete},null,8,["mode","show","onClose","onConfirm"]),(0,o.createVNode)(y,{show:e.restoreModalOpen,onClose:u.closeRestoreModal,onConfirm:u.confirmRestore},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(w,{textContent:(0,o.toDisplayString)(e.__("Restore Resource"))},null,8,["textContent"]),(0,o.createVNode)(k,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("p",s,(0,o.toDisplayString)(e.__("Are you sure you want to restore this resource?")),1)])),_:1})])),_:1},8,["show","onClose","onConfirm"])])],2)],10,n),e.previewModalOpen?((0,o.openBlock)(),(0,o.createBlock)(b,{key:0,"resource-id":r.resource.id.value,"resource-name":r.resourceName,show:e.previewModalOpen,onClose:u.closePreviewModal,onConfirm:u.closePreviewModal},null,8,["resource-id","resource-name","show","onClose","onConfirm"])):(0,o.createCommentVNode)("",!0)],64)}],["__file","ResourceTableRow.vue"]])},21411:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={class:"flex items-center flex-1"},l={class:"md:ml-3"},i={class:"h-9 ml-auto flex items-center pr-2 md:pr-3"},a={class:"hidden md:flex px-2"},s={key:0,class:"flex items-center md:hidden px-2 pt-3 mt-2 md:mt-0 border-t border-gray-200 dark:border-gray-700"};const c={components:{Button:r(27226).A},emits:["start-polling","stop-polling","deselect"],props:["actionsEndpoint","actionQueryString","allMatchingResourceCount","authorizedToDeleteAnyResources","authorizedToDeleteSelectedResources","authorizedToForceDeleteAnyResources","authorizedToForceDeleteSelectedResources","authorizedToRestoreAnyResources","authorizedToRestoreSelectedResources","availableActions","clearSelectedFilters","closeDeleteModal","currentlyPolling","deleteAllMatchingResources","deleteSelectedResources","filterChanged","forceDeleteAllMatchingResources","forceDeleteSelectedResources","getResources","hasFilters","haveStandaloneActions","lenses","lens","isLensView","perPage","perPageOptions","pivotActions","pivotName","resources","resourceInformation","resourceName","currentPageCount","restoreAllMatchingResources","restoreSelectedResources","selectAllChecked","selectAllMatchingChecked","selectedResources","selectedResourcesForActionSelector","shouldShowActionSelector","shouldShowCheckboxes","shouldShowDeleteMenu","shouldShowPollingToggle","softDeletes","toggleSelectAll","toggleSelectAllMatching","togglePolling","trashed","trashedChanged","trashedParameter","updatePerPageChanged","viaManyToMany","viaResource"],computed:{filters(){return this.$store.getters[`${this.resourceName}/filters`]},filtersAreApplied(){return this.$store.getters[`${this.resourceName}/filtersAreApplied`]},activeFilterCount(){return this.$store.getters[`${this.resourceName}/activeFilterCount`]},filterPerPageOptions(){if(this.resourceInformation)return this.perPageOptions||this.resourceInformation.perPageOptions}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("SelectAllDropdown"),p=(0,o.resolveComponent)("ActionSelector"),m=(0,o.resolveComponent)("Button"),v=(0,o.resolveComponent)("LensSelector"),f=(0,o.resolveComponent)("FilterMenu"),g=(0,o.resolveComponent)("DeleteMenu");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["flex flex-col md:flex-row md:items-center",{"py-3 border-b border-gray-200 dark:border-gray-700":r.shouldShowCheckboxes||r.shouldShowDeleteMenu||r.softDeletes||!r.viaResource||r.hasFilters||r.haveStandaloneActions}])},[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",l,[r.shouldShowCheckboxes?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,"all-matching-resource-count":r.allMatchingResourceCount,"current-page-count":r.currentPageCount,onToggleSelectAll:r.toggleSelectAll,onToggleSelectAllMatching:r.toggleSelectAllMatching,onDeselect:t[0]||(t[0]=t=>e.$emit("deselect"))},null,8,["all-matching-resource-count","current-page-count","onToggleSelectAll","onToggleSelectAllMatching"])):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",i,[(0,o.createElementVNode)("div",a,[r.shouldShowActionSelector?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,"resource-name":r.resourceName,"via-resource":r.actionQueryString.viaResource,"via-resource-id":r.actionQueryString.viaResourceId,"via-relationship":r.actionQueryString.viaRelationship,actions:r.availableActions,"pivot-actions":r.pivotActions,"pivot-name":r.pivotName,endpoint:r.actionsEndpoint,"selected-resources":r.selectedResourcesForActionSelector,onActionExecuted:r.getResources},null,8,["resource-name","via-resource","via-resource-id","via-relationship","actions","pivot-actions","pivot-name","endpoint","selected-resources","onActionExecuted"])):(0,o.createCommentVNode)("",!0)]),r.shouldShowPollingToggle?((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,onClick:r.togglePolling,icon:"clock",variant:"link",state:r.currentlyPolling?"default":"mellow"},null,8,["onClick","state"])):(0,o.createCommentVNode)("",!0),r.lenses?.length>0?((0,o.openBlock)(),(0,o.createBlock)(v,{key:1,"resource-name":r.resourceName,lenses:r.lenses},null,8,["resource-name","lenses"])):(0,o.createCommentVNode)("",!0),u.filters.length>0||r.softDeletes||!r.viaResource?((0,o.openBlock)(),(0,o.createBlock)(f,{key:2,"active-filter-count":u.activeFilterCount,"filters-are-applied":u.filtersAreApplied,filters:u.filters,"per-page-options":u.filterPerPageOptions,"per-page":r.perPage,"resource-name":r.resourceName,"soft-deletes":r.softDeletes,trashed:r.trashed,"via-resource":r.viaResource,onClearSelectedFilters:t[1]||(t[1]=e=>r.clearSelectedFilters(r.lens||null)),onFilterChanged:r.filterChanged,onPerPageChanged:r.updatePerPageChanged,onTrashedChanged:r.trashedChanged},null,8,["active-filter-count","filters-are-applied","filters","per-page-options","per-page","resource-name","soft-deletes","trashed","via-resource","onFilterChanged","onPerPageChanged","onTrashedChanged"])):(0,o.createCommentVNode)("",!0),r.shouldShowDeleteMenu?((0,o.openBlock)(),(0,o.createBlock)(g,{key:3,class:"flex",dusk:"delete-menu","soft-deletes":r.softDeletes,resources:r.resources,"selected-resources":r.selectedResources,"via-many-to-many":r.viaManyToMany,"all-matching-resource-count":r.allMatchingResourceCount,"all-matching-selected":r.selectAllMatchingChecked,"authorized-to-delete-selected-resources":r.authorizedToDeleteSelectedResources,"authorized-to-force-delete-selected-resources":r.authorizedToForceDeleteSelectedResources,"authorized-to-delete-any-resources":r.authorizedToDeleteAnyResources,"authorized-to-force-delete-any-resources":r.authorizedToForceDeleteAnyResources,"authorized-to-restore-selected-resources":r.authorizedToRestoreSelectedResources,"authorized-to-restore-any-resources":r.authorizedToRestoreAnyResources,onDeleteSelected:r.deleteSelectedResources,onDeleteAllMatching:r.deleteAllMatchingResources,onForceDeleteSelected:r.forceDeleteSelectedResources,onForceDeleteAllMatching:r.forceDeleteAllMatchingResources,onRestoreSelected:r.restoreSelectedResources,onRestoreAllMatching:r.restoreAllMatchingResources,onClose:r.closeDeleteModal,"trashed-parameter":r.trashedParameter},null,8,["soft-deletes","resources","selected-resources","via-many-to-many","all-matching-resource-count","all-matching-selected","authorized-to-delete-selected-resources","authorized-to-force-delete-selected-resources","authorized-to-delete-any-resources","authorized-to-force-delete-any-resources","authorized-to-restore-selected-resources","authorized-to-restore-any-resources","onDeleteSelected","onDeleteAllMatching","onForceDeleteSelected","onForceDeleteAllMatching","onRestoreSelected","onRestoreAllMatching","onClose","trashed-parameter"])):(0,o.createCommentVNode)("",!0)])]),r.shouldShowActionSelector?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(p,{width:"full","resource-name":r.resourceName,"via-resource":r.actionQueryString.viaResource,"via-resource-id":r.actionQueryString.viaResourceId,"via-relationship":r.actionQueryString.viaRelationship,actions:r.availableActions,"pivot-actions":r.pivotActions,"pivot-name":r.pivotName,endpoint:r.actionsEndpoint,"selected-resources":r.selectedResourcesForActionSelector,onActionExecuted:r.getResources},null,8,["resource-name","via-resource","via-resource-id","via-relationship","actions","pivot-actions","pivot-name","endpoint","selected-resources","onActionExecuted"])])):(0,o.createCommentVNode)("",!0)],2)}],["__file","ResourceTableToolbar.vue"]])},24144:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{height:{type:Number,default:288}},computed:{style(){return{maxHeight:`${this.height}px`}}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"scroll-wrap overflow-x-hidden overflow-y-auto",style:(0,o.normalizeStyle)(i.style)},[(0,o.renderSlot)(e.$slots,"default")],4)}],["__file","ScrollWrap.vue"]])},93172:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["dusk","aria-sort"],l={class:"inline-flex font-sans font-bold uppercase text-xxs tracking-wide text-gray-500"},i={class:"ml-2 shrink-0",xmlns:"http://www.w3.org/2000/svg",width:"8",height:"14",viewBox:"0 0 8 14"};const a={emits:["sort","reset"],mixins:[r(18700).XJ],props:{resourceName:String,uriKey:String},inject:["orderByParameter","orderByDirectionParameter"],methods:{handleClick(){this.isSorted&&this.isDescDirection?this.$emit("reset"):this.$emit("sort",{key:this.uriKey,direction:this.direction})}},computed:{isDescDirection(){return"desc"==this.direction},isAscDirection(){return"asc"==this.direction},ascClass(){return this.isSorted&&this.isDescDirection?"fill-gray-500 dark:fill-gray-300":"fill-gray-300 dark:fill-gray-500"},descClass(){return this.isSorted&&this.isAscDirection?"fill-gray-500 dark:fill-gray-300":"fill-gray-300 dark:fill-gray-500"},isSorted(){return this.sortColumn==this.uriKey&&["asc","desc"].includes(this.direction)},sortKey(){return this.orderByParameter},sortColumn(){return this.queryStringParams[this.sortKey]},directionKey(){return this.orderByDirectionParameter},direction(){return this.queryStringParams[this.directionKey]},notSorted(){return!this.isSorted},ariaSort(){return this.isDescDirection?"descending":this.isAscDirection?"ascending":"none"}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>c.handleClick&&c.handleClick(...e)),["prevent"])),class:"cursor-pointer inline-flex items-center focus:outline-none focus:ring ring-primary-200 dark:ring-gray-600 rounded",dusk:"sort-"+r.uriKey,"aria-sort":c.ariaSort},[(0,o.createElementVNode)("span",l,[(0,o.renderSlot)(e.$slots,"default")]),((0,o.openBlock)(),(0,o.createElementBlock)("svg",i,[(0,o.createElementVNode)("path",{class:(0,o.normalizeClass)(c.descClass),d:"M1.70710678 4.70710678c-.39052429.39052429-1.02368927.39052429-1.41421356 0-.3905243-.39052429-.3905243-1.02368927 0-1.41421356l3-3c.39052429-.3905243 1.02368927-.3905243 1.41421356 0l3 3c.39052429.39052429.39052429 1.02368927 0 1.41421356-.39052429.39052429-1.02368927.39052429-1.41421356 0L4 2.41421356 1.70710678 4.70710678z"},null,2),(0,o.createElementVNode)("path",{class:(0,o.normalizeClass)(c.ascClass),d:"M6.29289322 9.29289322c.39052429-.39052429 1.02368927-.39052429 1.41421356 0 .39052429.39052429.39052429 1.02368928 0 1.41421358l-3 3c-.39052429.3905243-1.02368927.3905243-1.41421356 0l-3-3c-.3905243-.3905243-.3905243-1.02368929 0-1.41421358.3905243-.39052429 1.02368927-.39052429 1.41421356 0L4 11.5857864l2.29289322-2.29289318z"},null,2)]))],8,n)}],["__file","SortableIcon.vue"]])},32857:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"flex flex-wrap gap-2"},l={__name:"TagGroup",props:{resourceName:{type:String},tags:{type:Array,default:[]},limit:{type:[Number,Boolean],default:!1},editable:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},setup(e){const t=e,r=(0,o.ref)(!1),l=(0,o.computed)((()=>!1!==t.limit&&t.tags.length>t.limit&&!r.value)),i=(0,o.computed)((()=>!1===t.limit||r.value?t.tags:t.tags.slice(0,t.limit)));function a(){r.value=!0}return(t,r)=>{const s=(0,o.resolveComponent)("TagGroupItem"),c=(0,o.resolveComponent)("Icon"),d=(0,o.resolveComponent)("Badge"),u=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(i.value,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)(s,{onTagRemoved:r[0]||(r[0]=e=>t.$emit("tag-removed",e)),tag:n,index:l,"resource-name":e.resourceName,editable:e.editable,"with-preview":e.withPreview},null,8,["tag","index","resource-name","editable","with-preview"])))),256)),l.value?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,onClick:(0,o.withModifiers)(a,["stop"]),class:"cursor-pointer bg-primary-50 dark:bg-primary-500 text-primary-600 dark:text-gray-900 space-x-1"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{type:"dots-horizontal",width:"16",height:"16"})])),_:1})),[[u,t.__("Show more")]]):(0,o.createCommentVNode)("",!0)])}}};const i=(0,r(66262).A)(l,[["__file","TagGroup.vue"]])},25385:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={__name:"TagGroupItem",props:{resourceName:{type:String},index:{type:Number,required:!0},tag:{type:Object,required:!0},editable:{type:Boolean,default:!0},withSubtitles:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},emits:["tag-removed","click"],setup(e){const t=(0,o.ref)(!1),r=e;function n(){r.withPreview&&(t.value=!t.value)}return(r,l)=>{const i=(0,o.resolveComponent)("Icon"),a=(0,o.resolveComponent)("Badge"),s=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(n,["stop"]),class:(0,o.normalizeClass)(["appearance-none inline-flex items-center text-left rounded-lg",{"hover:opacity-50":e.withPreview,"!cursor-default":!e.withPreview}])},[(0,o.createVNode)(a,{class:(0,o.normalizeClass)(["bg-primary-50 dark:bg-primary-500 text-primary-600 dark:text-gray-900 space-x-1",{"!pl-2 !pr-1":e.editable}])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.tag.display),1),e.editable?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:l[0]||(l[0]=(0,o.withModifiers)((t=>r.$emit("tag-removed",e.index)),["stop"])),type:"button",class:"opacity-50 hover:opacity-75 dark:opacity-100 dark:hover:opacity-50"},[(0,o.createVNode)(i,{type:"x",width:"16",height:"16"})])):(0,o.createCommentVNode)("",!0)])),_:1},8,["class"]),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,onClose:n,show:t.value,"resource-id":e.tag.value,"resource-name":e.resourceName},null,8,["show","resource-id","resource-name"])):(0,o.createCommentVNode)("",!0)],2)}}};const l=(0,r(66262).A)(n,[["__file","TagGroupItem.vue"]])},56383:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={__name:"TagList",props:{resourceName:{type:String},tags:{type:Array,default:[]},editable:{type:Boolean,default:!0},withSubtitles:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},emits:["tag-removed","click"],setup:(e,{emit:t})=>(t,r)=>{const n=(0,o.resolveComponent)("TagListItem");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.tags,((l,i)=>((0,o.openBlock)(),(0,o.createBlock)(n,{onTagRemoved:r[0]||(r[0]=e=>t.$emit("tag-removed",e)),index:i,tag:l,"resource-name":e.resourceName,editable:e.editable,"with-subtitles":e.withSubtitles,"with-preview":e.withPreview},null,8,["index","tag","resource-name","editable","with-subtitles","with-preview"])))),256))])}};const l=(0,r(66262).A)(n,[["__file","TagList.vue"]])},92275:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"flex items-center space-x-3"},l={class:"text-xs font-semibold"},i={key:0,class:"text-xs"},a={__name:"TagListItem",props:{resourceName:{type:String},index:{type:Number,required:!0},tag:{type:Object,required:!0},editable:{type:Boolean,default:!0},withSubtitles:{type:Boolean,default:!0},withPreview:{type:Boolean,default:!1}},emits:["tag-removed","click"],setup(e){const t=(0,o.ref)(!1),r=e;function a(){r.withPreview&&(t.value=!t.value)}return(r,s)=>{const c=(0,o.resolveComponent)("Avatar"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("IconButton"),h=(0,o.resolveComponent)("PreviewResourceModal");return(0,o.openBlock)(),(0,o.createElementBlock)("button",{type:"button",onClick:(0,o.withModifiers)(a,["stop"]),class:(0,o.normalizeClass)(["block w-full flex items-center text-left rounded px-1 py-1",{"hover:bg-gray-50 dark:hover:bg-gray-700":e.withPreview,"!cursor-default":!e.withPreview}])},[(0,o.createElementVNode)("div",n,[e.tag.avatar?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,src:e.tag.avatar,rounded:!0,medium:""},null,8,["src"])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("p",l,(0,o.toDisplayString)(e.tag.display),1),e.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,(0,o.toDisplayString)(e.tag.subtitle),1)):(0,o.createCommentVNode)("",!0)])]),e.editable?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,iconType:"minus-circle",onClick:s[0]||(s[0]=(0,o.withModifiers)((t=>r.$emit("tag-removed",e.index)),["stop"])),type:"button",tabindex:"0",class:"ml-auto flex appearance-none cursor-pointer text-red-500 hover:text-red-600 active:outline-none",title:r.__("Delete")},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{type:"minus-circle"})])),_:1},8,["title"])):(0,o.createCommentVNode)("",!0),e.withPreview?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,onClose:a,show:t.value,"resource-id":e.tag.value,"resource-name":e.resourceName},null,8,["show","resource-id","resource-name"])):(0,o.createCommentVNode)("",!0)],2)}}};const s=(0,r(66262).A)(a,[["__file","TagListItem.vue"]])},78328:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;te.$emit("tooltip-show")),onHide:t[1]||(t[1]=t=>e.$emit("tooltip-hide"))},{popper:(0,o.withCtx)((()=>[(0,o.renderSlot)(e.$slots,"content")])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.renderSlot)(e.$slots,"default")])])),_:3},8,["triggers","distance","skidding","placement","boundary","prevent-overflow","theme"])}],["__file","Tooltip.vue"]])},16521:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{maxWidth:{default:"auto"}},computed:{defaultAttributes(){return{class:this.$attrs.class||"px-3 py-2 text-sm leading-normal",style:{maxWidth:"auto"===this.maxWidth?this.maxWidth:`${this.maxWidth}px`}}}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",(0,o.normalizeProps)((0,o.guardReactiveProps)(i.defaultAttributes)),[(0,o.renderSlot)(e.$slots,"default")],16)}],["__file","TooltipContent.vue"]])},48306:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("With Trashed")),1)])),_:1},16,["dusk","checked","onInput"])])}],["__file","TrashedCheckbox.vue"]])},23845:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["input","placeholder"],l=["name","id","value"];var i=r(25542);r(8507),r(76242);const a={name:"trix-vue",inheritAttrs:!1,emits:["change","file-added","file-removed"],props:{name:{type:String},value:{type:String},placeholder:{type:String},withFiles:{type:Boolean,default:!0},disabled:{type:Boolean,default:!1}},data:()=>({uid:(0,i.L)(),loading:!0}),methods:{initialize(){this.disabled&&this.$refs.theEditor.setAttribute("contenteditable",!1),this.loading=!1},handleChange(){this.loading||this.$emit("change",this.$refs.theEditor.value)},handleFileAccept(e){this.withFiles||e.preventDefault()},handleAddFile(e){this.$emit("file-added",e)},handleRemoveFile(e){this.$emit("file-removed",e)}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,null,[(0,o.createElementVNode)("trix-editor",(0,o.mergeProps)({ref:"theEditor",onKeydown:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),input:e.uid},e.$attrs,{onTrixChange:t[1]||(t[1]=(...e)=>s.handleChange&&s.handleChange(...e)),onTrixInitialize:t[2]||(t[2]=(...e)=>s.initialize&&s.initialize(...e)),onTrixAttachmentAdd:t[3]||(t[3]=(...e)=>s.handleAddFile&&s.handleAddFile(...e)),onTrixAttachmentRemove:t[4]||(t[4]=(...e)=>s.handleRemoveFile&&s.handleRemoveFile(...e)),onTrixFileAccept:t[5]||(t[5]=(...e)=>s.handleFileAccept&&s.handleFileAccept(...e)),placeholder:r.placeholder,class:"trix-content prose !max-w-full prose-sm dark:prose-invert"}),null,16,n),(0,o.createElementVNode)("input",{type:"hidden",name:r.name,id:e.uid,value:r.value},null,8,l)],64)}],["__file","Trix.vue"]])},44724:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>E});var o=r(29726);const n={class:"inline-flex items-center shrink-0 gap-2"},l={class:"hidden lg:inline-block"},i=["alt","src"],a={class:"whitespace-nowrap"},s={class:"py-1"},c={key:0,class:"mr-1"},d={key:1,class:"flex items-center"},u=["alt","src"],h={class:"whitespace-nowrap"};var p=r(6265),m=r(83488),v=r.n(m),f=r(5187),g=r.n(f),w=r(42194),k=r.n(w),y=r(71086),b=r.n(y),x=r(66278);function B(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function C(e){for(var t=1;t{null===e?Nova.redirectToLogin():location.href=e})).catch((e=>{p.Inertia.reload()}))},handleStopImpersonating(){confirm(this.__("Are you sure you want to stop impersonating?"))&&this.stopImpersonating()},handleUserMenuClosed(){!0===this.mobile&&this.toggleMainMenu()}}),computed:C(C({},(0,x.L8)(["currentUser","userMenu"])),{},{userName(){return this.currentUser.name||this.currentUser.email||this.__("Nova User")},formattedItems(){return this.userMenu.map((e=>{let t=e.method||"GET",r={href:e.path};return e.external&&"GET"==t?{component:"DropdownMenuItem",props:C(C({},r),{},{target:e.target||null}),name:e.name,external:e.external,on:{}}:{component:"DropdownMenuItem",props:b()(k()(C(C({},r),{},{method:"GET"!==t?t:null,data:e.data||null,headers:e.headers||null,as:"GET"===t?"link":"form-button"}),g()),v()),external:e.external,name:e.name,on:{},badge:e.badge}}))},hasUserMenu(){return this.currentUser&&(this.formattedItems.length>0||this.supportsAuthentication||this.currentUser.impersonating)},supportsAuthentication(){return!0===Nova.config("withAuthentication")||!1!==this.customLogoutPath},customLogoutPath:()=>Nova.config("customLogoutPath"),componentName:()=>"Dropdown",dropdownPlacement(){return!0===this.mobile?"top-start":"bottom-end"}})};const E=(0,r(66262).A)(V,[["render",function(e,t,r,p,m,v){const f=(0,o.resolveComponent)("Icon"),g=(0,o.resolveComponent)("Button"),w=(0,o.resolveComponent)("Badge"),k=(0,o.resolveComponent)("DropdownMenuItem"),y=(0,o.resolveComponent)("DropdownMenu"),b=(0,o.resolveComponent)("Dropdown");return v.hasUserMenu?((0,o.openBlock)(),(0,o.createBlock)(b,{key:0,onMenuClosed:v.handleUserMenuClosed,placement:v.dropdownPlacement},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(y,{width:"200",class:"px-1"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("nav",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(v.formattedItems,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(e.component),(0,o.mergeProps)({key:e.path},e.props,(0,o.toHandlers)(e.on)),{default:(0,o.withCtx)((()=>[e.badge?((0,o.openBlock)(),(0,o.createElementBlock)("span",c,[(0,o.createVNode)(w,{"extra-classes":e.badge.typeClass},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.badge.value),1)])),_:2},1032,["extra-classes"])])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.name),1)])),_:2},1040)))),128)),e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0,as:"button",onClick:v.handleStopImpersonating},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Stop Impersonating")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0),v.supportsAuthentication?((0,o.openBlock)(),(0,o.createBlock)(k,{key:1,as:"button",onClick:v.attempt},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Logout")),1)])),_:1},8,["onClick"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(g,{class:"block shrink-0",variant:"ghost",padding:"tight","trailing-icon":"chevron-down"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",n,[(0,o.createElementVNode)("span",l,[e.currentUser.impersonating?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,type:"finger-print",solid:!0,class:"w-7 h-7"})):e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:1,alt:e.__(":name's Avatar",{name:v.userName}),src:e.currentUser.avatar,class:"rounded-full w-7 h-7"},null,8,i)):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(v.userName),1)])])),_:1})])),_:1},8,["onMenuClosed","placement"])):e.currentUser?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[e.currentUser.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("img",{key:0,alt:e.__(":name's Avatar",{name:v.userName}),src:e.currentUser.avatar,class:"rounded-full w-8 h-8 mr-3"},null,8,u)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("span",h,(0,o.toDisplayString)(v.userName),1)])):(0,o.createCommentVNode)("",!0)}],["__file","UserMenu.vue"]])},15235:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={key:0,class:"row"},l={class:"col-6 alert alert-danger"},i=(0,o.createElementVNode)("br",null,null,-1),a=(0,o.createElementVNode)("br",null,null,-1),s={style:{"margin-bottom":"0"}};const c={props:["errors"]};const d=(0,r(66262).A)(c,[["render",function(e,t,r,c,d,u){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[r.errors.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("strong",null,(0,o.toDisplayString)(e.__("Whoops!")),1),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.__("Something went wrong."))+" ",1),i,a,(0,o.createElementVNode)("ul",s,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.errors,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("li",null,(0,o.toDisplayString)(e),1)))),256))])])])):(0,o.createCommentVNode)("",!0)])}],["__file","ValidationErrors.vue"]])},4957:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["src"],l={key:1},i={key:2,class:"flex items-center text-sm mt-3"},a=["dusk"],s={class:"class mt-1"};var c=r(69843),d=r.n(c);const u={mixins:[r(18700).S0],props:["index","resource","resourceName","resourceId","field"],methods:{download(){const{resourceName:e,resourceId:t}=this,r=this.field.attribute;let o=document.createElement("a");o.href=`/nova-api/${e}/${t}/download/${r}`,o.download="download",document.body.appendChild(o),o.click(),document.body.removeChild(o)}},computed:{hasPreviewableAudio(){return!d()(this.field.previewUrl)},shouldShowToolbar(){return Boolean(this.field.downloadable&&this.fieldHasValue)},defaultAttributes(){return{src:this.field.previewUrl,autoplay:this.field.autoplay,preload:this.field.preload}}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Icon"),p=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(p,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[u.hasPreviewableAudio?((0,o.openBlock)(),(0,o.createElementBlock)("audio",(0,o.mergeProps)({key:0},u.defaultAttributes,{class:"w-full",src:r.field.previewUrl,controls:"",controlslist:"nodownload"}),null,16,n)):(0,o.createCommentVNode)("",!0),u.hasPreviewableAudio?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—")),u.shouldShowToolbar?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,[r.field.downloadable?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:0,dusk:r.field.attribute+"-download-link",onKeydown:t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"]),["enter"])),onClick:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"])),tabindex:"0",class:"cursor-pointer text-gray-500 inline-flex items-center"},[(0,o.createVNode)(h,{class:"mr-2",type:"download","view-box":"0 0 24 24",width:"16",height:"16"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,a)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","AudioField.vue"]])},8016:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={key:0,class:"mr-1 -ml-1"};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon"),c=(0,o.resolveComponent)("Badge"),d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{class:"mt-1",label:r.field.label,"extra-classes":r.field.typeClass},{icon:(0,o.withCtx)((()=>[r.field.icon?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.createVNode)(s,{solid:!0,type:r.field.icon},null,8,["type"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])),_:1},8,["index","field"])}],["__file","BadgeField.vue"]])},61935:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={key:0},l={key:1},i={key:2};const a={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("RelationPeek"),h=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(h,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[r.field.viewable&&r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[r.field.peekable&&r.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,"resource-name":r.field.resourceName,"resource-id":r.field.belongsToId,resource:r.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.field.resourceName}/${r.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,href:e.$url(`/resources/${r.field.resourceName}/${r.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"]))])):r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("p",l,(0,o.toDisplayString)(r.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","BelongsToField.vue"]])},40065:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{field:r.field,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":r.resourceId,"via-relationship":r.field.belongsToManyRelationship,"relationship-type":"belongsToMany",onActionExecuted:i.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage"])}],["__file","BelongsToManyField.vue"]])},47384:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"],computed:{label(){return 1==this.field.value?this.__("Yes"):this.__("No")},type(){return 1==this.field.value?"check-circle":"x-circle"},color(){return 1==this.field.value?"text-green-500":"text-red-500"}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Icon"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{viewBox:"0 0 24 24",width:"24",height:"24",type:i.type,class:(0,o.normalizeClass)(i.color)},null,8,["type","class"])])),_:1},8,["index","field"])}],["__file","BooleanField.vue"]])},6694:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={key:0,class:"space-y-2"},l={key:1};var i=r(87612),a=r.n(i),s=r(55378),c=r.n(s);const d={props:["index","resource","resourceName","resourceId","field"],data:()=>({value:[],classes:{true:"text-green-500",false:"text-red-500"}}),created(){this.field.value=this.field.value||{},this.value=a()(c()(this.field.options,(e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1}))),(e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked)))}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("IconBoolean"),d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("ul",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{class:(0,o.normalizeClass)([e.classes[t.checked],"flex items-center rounded-full font-bold text-sm leading-tight space-x-2"])},[(0,o.createVNode)(c,{class:"flex-none",value:t.checked},null,8,["value"]),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(t.label),1)],2)))),256))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(this.field.noValueText),1))])),_:1},8,["index","field"])}],["__file","BooleanGroupField.vue"]])},89296:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>f});var o=r(29726);const n={key:0,class:"form-input form-control-bordered px-0 overflow-hidden"},l={ref:"theTextarea"},i={key:1};var a=r(15237),s=r.n(a),c=r(18700),d=r(5187),u=r.n(d);function h(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function p(e){for(var t=1;t[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("textarea",l,null,512)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","CodeField.vue"]])},80005:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"rounded-lg inline-flex items-center justify-center border border-60 p-1"};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("span",{class:"block w-6 h-6",style:(0,o.normalizeStyle)({borderRadius:"5px",backgroundColor:r.field.value})},null,4)])])),_:1},8,["index","field"])}],["__file","ColorField.vue"]])},90884:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","CurrencyField.vue"]])},39112:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["title"],l={key:1};var i=r(91272);const a={mixins:[r(18700).S0],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return i.c9.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(c,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue||e.usesCustomizedDisplay?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,title:r.field.value},(0,o.toDisplayString)(s.formattedDate),9,n)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateField.vue"]])},4204:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["title"],l={key:1};var i=r(91272);const a={mixins:[r(18700).S0],props:["index","resource","resourceName","resourceId","field"],computed:{formattedDateTime(){return this.usesCustomizedDisplay?this.field.displayedAs:i.c9.fromISO(this.field.value).setZone(this.timezone).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",timeZoneName:"short"})},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(c,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue||e.usesCustomizedDisplay?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,title:r.field.value},(0,o.toDisplayString)(s.formattedDateTime),9,n)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])),_:1},8,["index","field"])}],["__file","DateTimeField.vue"]])},94807:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={key:0,class:"flex items-center"},l=["href"],i={key:1};var a=r(18700);const s={mixins:[a.nl,a.S0],props:["index","resource","resourceName","resourceId","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("CopyButton"),u=(0,o.resolveComponent)("PanelItem"),h=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.createElementVNode)("a",{href:`mailto:${r.field.value}`,class:"link-default"},(0,o.toDisplayString)(e.fieldValue),9,l),e.fieldHasValue&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,onClick:(0,o.withModifiers)(c.copy,["prevent","stop"]),class:"mx-0"},null,8,["onClick"])),[[h,e.__("Copy to clipboard")]]):(0,o.createCommentVNode)("",!0)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","EmailField.vue"]])},37379:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={key:1,class:"break-words"},l={key:2},i={key:3,class:"flex items-center text-sm mt-3"},a=["dusk"],s={class:"class mt-1"};const c={mixins:[r(18700).S0],props:["index","resource","resourceName","resourceId","field"],methods:{download(){const{resourceName:e,resourceId:t}=this,r=this.fieldAttribute;let o=document.createElement("a");o.href=`/nova-api/${e}/${t}/download/${r}`,o.download="download",document.body.appendChild(o),o.click(),document.body.removeChild(o)}},computed:{hasValue(){return Boolean(this.field.value||this.imageUrl)},shouldShowLoader(){return this.imageUrl},shouldShowToolbar(){return Boolean(this.field.downloadable&&this.hasValue)},imageUrl(){return this.field.previewUrl||this.field.thumbnailUrl},isVaporField(){return"vapor-file-field"===this.field.component}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("ImageLoader"),p=(0,o.resolveComponent)("Icon"),m=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(m,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[u.shouldShowLoader?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,src:u.imageUrl,maxWidth:r.field.maxWidth||r.field.detailWidth,rounded:r.field.rounded,aspect:r.field.aspect},null,8,["src","maxWidth","rounded","aspect"])):(0,o.createCommentVNode)("",!0),e.fieldValue&&!u.imageUrl?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.fieldValue),1)):(0,o.createCommentVNode)("",!0),e.fieldValue||u.imageUrl?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—")),u.shouldShowToolbar?((0,o.openBlock)(),(0,o.createElementBlock)("p",i,[r.field.downloadable?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:0,dusk:r.field.attribute+"-download-link",onKeydown:t[0]||(t[0]=(0,o.withKeys)((0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"]),["enter"])),onClick:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>u.download&&u.download(...e)),["prevent"])),tabindex:"0",class:"cursor-pointer text-gray-500 inline-flex items-center"},[(0,o.createVNode)(p,{class:"mr-2",type:"download","view-box":"0 0 24 24",width:"16",height:"16"}),(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(e.__("Download")),1)],40,a)):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","FileField.vue"]])},31985:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);function n(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function l(e){for(var t=1;t{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{field:r.field,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":r.resourceId,"via-relationship":r.field.hasManyThroughRelationship,"relationship-type":"hasManyThrough",onActionExecuted:i.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage"])}],["__file","HasManyThroughField.vue"]])},82668:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n=["dusk","data-relationship"],l={key:1};const i={props:["resourceName","resourceId","resource","field"],computed:{authorizedToCreate(){return this.field.authorizedToCreate},createButtonLabel(){return this.field.createButtonLabel},hasRelation(){return null!=this.field.hasOneId},singularName(){return this.field.singularLabel},viaResourceId(){return this.resource.id.value},viaRelationship(){return this.field.hasOneRelationship}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("IndexEmptyDialog"),u=(0,o.resolveComponent)("Card"),h=(0,o.resolveComponent)("ResourceDetail");return r.field.authorizedToView?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:"relative",dusk:r.field.resourceName+"-index-component","data-relationship":s.viaRelationship},[s.hasRelation?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createVNode)(h,{"resource-name":r.field.resourceName,"resource-id":r.field.hasOneId,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"show-view-link":!0},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","relationship-type"])])):((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[(0,o.createVNode)(c,{level:1,class:"mb-3 flex items-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.singularLabel),1)])),_:1}),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{"create-button-label":s.createButtonLabel,"singular-name":s.singularName,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"authorized-to-create":s.authorizedToCreate,"authorized-to-relate":!0},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create"])])),_:1})],64))],8,n)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneField.vue"]])},99592:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n=["dusk","data-relationship"],l={key:1};const i={props:["resourceName","resourceId","resource","field"],computed:{authorizedToCreate(){return this.field.authorizedToCreate},createButtonLabel(){return this.field.createButtonLabel},hasRelation(){return null!=this.field.hasOneThroughId},singularName(){return this.field.singularLabel},viaResourceId(){return this.resource.id.value},viaRelationship(){return this.field.hasOneThroughRelationship}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Heading"),d=(0,o.resolveComponent)("IndexEmptyDialog"),u=(0,o.resolveComponent)("Card"),h=(0,o.resolveComponent)("ResourceDetail");return r.field.authorizedToView?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:"relative",dusk:r.field.resourceName+"-index-component","data-relationship":s.viaRelationship},[s.hasRelation?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createVNode)(h,{"resource-name":r.field.resourceName,"resource-id":r.field.hasOneThroughId,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"show-view-link":!0},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","relationship-type"])])):((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[(0,o.createVNode)(c,{level:1,class:"mb-3 flex items-center"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.singularLabel),1)])),_:1}),(0,o.createVNode)(u,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{"create-button-label":s.createButtonLabel,"singular-name":s.singularName,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":s.viaResourceId,"via-relationship":s.viaRelationship,"relationship-type":r.field.relationshipType,"authorized-to-create":!1,"authorized-to-relate":!1},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type"])])),_:1})],64))],8,n)):(0,o.createCommentVNode)("",!0)}],["__file","HasOneThroughField.vue"]])},90918:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={class:"w-full py-4 px-6"},l=["innerHTML"],i={key:2};var a=r(2673);const s={props:["index","resource","resourceName","resourceId","field"],computed:{fieldValue(){return!!(0,a.A)(this.field.value)&&String(this.field.value)},shouldDisplayAsHtml(){return this.field.asHtml}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Heading");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["-mx-6",{"border-t border-gray-100 dark:border-gray-700":0!==r.index,"-mt-2":0===r.index}])},[(0,o.createElementVNode)("div",n,[(0,o.renderSlot)(e.$slots,"value",{},(()=>[c.fieldValue&&!c.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(c.fieldValue),1)])),_:1})):c.fieldValue&&c.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,innerHTML:r.field.value},null,8,l)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))]))])],2)}],["__file","HeadingField.vue"]])},92779:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"hidden"};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n)}],["__file","HiddenField.vue"]])},22847:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","IdField.vue"]])},21418:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"bg-gray-50 dark:bg-gray-700 overflow-hidden key-value-items"};var l=r(55378),i=r.n(l);const a={props:["index","resource","resourceName","resourceId","field"],data:()=>({theData:[]}),created(){this.theData=i()(Object.entries(this.field.value||{}),(([e,t])=>({key:`${e}`,value:t})))}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("FormKeyValueHeader"),c=(0,o.resolveComponent)("FormKeyValueItem"),d=(0,o.resolveComponent)("FormKeyValueTable"),u=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.theData.length>0?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,"edit-mode":!1,class:"overflow-hidden"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{"key-label":r.field.keyLabel,"value-label":r.field.valueLabel},null,8,["key-label","value-label"]),(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.theData,((e,t)=>((0,o.openBlock)(),(0,o.createBlock)(c,{index:t,item:e,disabled:!0,key:e.key},null,8,["index","item"])))),128))])])),_:1})):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","KeyValueField.vue"]])},83658:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"],computed:{excerpt(){return this.field.previewFor}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Excerpt"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{content:i.excerpt,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","MarkdownField.vue"]])},94956:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={key:1},l={key:2},i={key:3};const a={props:["index","resourceName","resourceId","field"]};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[r.field.viewable&&r.field.value?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:"no-underline font-bold link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.name)+": "+(0,o.toDisplayString)(r.field.value)+" ("+(0,o.toDisplayString)(r.field.resourceLabel)+") ",1)])),_:1},8,["href"])):r.field.morphToId&&null!==r.field.resourceLabel?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,(0,o.toDisplayString)(r.field.name)+": "+(0,o.toDisplayString)(r.field.morphToId)+" ("+(0,o.toDisplayString)(r.field.resourceLabel)+") ",1)):r.field.morphToId&&null===r.field.resourceLabel?((0,o.openBlock)(),(0,o.createElementBlock)("p",l,(0,o.toDisplayString)(r.field.morphToType)+": "+(0,o.toDisplayString)(r.field.morphToId),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field"])}],["__file","MorphToActionTargetField.vue"]])},47207:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={key:0},l={key:1},i={key:2};const a={props:["index","resource","resourceName","resourceId","field"]};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Link"),u=(0,o.resolveComponent)("RelationPeek"),h=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(h,{index:r.index,field:r.field,"field-name":r.field.name},{value:(0,o.withCtx)((()=>[r.field.viewable&&r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[r.field.peekable&&r.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,"resource-name":r.field.resourceName,"resource-id":r.field.morphToId,resource:r.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.resourceLabel)+": "+(0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.resourceLabel)+": "+(0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href"]))])):r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("p",l,(0,o.toDisplayString)(r.field.resourceLabel||r.field.morphToType)+": "+(0,o.toDisplayString)(r.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])),_:1},8,["index","field","field-name"])}],["__file","MorphToField.vue"]])},43131:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={emits:["actionExecuted"],props:["resourceName","resourceId","resource","field"],methods:{actionExecuted(){this.$emit("actionExecuted")}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{field:r.field,"resource-name":r.field.resourceName,"via-resource":r.resourceName,"via-resource-id":r.resourceId,"via-relationship":r.field.morphToManyRelationship,"relationship-type":"morphToMany",onActionExecuted:i.actionExecuted,"load-cards":!1,initialPerPage:r.field.perPage||5,"should-override-meta":!1},null,8,["field","resource-name","via-resource","via-resource-id","via-relationship","onActionExecuted","initialPerPage"])}],["__file","MorphToManyField.vue"]])},4832:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n=["textContent"];var l=r(18700),i=r(39754),a=r.n(i);const s={mixins:[l.S0],props:["index","resource","resourceName","resourceId","field"],computed:{fieldValues(){let e=[];return a()(this.field.options,(t=>{this.isEqualsToValue(t.value)&&e.push(t.label)})),e}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(a.fieldValues,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("span",{textContent:(0,o.toDisplayString)(e),class:"inline-block text-sm mb-1 mr-2 px-2 py-0 bg-primary-500 text-white dark:text-gray-900 rounded"},null,8,n)))),256))])),_:1},8,["index","field"])}],["__file","MultiSelectField.vue"]])},92448:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={class:"flex items-center"},l=["aria-label","aria-expanded"],i=["innerHTML"],a={key:0,class:"-mx-6 border-t border-gray-100 dark:border-gray-700 text-center rounded-b"};var s=r(18700);const c={mixins:[s.pJ,s.x7],methods:{resolveComponentName:e=>e.prefixComponent?"detail-"+e.component:e.component,showAllFields(){return this.panel.limit=0}},computed:{localStorageKey(){return`nova.panels.${this.panel.attribute}.collapsed`},collapsedByDefault(){return this.panel?.collapsedByDefault??!1},fields(){return this.panel.limit>0?this.panel.fields.slice(0,this.panel.limit):this.panel.fields},shouldShowShowAllFieldsButton(){return this.panel.limit>0}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("Heading"),h=(0,o.resolveComponent)("CollapseButton"),p=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.renderSlot)(e.$slots,"default",{},(()=>[(0,o.createElementVNode)("div",n,[(0,o.createVNode)(u,{level:1,textContent:(0,o.toDisplayString)(e.panel.name)},null,8,["textContent"]),e.panel.collapsable?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,onClick:t[0]||(t[0]=(...t)=>e.toggleCollapse&&e.toggleCollapse(...t)),class:"rounded border border-transparent h-6 w-6 ml-1 inline-flex items-center justify-center focus:outline-none focus:ring focus:ring-primary-200","aria-label":e.__("Toggle Collapsed"),"aria-expanded":!1===e.collapsed?"true":"false"},[(0,o.createVNode)(h,{collapsed:e.collapsed},null,8,["collapsed"])],8,l)):(0,o.createCommentVNode)("",!0)]),e.panel.helpText&&!e.collapsed?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:(0,o.normalizeClass)(["text-gray-500 text-sm font-semibold italic",e.panel.helpText?"mt-1":"mt-3"]),innerHTML:e.panel.helpText},null,10,i)):(0,o.createCommentVNode)("",!0)])),!e.collapsed&&d.fields.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,class:"mt-3 py-2 px-6 divide-y divide-gray-100 dark:divide-gray-700"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(d.fields,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(d.resolveComponentName(t)),{key:r,index:r,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:t,onActionExecuted:e.actionExecuted},null,40,["index","resource-name","resource-id","resource","field","onActionExecuted"])))),128)),d.shouldShowShowAllFieldsButton?((0,o.openBlock)(),(0,o.createElementBlock)("div",a,[(0,o.createElementVNode)("button",{type:"button",class:"block w-full text-sm link-default font-bold py-2 -mb-2",onClick:t[1]||(t[1]=(...e)=>d.showAllFields&&d.showAllFields(...e))},(0,o.toDisplayString)(e.__("Show All Fields")),1)])):(0,o.createCommentVNode)("",!0)])),_:1})):(0,o.createCommentVNode)("",!0)])}],["__file","Panel.vue"]])},68277:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=(0,o.createElementVNode)("p",null," ········· ",-1);const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[n])),_:1},8,["index","field"])}],["__file","PasswordField.vue"]])},26852:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(70668).default};const n=(0,r(66262).A)(o,[["__file","PlaceField.vue"]])},58004:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={mixins:[r(18700).x7],computed:{field(){return this.panel.fields[0]}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`detail-${i.field.component}`),{key:`${i.field.attribute}:${e.resourceId}`,"resource-name":e.resourceName,"resource-id":e.resourceId,resource:e.resource,field:i.field,onActionExecuted:e.actionExecuted},null,40,["resource-name","resource-id","resource","field","onActionExecuted"]))])}],["__file","RelationshipPanel.vue"]])},98766:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","SelectField.vue"]])},79123:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(70668).default};const n=(0,r(66262).A)(o,[["__file","SlugField.vue"]])},15294:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var n=r(9592),l=r.n(n);r(7588);const i={props:["index","resource","resourceName","resourceId","field"],data:()=>({chartist:null}),watch:{"field.data":function(e,t){this.renderChart()}},methods:{renderChart(){this.chartist.update(this.field.data)}},mounted(){this.chartist=new(l()[this.chartStyle])(this.$refs.chart,{series:[this.field.data]},{height:this.chartHeight,width:this.chartWidth,showPoint:!1,fullWidth:!0,chartPadding:{top:0,right:0,bottom:0,left:0},axisX:{showGrid:!1,showLabel:!1,offset:0},axisY:{showGrid:!1,showLabel:!1,offset:0}})},computed:{hasData(){return this.field.data.length>0},chartStyle(){let e=this.field.chartStyle.toLowerCase();return["line","bar"].includes(e)?e.charAt(0).toUpperCase()+e.slice(1):"Line"},chartHeight(){return this.field.height?`${this.field.height}px`:"120px"},chartWidth(){if(this.field.width)return`${this.field.width}px`}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:i.chartWidth,height:i.chartHeight})},null,4)])),_:1},8,["index","field"])}],["__file","SparklineField.vue"]])},13685:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={key:1};const l={props:["index","resource","resourceName","resourceId","field"],computed:{hasValue(){return this.field.lines}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[a.hasValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)([`text-${r.field.textAlign}`,"leading-normal"])},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.field.lines,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`index-${e.component}`),{key:e.value,field:e,resourceName:r.resourceName},null,8,["field","resourceName"])))),128))],2)):((0,o.openBlock)(),(0,o.createElementBlock)("p",n,"—"))])),_:1},8,["index","field"])}],["__file","StackField.vue"]])},45874:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"mr-1 -ml-1"},l={key:1};const i={mixins:[r(18700).S0],props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Loader"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Badge"),h=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(h,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,class:(0,o.normalizeClass)(["whitespace-nowrap inline-flex items-center",r.field.typeClass])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",n,["loading"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,width:"20",class:"mr-1"})):(0,o.createCommentVNode)("",!0),"failed"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,solid:!0,type:"exclamation-circle"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,solid:!0,type:"check-circle"})):(0,o.createCommentVNode)("",!0)]),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["class"])):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))])),_:1},8,["index","field"])}],["__file","StatusField.vue"]])},49527:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={key:0};const l={props:["index","resource","resourceName","resourceId","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("TagGroup"),c=(0,o.resolveComponent)("TagList"),d=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(d,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[r.field.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,["group"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0),"list"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(c,{key:1,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["index","field"])}],["__file","TagField.vue"]])},70668:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(a,{index:r.index,field:r.field},null,8,["index","field"])}],["__file","TextField.vue"]])},68486:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Excerpt"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{content:r.field.value,"plain-text":!0,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TextareaField.vue"]])},98657:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["index","resource","resourceName","resourceId","field"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Excerpt"),s=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(s,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{content:r.field.value,"should-show":r.field.shouldShow},null,8,["content","should-show"])])),_:1},8,["index","field"])}],["__file","TrixField.vue"]])},75286:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={key:0},l=["href"],i=["innerHTML"],a={key:2};const s={mixins:[r(18700).S0],props:["index","resource","resourceName","resourceId","field"]};const c=(0,r(66262).A)(s,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("PanelItem");return(0,o.openBlock)(),(0,o.createBlock)(u,{index:r.index,field:r.field},{value:(0,o.withCtx)((()=>[e.fieldHasValue&&!e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[(0,o.createElementVNode)("a",{class:"link-default",href:r.field.value,rel:"noreferrer noopener",target:"_blank"},(0,o.toDisplayString)(e.fieldValue),9,l)])):e.fieldValue&&e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,innerHTML:e.fieldValue},null,8,i)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))])),_:1},8,["index","field"])}],["__file","UrlField.vue"]])},35109:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(4957).default};const n=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},32507:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(37379).default};const n=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},75615:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"block"};const l={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(){let e=this.nextValue(this.value);this.$emit("change",{filterClass:this.filterKey,value:e??""})},nextValue:e=>!0!==e&&(!1!==e||null)},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},value(){let e=this.filter.currentValue;return!0===e||!1===e?e:null}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("IconBoolean"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("label",n,(0,o.toDisplayString)(a.filter.name),1),(0,o.createElementVNode)("button",{type:"button",onClick:t[0]||(t[0]=(...e)=>a.handleChange&&a.handleChange(...e)),class:"p-0 m-0"},[(0,o.createVNode)(s,{dusk:`${a.field.uniqueKey}-filter`,class:"mt-2",value:a.value,nullable:!0},null,8,["dusk","value"])])])])),_:1})}],["__file","BooleanField.vue"]])},27147:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"space-y-2"},l={type:"button"};const i={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},methods:{handleChange(){this.$emit("change")}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("IconBooleanOption"),d=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(d,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("button",l,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(s.field.options,(e=>((0,o.openBlock)(),(0,o.createBlock)(c,{dusk:`${s.field.uniqueKey}-filter-${e.value}-option`,"resource-name":r.resourceName,key:e.value,filter:s.filter,option:e,onChange:s.handleChange,label:"label"},null,8,["dusk","resource-name","filter","option","onChange"])))),128))])])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(s.filter.name),1)])),_:1})}],["__file","BooleanGroupField.vue"]])},67308:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const n={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},i=["dusk"],a={class:"block mt-2"},s={class:"uppercase text-xs font-bold tracking-wide"},c=["dusk"];var d=r(91272),u=r(38221),h=r.n(u),p=r(90179),m=r.n(p),v=r(2673);function f(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function g(e){for(var t=1;t({startValue:null,endValue:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=h()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{startValue(){this.debouncedHandleChange()},endValue(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,v.A)(e)?this.fromDateTimeISO(e).toISODate():null,this.endValue=(0,v.A)(t)?this.fromDateTimeISO(t).toISODate():null},validateFilter(e,t){return[e=(0,v.A)(e)?this.toDateTimeISO(e,"start"):null,t=(0,v.A)(t)?this.toDateTimeISO(t,"end"):null]},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.validateFilter(this.startValue,this.endValue)})},handleFilterReset(){this.$refs.startField.value="",this.$refs.endField.value="",this.setCurrentFilterValue()},fromDateTimeISO:e=>d.c9.fromISO(e),toDateTimeISO:(e,t)=>d.c9.fromISO(e).toISODate()},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},startExtraAttributes(){const e=m()(this.field.extraAttributes,["readonly"]);return g({type:this.field.type||"date",placeholder:this.__("Start")},e)},endExtraAttributes(){const e=m()(this.field.extraAttributes,["readonly"]);return g({type:this.field.type||"date",placeholder:this.__("End")},e)}}};const y=(0,r(66262).A)(k,[["render",function(e,t,r,d,u,h){const p=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(p,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("label",n,[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"flex w-full form-control form-input form-control-bordered",ref:"startField","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),dusk:`${h.field.uniqueKey}-range-start`},h.startExtraAttributes),null,16,i),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",a,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"flex w-full form-control form-input form-control-bordered",ref:"endField","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),dusk:`${h.field.uniqueKey}-range-end`},h.endExtraAttributes),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","DateField.vue"]])},62245:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const n={class:"flex flex-col gap-2"},l={class:"flex flex-col gap-2"},i={class:"uppercase text-xs font-bold tracking-wide"},a=["value","dusk","placeholder"],s={class:"flex flex-col gap-2"},c={class:"uppercase text-xs font-bold tracking-wide"},d=["value","dusk","placeholder"];var u=r(91272),h=r(38221),p=r.n(h),m=r(2673),v=r(14278);const f={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({startDateValue:null,endDateValue:null,debouncedStartDateHandleChange:null,debouncedEndDateHandleChange:null,debouncedEmit:null}),created(){this.debouncedEmit=p()((()=>this.emitChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.handleFilterReset)},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},methods:{end:()=>v._N,setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startDateValue=(0,m.A)(e)?u.c9.fromISO(e).toFormat("yyyy-MM-dd'T'HH:mm"):null,this.endDateValue=(0,m.A)(t)?u.c9.fromISO(t).toFormat("yyyy-MM-dd'T'HH:mm"):null},validateFilter(e,t){return[e=(0,m.A)(e)?this.toDateTimeISO(e,"start"):null,t=(0,m.A)(t)?this.toDateTimeISO(t,"end"):null]},handleStartDateChange(e){this.startDateValue=e.target.value,this.debouncedEmit()},handleEndDateChange(e){this.endDateValue=e.target.value,this.debouncedEmit()},emitChange(){this.$emit("change",{filterClass:this.filterKey,value:this.validateFilter(this.startDateValue,this.endDateValue)})},handleFilterReset(){this.$refs.startField.value="",this.$refs.endField.value="",this.setCurrentFilterValue()},fromDateTimeISO(e){return u.c9.fromISO(e,{setZone:!0}).setZone(this.timezone).toISO()},toDateTimeISO(e){return u.c9.fromISO(e,{zone:this.timezone,setZone:!0}).setZone(Nova.config("timezone")).toISO()}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const g=(0,r(66262).A)(f,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(m,null,{filter:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("label",l,[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("From")}`),1),(0,o.createElementVNode)("input",{onChange:t[0]||(t[0]=(...e)=>p.handleStartDateChange&&p.handleStartDateChange(...e)),value:e.startDateValue,class:"flex w-full form-control form-input form-control-bordered",ref:"startField",dusk:`${p.field.uniqueKey}-range-start`,type:"datetime-local",placeholder:e.__("Start")},null,40,a)]),(0,o.createElementVNode)("label",s,[(0,o.createElementVNode)("span",c,(0,o.toDisplayString)(`${p.filter.name} - ${e.__("To")}`),1),(0,o.createElementVNode)("input",{onChange:t[1]||(t[1]=(...e)=>p.handleEndDateChange&&p.handleEndDateChange(...e)),value:e.endDateValue,class:"flex w-full form-control form-input form-control-bordered",ref:"endField",dusk:`${p.field.uniqueKey}-range-end`,type:"datetime-local",placeholder:e.__("End")},null,40,d)])])])),_:1})}],["__file","DateTimeField.vue"]])},20040:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>C});var o=r(29726);const n={key:0,class:"flex items-center"},l={key:0,class:"mr-3"},i=["src"],a={class:"flex items-center"},s={key:0,class:"flex-none mr-3"},c=["src"],d={class:"flex-auto"},u={key:0},h={key:1},p=(0,o.createElementVNode)("option",{value:"",selected:""},"—",-1);var m=r(38221),v=r.n(m),f=r(7309),g=r.n(f),w=r(69843),k=r.n(w),y=r(18700),b=r(78755),x=r(2673);const B={emits:["change"],mixins:[y.Bz],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({availableResources:[],selectedResource:null,selectedResourceId:"",softDeletes:!1,withTrashed:!1,search:"",debouncedHandleChange:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset),this.initializeComponent()},created(){this.debouncedHandleChange=v()((()=>this.handleChange()),500),Nova.$on("filter-active",this.handleClosingInactiveSearchInputs)},beforeUnmount(){Nova.$off("filter-active",this.handleClosingInactiveSearchInputs),Nova.$off("filter-reset",this.handleFilterReset)},watch:{selectedResource(e){this.selectedResourceId=(0,x.A)(e)?e.value:""},selectedResourceId(){this.debouncedHandleChange()}},methods:{initializeComponent(){this.filter;let e=!1;this.filter.currentValue&&(this.selectedResourceId=this.filter.currentValue,!0===this.isSearchable&&(e=!0)),this.isSearchable&&!e||this.getAvailableResources().then((()=>{!0===e&&this.selectInitialResource()}))},getAvailableResources(e){let t=this.queryParams;return k()(e)||(t.first=!1,t.current=null,t.search=e),b.A.fetchAvailableResources(this.filter.field.resourceName,{params:t}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{this.isSearchable||(this.withTrashed=r),this.availableResources=e,this.softDeletes=t}))},selectInitialResource(){this.selectedResource=g()(this.availableResources,(e=>e.value===this.selectedResourceId))},handleShowingActiveSearchInput(){Nova.$emit("filter-active",this.filterKey)},closeSearchableRef(){this.$refs.searchable&&this.$refs.searchable.close()},handleClosingInactiveSearchInputs(e){e!==this.filterKey&&this.closeSearchableRef()},handleClearSelection(){this.clearSelection()},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.selectedResourceId})},handleFilterReset(){""===this.filter.currentValue&&(this.selectedResourceId="",this.selectedResource=null,this.availableResources=[],this.closeSearchableRef(),this.initializeComponent())}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},shouldShowFilter(){return this.isSearchable||!this.isSearchable&&this.availableResources.length>0},isSearchable(){return this.field.searchable},queryParams(){return{current:this.selectedResourceId,first:this.selectedResourceId&&this.isSearchable,search:this.search,withTrashed:this.withTrashed}}}};const C=(0,r(66262).A)(B,[["render",function(e,t,r,m,v,f){const g=(0,o.resolveComponent)("SearchInput"),w=(0,o.resolveComponent)("SelectControl"),k=(0,o.resolveComponent)("FilterContainer");return f.shouldShowFilter?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0},{filter:(0,o.withCtx)((()=>[f.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,ref:"searchable",dusk:`${f.field.uniqueKey}-search-filter`,onInput:e.performSearch,onClear:f.handleClearSelection,onShown:f.handleShowingActiveSearchInput,onSelected:e.selectResource,debounce:f.field.debounce,value:e.selectedResource,data:e.availableResources,clearable:!0,trackBy:"value",class:"w-full",mode:"modal"},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",a,[r.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,c)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",d,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-sm font-semibold leading-normal",{"text-white dark:text-gray-900":t}])},(0,o.toDisplayString)(r.display),3),f.field.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["text-xs font-semibold leading-normal text-gray-500",{"text-white dark:text-gray-700":t}])},[r.subtitle?((0,o.openBlock)(),(0,o.createElementBlock)("span",u,(0,o.toDisplayString)(r.subtitle),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",h,(0,o.toDisplayString)(e.__("No additional information...")),1))],2)):(0,o.createCommentVNode)("",!0)])])])),default:(0,o.withCtx)((()=>[e.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[e.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,i)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onShown","onSelected","debounce","value","data"])):e.availableResources.length>0?((0,o.openBlock)(),(0,o.createBlock)(w,{key:1,dusk:`${f.field.uniqueKey}-filter`,selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:t[1]||(t[1]=t=>e.selectedResourceId=t),options:e.availableResources,label:"display"},{default:(0,o.withCtx)((()=>[p])),_:1},8,["dusk","selected","options"])):(0,o.createCommentVNode)("",!0)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(f.filter.name),1)])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","EloquentField.vue"]])},65682:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["id","dusk"];var l=r(38221),i=r.n(l),a=r(90179),s=r.n(a);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const u={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},extraAttributes(){const e=s()(this.field.extraAttributes,["readonly"]);return function(e){for(var t=1;t[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full form-control form-input form-control-bordered","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),id:a.field.uniqueKey,dusk:`${a.field.uniqueKey}-filter`},a.extraAttributes),null,16,n),[[o.vModelDynamic,e.value]])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","EmailField.vue"]])},20070:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["selected"];var l=r(38221),i=r.n(l),a=r(7309),s=r.n(a),c=r(69843),d=r.n(c);const u={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){let e=s()(this.field.morphToTypes,(e=>e.type===this.filter.currentValue));this.value=d()(e)?"":e.value},handleChange(){let e=s()(this.field.morphToTypes,(e=>e.value===this.value));this.$emit("change",{filterClass:this.filterKey,value:d()(e)?"":e.type})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},hasMorphToTypes(){return this.field.morphToTypes.length>0}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("SelectControl"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{dusk:`${a.field.uniqueKey}-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:a.field.morphToTypes,label:"singularLabel"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,n)])),_:1},8,["dusk","selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","MorphToField.vue"]])},74884:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["selected"];var l=r(38221),i=r.n(l);const a={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=i()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{value(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("MultiSelectControl"),c=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(c,null,{filter:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{dusk:`${a.field.uniqueKey}-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:a.field.options},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,n)])),_:1},8,["dusk","selected","options"])])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(a.filter.name),1)])),_:1})}],["__file","MultiSelectField.vue"]])},67268:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>b});var o=r(29726);const n={class:"block"},l={class:"uppercase text-xs font-bold tracking-wide"},i=["dusk"],a={class:"block mt-2"},s={class:"uppercase text-xs font-bold tracking-wide"},c=["dusk"];var d=r(38221),u=r.n(d),h=r(90179),p=r.n(h),m=r(99374),v=r.n(m),f=r(2673);function g(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function w(e){for(var t=1;t({startValue:null,endValue:null,debouncedHandleChange:null}),created(){this.debouncedHandleChange=u()((()=>this.handleChange()),500),this.setCurrentFilterValue()},mounted(){Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.$off("filter-reset",this.setCurrentFilterValue)},watch:{startValue(){this.debouncedHandleChange()},endValue(){this.debouncedHandleChange()}},methods:{setCurrentFilterValue(){let[e,t]=this.filter.currentValue||[null,null];this.startValue=(0,f.A)(e)?v()(e):null,this.endValue=(0,f.A)(t)?v()(t):null},validateFilter(e,t){return e=(0,f.A)(e)?v()(e):null,t=(0,f.A)(t)?v()(t):null,null!==e&&this.field.min&&this.field.min>e&&(e=v()(this.field.min)),null!==t&&this.field.max&&this.field.max[(0,o.createElementVNode)("label",n,[(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("From")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"block w-full form-control form-input form-control-bordered","onUpdate:modelValue":t[0]||(t[0]=t=>e.startValue=t),dusk:`${h.field.uniqueKey}-range-start`},h.startExtraAttributes),null,16,i),[[o.vModelDynamic,e.startValue]])]),(0,o.createElementVNode)("label",a,[(0,o.createElementVNode)("span",s,(0,o.toDisplayString)(`${h.filter.name} - ${e.__("To")}`),1),(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)({class:"block w-full form-control form-input form-control-bordered","onUpdate:modelValue":t[1]||(t[1]=t=>e.endValue=t),dusk:`${h.field.uniqueKey}-range-end`},h.endExtraAttributes),null,16,c),[[o.vModelDynamic,e.endValue]])])])),_:1})}],["__file","NumberField.vue"]])},64486:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const n={key:0,class:"flex items-center"},l=["selected"];var i=r(38221),a=r.n(i),s=r(7309),c=r.n(s),d=r(69843),u=r.n(d);const h={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({selectedOption:null,search:"",value:null,debouncedHandleChange:null}),mounted(){Nova.$on("filter-reset",this.handleFilterReset)},created(){this.debouncedHandleChange=a()((()=>this.handleChange()),500);let e=this.filter.currentValue;if(e){let t=c()(this.field.options,(t=>t.value==e));this.selectOption(t)}},beforeUnmount(){Nova.$off("filter-reset",this.handleFilterReset)},watch:{selectedOption(e){u()(e)||""===e?this.value="":this.value=e.value},value(){this.debouncedHandleChange()}},methods:{performSearch(e){this.search=e},clearSelection(){this.selectedOption=null,this.value="",this.$refs.searchable&&this.$refs.searchable.close()},selectOption(e){this.selectedOption=e,this.value=e.value},handleChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})},handleFilterReset(){""===this.filter.currentValue&&this.clearSelection()}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},isSearchable(){return this.field.searchable},filteredOptions(){return this.field.options.filter((e=>e.label.toString().toLowerCase().indexOf(this.search.toLowerCase())>-1))}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("SearchInput"),d=(0,o.resolveComponent)("SelectControl"),u=(0,o.resolveComponent)("FilterContainer");return(0,o.openBlock)(),(0,o.createBlock)(u,null,{filter:(0,o.withCtx)((()=>[s.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,ref:"searchable",dusk:`${s.field.uniqueKey}-search-filter`,onInput:s.performSearch,onClear:s.clearSelection,onSelected:s.selectOption,value:e.selectedOption,data:s.filteredOptions,clearable:!0,trackBy:"value",class:"w-full",mode:"modal"},{option:(0,o.withCtx)((({option:e,selected:t})=>[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex items-center text-sm font-semibold leading-5",{"text-white":t}])},(0,o.toDisplayString)(e.label),3)])),default:(0,o.withCtx)((()=>[e.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,(0,o.toDisplayString)(e.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onSelected","value","data"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,dusk:`${s.field.uniqueKey}-filter`,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:t[1]||(t[1]=t=>e.value=t),options:s.field.options},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:""===e.value},"—",8,l)])),_:1},8,["dusk","selected","options"]))])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(s.filter.name),1)])),_:1})}],["__file","SelectField.vue"]])},64866:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(29726);const n=["value","id","dusk","list"],l=["id"],i=["value"];var a=r(38221),s=r.n(a),c=r(90179),d=r.n(c);function u(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function h(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const p={emits:["change"],props:{resourceName:{type:String,required:!0},filterKey:{type:String,required:!0},lens:String},data:()=>({value:null,debouncedEventEmitter:null}),created(){this.debouncedEventEmitter=s()((()=>this.emitChange()),500),this.setCurrentFilterValue()},mounted(){Nova.log("Mounting "),Nova.$on("filter-reset",this.setCurrentFilterValue)},beforeUnmount(){Nova.log("Unmounting "),Nova.$off("filter-reset",this.setCurrentFilterValue)},methods:{setCurrentFilterValue(){this.value=this.filter.currentValue},handleChange(e){this.value=e.target.value,this.debouncedEventEmitter()},emitChange(){this.$emit("change",{filterClass:this.filterKey,value:this.value})}},computed:{filter(){return this.$store.getters[`${this.resourceName}/getFilter`](this.filterKey)},field(){return this.filter.field},extraAttributes(){const e=d()(this.field.extraAttributes,["readonly"]);return function(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)({class:"w-full form-control form-input form-control-bordered",onInput:t[0]||(t[0]=(...e)=>c.handleChange&&c.handleChange(...e)),value:e.value,id:c.field.uniqueKey,dusk:`${c.field.uniqueKey}-filter`},c.extraAttributes,{list:`${c.field.uniqueKey}-list`}),null,16,n),c.field.suggestions&&c.field.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:`${c.field.uniqueKey}-list`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(c.field.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,i)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(c.filter.name),1)])),_:1})}],["__file","TextField.vue"]])},48763:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(42831).default,computed:{isVaporField:()=>!1}};const n=(0,r(66262).A)(o,[["__file","AudioField.vue"]])},86121:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>k});var o=r(29726);const n={class:"flex items-center"},l={key:0,class:"flex items-center"},i={key:0,class:"mr-3"},a=["src"],s=["disabled"];var c=r(7309),d=r.n(c),u=r(69843),h=r.n(u);const p={fetchAvailableResources:(e,t,r)=>Nova.request().get(`/nova-api/${e}/associatable/${t}`,r),determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)};var m=r(18700),v=r(2673),f=r(24713),g=r.n(f);const w={mixins:[m.Gj,m._w,m.XJ,m.Bz,m.zJ],props:{resourceId:{}},data:()=>({availableResources:[],initializingWithExistingResource:!1,createdViaRelationModal:!1,selectedResource:null,selectedResourceId:null,softDeletes:!1,withTrashed:!1,search:"",relationModalOpen:!1}),mounted(){this.initializeComponent()},methods:{initializeComponent(){this.withTrashed=!1,this.selectedResourceId=this.currentField.value,this.editingExistingResource?(this.initializingWithExistingResource=!0,this.selectedResourceId=this.currentField.belongsToId):this.viaRelatedResource&&(this.initializingWithExistingResource=!0,this.selectedResourceId=this.viaResourceId),this.shouldSelectInitialResource?(this.useSearchInput||(this.initializingWithExistingResource=!1),this.getAvailableResources().then((()=>this.selectInitialResource()))):!this.isSearchable&&this.currentlyIsVisible&&this.getAvailableResources(),this.determineIfSoftDeletes(),this.field.fill=this.fill},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},fill(e){this.fillIfVisible(e,this.fieldAttribute,this.selectedResource?this.selectedResource.value:""),this.fillIfVisible(e,`${this.fieldAttribute}_trashed`,this.withTrashed)},getAvailableResources(){return Nova.$progress.start(),p.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{if(Nova.$progress.done(),!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.viaRelatedResource){let t=d()(e,(e=>this.isSelectedResourceId(e.value)));if(h()(t)&&!this.shouldIgnoreViaRelatedResource)return Nova.visit("/404")}this.useSearchInput&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).catch((e=>{Nova.$progress.done()}))},determineIfSoftDeletes(){return p.determineIfSoftDeletes(this.field.resourceName).then((e=>{this.softDeletes=e.data.softDeletes}))},isNumeric:e=>!isNaN(parseFloat(e))&&isFinite(e),selectInitialResource(){this.selectedResource=d()(this.availableResources,(e=>this.isSelectedResourceId(e.value)))},toggleWithTrashed(){let e,t;(0,v.A)(this.selectedResource)&&(e=this.selectedResource,t=this.selectedResource.value),this.withTrashed=!this.withTrashed,this.selectedResource=null,this.selectedResourceId=null,this.useSearchInput||this.getAvailableResources().then((()=>{let e=g()(this.availableResources,(e=>e.value===t));e>-1?(this.selectedResource=this.availableResources[e],this.selectedResourceId=t):(this.selectedResource=null,this.selectedResourceId=null)}))},openRelationModal(){Nova.$emit("create-relation-modal-opened"),this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1,Nova.$emit("create-relation-modal-closed")},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.initializingWithExistingResource=!0,this.createdViaRelationModal=!0,this.getAvailableResources().then((()=>{this.selectInitialResource(),this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)}))},performResourceSearch(e){this.useSearchInput?this.performSearch(e):this.search=e},clearResourceSelection(){const e=this.selectedResourceId;this.clearSelection(),this.viaRelatedResource&&!this.createdViaRelationModal?this.updateQueryString({viaResource:null,viaResourceId:null,viaRelationship:null,relationshipType:null}).then((()=>{Nova.$router.reload({onSuccess:()=>{this.initializingWithExistingResource=!1,this.initializeComponent()}})})):(this.createdViaRelationModal?(this.selectedResourceId=e,this.createdViaRelationModal=!1,this.initializingWithExistingResource=!0):this.editingExistingResource&&(this.initializingWithExistingResource=!1),this.isSearchable&&!this.shouldLoadFirstResource||!this.currentlyIsVisible||this.getAvailableResources())},revertSyncedFieldToPreviousValue(e){this.syncedField.belongsToId=e.belongsToId},onSyncedField(){this.viaRelatedResource||(this.initializeComponent(),h()(this.syncedField.value)&&h()(this.selectedResourceId)&&this.selectInitialResource())},emitOnSyncedFieldValueChange(){this.viaRelatedResource||this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)},syncedFieldValueHasNotChanged(){return this.isSelectedResourceId(this.currentField.value)},isSelectedResourceId(e){return!h()(e)&&e?.toString()===this.selectedResourceId?.toString()}},computed:{editingExistingResource(){return(0,v.A)(this.field.belongsToId)},viaRelatedResource(){return Boolean(this.viaResource===this.field.resourceName&&this.field.reverse&&this.viaResourceId)},shouldSelectInitialResource(){return Boolean(this.editingExistingResource||this.viaRelatedResource||this.currentField.value)},isSearchable(){return Boolean(this.currentField.searchable)},queryParams(){return{current:this.selectedResourceId,first:this.shouldLoadFirstResource,search:this.search,withTrashed:this.withTrashed,resourceId:this.resourceId,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,component:this.field.dependentComponentKey,dependsOn:this.encodedDependentFieldValues,editing:!0,editMode:h()(this.resourceId)||""===this.resourceId?"create":"update"}},shouldLoadFirstResource(){return this.initializingWithExistingResource&&!this.shouldIgnoreViaRelatedResource||Boolean(this.currentlyIsReadonly&&this.selectedResourceId)},shouldShowTrashed(){return this.softDeletes&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.currentField.displaysWithTrashed},authorizedToCreate(){return d()(Nova.config("resources"),(e=>e.uriKey===this.field.resourceName)).authorizedToCreate},canShowNewRelationModal(){return this.currentField.showCreateRelationButton&&!this.shownViaNewRelationModal&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.authorizedToCreate},placeholder(){return this.currentField.placeholder||this.__("—")},filteredResources(){return this.isSearchable?this.availableResources:this.availableResources.filter((e=>e.display.toLowerCase().indexOf(this.search.toLowerCase())>-1||new String(e.value).indexOf(this.search)>-1))},shouldIgnoreViaRelatedResource(){return this.viaRelatedResource&&(0,v.A)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource}}};const k=(0,r(66262).A)(w,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("SearchInputResult"),p=(0,o.resolveComponent)("SearchInput"),m=(0,o.resolveComponent)("SelectControl"),v=(0,o.resolveComponent)("CreateRelationButton"),f=(0,o.resolveComponent)("CreateRelationModal"),g=(0,o.resolveComponent)("TrashedCheckbox"),w=(0,o.resolveComponent)("DefaultField"),k=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(w,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[u.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,dusk:`${e.field.resourceName}-search-input`,disabled:e.currentlyIsReadonly,onInput:u.performResourceSearch,onClear:u.clearResourceSelection,onSelected:e.selectResource,"has-error":e.hasError,debounce:e.currentField.debounce,value:e.selectedResource,data:u.filteredResources,clearable:e.currentField.nullable||u.editingExistingResource||u.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",class:"w-full",mode:e.mode},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createVNode)(h,{option:r,selected:t,"with-subtitles":e.currentField.withSubtitles},null,8,["option","selected","with-subtitles"])])),default:(0,o.withCtx)((()=>[e.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[e.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",i,[(0,o.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,a)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","disabled","onInput","onClear","onSelected","has-error","debounce","value","data","clearable","mode"])):((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,class:"w-full","has-error":e.hasError,dusk:`${e.field.resourceName}-select`,disabled:e.currentlyIsReadonly,options:e.availableResources,selected:e.selectedResourceId,"onUpdate:selected":t[0]||(t[0]=t=>e.selectedResourceId=t),onChange:u.selectResourceFromSelectControl,label:"display"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(u.placeholder),9,s)])),_:1},8,["has-error","dusk","disabled","options","selected","onChange"])),u.canShowNewRelationModal?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(v,{key:2,onClick:u.openRelationModal,dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])),[[k,e.__("Create :resource",{resource:e.field.singularLabel})]]):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(f,{show:u.canShowNewRelationModal&&e.relationModalOpen,size:e.field.modalSize,onSetResource:u.handleSetResource,onCreateCancelled:u.closeRelationModal,"resource-name":e.field.resourceName,"resource-id":r.resourceId,"via-relationship":e.viaRelationship,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId},null,8,["show","size","onSetResource","onCreateCancelled","resource-name","resource-id","via-relationship","via-resource","via-resource-id"]),u.shouldShowTrashed?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,class:"mt-3","resource-name":e.field.resourceName,checked:e.withTrashed,onInput:u.toggleWithTrashed},null,8,["resource-name","checked","onInput"])):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","BelongsToField.vue"]])},68858:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);var n=r(20008),l=r(18700);const i={components:{Checkbox:n.A},mixins:[l._w,l.Gj],methods:{setInitialValue(){this.value=this.currentField.value??this.value},fieldDefaultValue:()=>!1,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.trueValue)},toggle(){this.value=!this.value,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}},computed:{checked(){return Boolean(this.value)},trueValue(){return+this.checked}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Checkbox"),s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{disabled:e.currentlyIsReadonly,dusk:e.currentField.uniqueKey,id:e.currentField.uniqueKey,"model-value":i.checked,name:e.field.name,onChange:i.toggle,class:"mt-2"},null,8,["disabled","dusk","id","model-value","name","onChange"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","BooleanField.vue"]])},61143:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const n={class:"space-y-2"};var l=r(7309),i=r.n(l),a=(r(69843),r(44377)),s=r.n(a),c=r(55378),d=r.n(c),u=r(55364),h=r.n(u),p=r(18700);const m={mixins:[p._w,p.Gj],data:()=>({value:{}}),methods:{setInitialValue(){let e=h()(this.finalPayload,this.currentField.value||{});this.value=d()(this.currentField.options,(t=>({name:t.name,label:t.label,checked:e[t.name]||!1})))},fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.finalPayload))},toggle(e,t){i()(this.value,(e=>e.name==t.name)).checked=e.target.checked,this.field&&this.emitFieldValueChange(this.fieldAttribute,JSON.stringify(this.finalPayload))},onSyncedField(){this.setInitialValue()}},computed:{finalPayload(){return s()(d()(this.value,(e=>[e.name,e.checked])))}}};const v=(0,r(66262).A)(m,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("CheckboxWithLabel"),c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(t=>((0,o.openBlock)(),(0,o.createBlock)(s,{key:t.name,name:t.name,checked:t.checked,onInput:e=>a.toggle(e,t),disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(t.label),1)])),_:2},1032,["name","checked","onInput","disabled"])))),128))])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","BooleanGroupField.vue"]])},77623:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["id"];var l=r(15237),i=r.n(l),a=r(18700);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;tthis.handleShowingComponent())):!1===e&&!0===t&&this.handleHidingComponent()}},methods:{handleShowingComponent(){const e=c(c({tabSize:4,indentWithTabs:!0,lineWrapping:!0,lineNumbers:!0,theme:"dracula"},{readOnly:this.currentlyIsReadonly}),this.currentField.options);this.codemirror=i().fromTextArea(this.$refs.theTextarea,e),this.codemirror.getDoc().setValue(this.value??this.currentField.value),this.codemirror.setSize("100%",this.currentField.height),this.codemirror.getDoc().on("change",((e,t)=>{this.value=e.getValue(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}))},handleHidingComponent(){this.codemirror=null},onSyncedField(){this.codemirror&&this.codemirror.getDoc().setValue(this.currentField.value)}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("textarea",{ref:"theTextarea",id:e.currentField.uniqueKey,class:"w-full form-control form-input form-control-bordered py-3 h-auto"},null,8,n)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","CodeField.vue"]])},22665:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n=["value","id","dusk","disabled"],l=["id"],i=["value"];var a=r(18700);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const d={mixins:[a.Gj,a.IR,a._w],computed:{defaultAttributes(){return function(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)(c.defaultAttributes,{class:"bg-white form-control form-input form-control-bordered p-2",type:"color",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly}),null,16,n),e.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:e.suggestionsId},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,i)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","ColorField.vue"]])},79882:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const n={class:"flex flex-wrap items-stretch w-full relative"},l={class:"flex -mr-px"},i={class:"flex items-center leading-normal rounded rounded-r-none border border-r-0 border-gray-300 dark:border-gray-700 px-3 whitespace-nowrap bg-gray-100 dark:bg-gray-800 text-gray-500 text-sm font-bold"},a=["id","dusk","disabled","value"];var s=r(18700);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(e.currentField.currency),1)]),(0,o.createElementVNode)("input",(0,o.mergeProps)({class:"flex-shrink flex-grow flex-auto leading-normal w-px flex-1 rounded-l-none form-control form-input form-control-bordered",id:e.currentField.uniqueKey,dusk:r.field.attribute},d.extraAttributes,{disabled:e.currentlyIsReadonly,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value}),null,16,a)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","CurrencyField.vue"]])},49299:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"];var i=r(69843),a=r.n(i),s=r(91272),c=r(18700);r(2673);const d={mixins:[c._w,c.Gj],methods:{setInitialValue(){a()(this.currentField.value)||(this.value=s.c9.fromISO(this.currentField.value||this.value).toISODate())},fill(e){this.currentlyIsVisible&&this.fillIfVisible(e,this.fieldAttribute,this.value)},handleChange(e){this.value=e?.target?.value??e,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("input",{type:"date",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered",e.errorClasses]),ref:"dateTimePicker",id:e.currentField.uniqueKey,dusk:e.field.attribute,name:e.field.name,value:e.value,disabled:e.currentlyIsReadonly,onChange:t[0]||(t[0]=(...e)=>s.handleChange&&s.handleChange(...e)),min:e.currentField.min,max:e.currentField.max,step:e.currentField.step},null,42,l)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","DateField.vue"]])},16923:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const n={class:"flex items-center"},l=["id","dusk","name","value","disabled","min","max","step"],i={class:"ml-3"};var a=r(69843),s=r.n(a),c=r(91272),d=r(18700),u=r(2673);const h={mixins:[d._w,d.Gj],data:()=>({formattedDate:""}),methods:{setInitialValue(){if(!s()(this.currentField.value)){let e=c.c9.fromISO(this.currentField.value||this.value,{zone:Nova.config("timezone")});this.value=e.toString(),e=e.setZone(this.timezone),this.formattedDate=[e.toISODate(),e.toFormat(this.timeFormat)].join("T")}},fill(e){if(this.fillIfVisible(e,this.fieldAttribute,this.value||""),this.currentlyIsVisible&&(0,u.A)(this.value)){let e=c.c9.fromISO(this.value,{zone:this.timezone});this.formattedDate=[e.toISODate(),e.toFormat(this.timeFormat)].join("T")}},handleChange(e){let t=e?.target?.value??e;if((0,u.A)(t)){let e=c.c9.fromISO(t,{zone:this.timezone});this.value=e.setZone(Nova.config("timezone")).toString()}else this.value=this.fieldDefaultValue();this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)}},computed:{timeFormat(){return this.currentField.step%60==0?"HH:mm":"HH:mm:ss"},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(d,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("input",{type:"datetime-local",class:(0,o.normalizeClass)(["form-control form-input form-control-bordered",e.errorClasses]),ref:"dateTimePicker",id:e.currentField.uniqueKey,dusk:e.field.attribute,name:e.field.name,value:e.formattedDate,disabled:e.currentlyIsReadonly,onChange:t[0]||(t[0]=(...e)=>c.handleChange&&c.handleChange(...e)),min:e.currentField.min,max:e.currentField.max,step:e.currentField.step},null,42,l),(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(c.timezone),1)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","DateTimeField.vue"]])},68403:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n=["value","id","dusk","disabled"];var l=r(18700);function i(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function a(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={mixins:[l._w,l.Gj],computed:{extraAttributes(){return function(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)(a.extraAttributes,{class:"w-full form-control form-input form-control-bordered",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly}),null,16,n)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","EmailField.vue"]])},42831:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={class:"space-y-4"},l={key:0,class:"grid grid-cols-4 gap-x-6 gap-y-2"};var i=r(18700),a=r(63808),s=r(99300),c=r.n(s);function d(e){return{name:e.name,extension:e.name.split(".").pop(),type:e.type,originalFile:e,vapor:!1,processing:!1,progress:0}}const u={emits:["file-upload-started","file-upload-finished","file-deleted"],mixins:[i._w,i.Gj],inject:["removeFile"],expose:["beforeRemove"],data:()=>({previewFile:null,file:null,removeModalOpen:!1,missing:!1,deleted:!1,uploadErrors:new i.I,vaporFile:{key:"",uuid:"",filename:"",extension:""},uploadProgress:0,startedDrag:!1,uploadModalShown:!1}),async mounted(){this.preparePreviewImage(),this.field.fill=e=>{let t=this.fieldAttribute;this.file&&!this.isVaporField&&e.append(t,this.file.originalFile,this.file.name),this.file&&this.isVaporField&&(e.append(t,this.file.name),this.fillVaporFilePayload(e,t))}},methods:{preparePreviewImage(){this.hasValue&&this.imageUrl&&this.fetchPreviewImage(),this.hasValue&&!this.imageUrl&&(this.previewFile=d({name:this.currentField.value,type:this.currentField.value.split(".").pop()}))},async fetchPreviewImage(){let e=await fetch(this.imageUrl),t=await e.blob();this.previewFile=d(new File([t],this.currentField.value,{type:t.type}))},handleFileChange(e){this.file=d(e[0]),this.isVaporField&&(this.file.vapor=!0,this.uploadVaporFiles())},uploadVaporFiles(){this.file.processing=!0,this.$emit("file-upload-started"),c().store(this.file.originalFile,{progress:e=>{this.file.progress=Math.round(100*e)}}).then((e=>{this.vaporFile.key=e.key,this.vaporFile.uuid=e.uuid,this.vaporFile.filename=this.file.name,this.vaporFile.extension=this.file.extension,this.file.processing=!1,this.file.progress=100,this.$emit("file-upload-finished")})).catch((e=>{403===e.response.status&&Nova.error(this.__("Sorry! You are not authorized to perform this action."))}))},confirmRemoval(){this.removeModalOpen=!0},closeRemoveModal(){this.removeModalOpen=!1},beforeRemove(){this.removeUploadedFile()},async removeUploadedFile(){try{await this.removeFile(this.fieldAttribute),this.$emit("file-deleted"),this.deleted=!0,this.file=null,Nova.success(this.__("The file was deleted!"))}catch(e){422===e.response?.status&&(this.uploadErrors=new i.I(e.response.data.errors))}finally{this.closeRemoveModal()}},fillVaporFilePayload(e,t){const r=e instanceof a.A?e.slug(t):t,o=e instanceof a.A?e.formData:e;o.append(`vaporFile[${r}][key]`,this.vaporFile.key),o.append(`vaporFile[${r}][uuid]`,this.vaporFile.uuid),o.append(`vaporFile[${r}][filename]`,this.vaporFile.filename),o.append(`vaporFile[${r}][extension]`,this.vaporFile.extension)}},computed:{files(){return this.file?[this.file]:[]},hasError(){return this.uploadErrors.has(this.fieldAttribute)},firstError(){if(this.hasError)return this.uploadErrors.first(this.fieldAttribute)},idAttr(){return this.labelFor},labelFor(){let e=this.resourceName;return this.relatedResourceName&&(e+="-"+this.relatedResourceName),`file-${e}-${this.fieldAttribute}`},hasValue(){return Boolean(this.field.value||this.imageUrl)&&!Boolean(this.deleted)&&!Boolean(this.missing)},shouldShowLoader(){return!Boolean(this.deleted)&&Boolean(this.imageUrl)},shouldShowField(){return Boolean(!this.currentlyIsReadonly)},shouldShowRemoveButton(){return Boolean(this.currentField.deletable&&!this.currentlyIsReadonly)},imageUrl(){return this.currentField.previewUrl||this.currentField.thumbnailUrl},isVaporField(){return"vapor-file-field"===this.currentField.component}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("FilePreviewBlock"),d=(0,o.resolveComponent)("ConfirmUploadRemovalModal"),u=(0,o.resolveComponent)("DropZone"),h=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(h,{field:e.currentField,"label-for":s.labelFor,errors:e.errors,"show-help-text":!e.isReadonly&&e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[s.hasValue&&e.previewFile&&0===s.files.length?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[e.previewFile?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,file:e.previewFile,removable:s.shouldShowRemoveButton,onRemoved:s.confirmRemoval,rounded:e.field.rounded,dusk:`${e.field.attribute}-delete-link`},null,8,["file","removable","onRemoved","rounded","dusk"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(d,{show:e.removeModalOpen,onConfirm:s.removeUploadedFile,onClose:s.closeRemoveModal},null,8,["show","onConfirm","onClose"]),s.shouldShowField?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,files:s.files,onFileChanged:s.handleFileChange,onFileRemoved:t[0]||(t[0]=t=>e.file=null),rounded:e.field.rounded,"accepted-types":e.field.acceptedTypes,disabled:e.file?.processing,dusk:`${e.field.attribute}-delete-link`,"input-dusk":e.field.attribute},null,8,["files","onFileChanged","rounded","accepted-types","disabled","dusk","input-dusk"])):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","label-for","errors","show-help-text","full-width-content"])}],["__file","FileField.vue"]])},83881:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>x});var o=r(29726);const n={key:1,class:"flex flex-col justify-center items-center px-6 py-8"},l=["dusk"],i={class:"hidden md:inline-block"},a={class:"inline-block md:hidden"};var s=r(76135),c=r.n(s),d=r(55378),u=r.n(d),h=r(15101),p=r.n(h),m=r(48081),v=r.n(m),f=r(18700),g=r(63808);function w(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function k(e){for(var t=1;t{c()(this.availableFields,(t=>{t.fill(e)}))}))},async getFields(){this.loading=!0,this.panels=[],this.fields=[];const{data:{title:e,panels:t,fields:r}}=await Nova.request().get(this.getFieldsEndpoint,{params:{editing:!0,editMode:this.editMode,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.field.relationshipType}}).catch((e=>{[403,404].includes(e.response.status)&&Nova.error(this.__("There was a problem fetching the resource."))}));this.fields=u()(r,(e=>(e.resourceName!==this.field.from.viaResource||"belongsTo"!==e.relationshipType||"create"!==this.editMode&&e.belongsToId.toString()!==this.field.from.viaResourceId.toString()?"morphTo"===e.relationshipType&&("create"===this.editMode||e.resourceName===this.field.from.viaResource&&e.morphToId.toString()===this.field.from.viaResourceId.toString())&&(e.visible=!1,e.fill=()=>{}):(e.visible=!1,e.fill=()=>{}),e.validationKey=`${this.fieldAttribute}.${e.validationKey}`,e))),this.loading=!1,Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:this.resourceId?this.resourceId.toString():null,mode:this.editMode})},showEditForm(){this.isEditing=!0},handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}},computed:{availableFields(){return v()(this.fields,(e=>["relationship-panel"].includes(e.component)&&["hasOne","morphOne"].includes(e.fields[0].relationshipType)||e.readonly))},getFieldsEndpoint(){return"update"===this.editMode?`/nova-api/${this.resourceName}/${this.resourceId}/update-fields`:`/nova-api/${this.resourceName}/creation-fields`},editMode(){return null===this.field.hasOneId?"create":"update"}}};const x=(0,r(66262).A)(b,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("LoadingView"),h=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(h,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{loading:c.loading},{default:(0,o.withCtx)((()=>[c.isEditing?((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:0},(0,o.renderList)(d.availableFields,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${n.component}`),{index:l,key:l,errors:r.errors,"resource-id":e.resourceId,"resource-name":e.resourceName,field:n,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"shown-via-new-relation-modal":!1,"form-unique-id":r.formUniqueId,onFieldChanged:t[0]||(t[0]=t=>e.$emit("field-changed")),onFileDeleted:d.handleFileDeleted,onFileUploadStarted:t[1]||(t[1]=t=>e.$emit("file-upload-started")),onFileUploadFinished:t[2]||(t[2]=t=>e.$emit("file-upload-finished")),"show-help-text":e.showHelpText},null,40,["index","errors","resource-id","resource-name","field","via-resource","via-resource-id","via-relationship","form-unique-id","onFileDeleted","show-help-text"])))),128)):((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("button",{class:"focus:outline-none focus:ring rounded border-2 border-primary-300 dark:border-gray-500 hover:border-primary-500 active:border-primary-400 dark:hover:border-gray-400 dark:active:border-gray-300 bg-white dark:bg-transparent text-primary-500 dark:text-gray-400 px-3 h-9 inline-flex items-center font-bold shrink-0",dusk:`create-${r.field.attribute}-relation-button`,onClick:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>d.showEditForm&&d.showEditForm(...e)),["prevent"])),type:"button"},[(0,o.createElementVNode)("span",i,(0,o.toDisplayString)(e.__("Create :resource",{resource:r.field.singularLabel})),1),(0,o.createElementVNode)("span",a,(0,o.toDisplayString)(e.__("Create")),1)],8,l)]))])),_:1},8,["loading"])])),_:1})}],["__file","HasOneField.vue"]])},52131:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=["innerHTML"];const l={mixins:[r(18700).Gj],props:{index:{type:Number},resourceName:{type:String,require:!0},field:{type:Object,require:!0}},methods:{fillIfVisible(e,t,r){}},computed:{classes:()=>["remove-last-margin-bottom","leading-normal","w-full","py-4","px-8"],shouldDisplayAsHtml(){return this.currentField.asHtml||!1}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Heading"),c=(0,o.resolveComponent)("FieldWrapper");return e.currentField.visible?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0},{default:(0,o.withCtx)((()=>[a.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,innerHTML:e.currentField.value,class:(0,o.normalizeClass)(a.classes)},null,10,n)):((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:1,class:(0,o.normalizeClass)(a.classes)},[(0,o.createVNode)(s,{level:3},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.currentField.value),1)])),_:1})],2))])),_:1})):(0,o.createCommentVNode)("",!0)}],["__file","HeadingField.vue"]])},71443:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["errors"],l=["dusk","value"];var i=r(18700);const a={mixins:[i.Gj,i._w]};const s=(0,r(66262).A)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:"hidden",errors:e.errors},[(0,o.createElementVNode)("input",{dusk:e.field.attribute,type:"hidden",value:e.value},null,8,l)],8,n)}],["__file","HiddenField.vue"]])},19446:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>y});var o=r(29726);const n={class:"bg-white dark:bg-gray-800 overflow-hidden key-value-items"},l={class:"flex items-center justify-center"};var i=r(24713),a=r.n(i),s=r(44377),c=r.n(s),d=r(55378),u=r.n(d),h=r(48081),p=r.n(h),m=r(15101),v=r.n(m),f=r(18700),g=r(27226);function w(){var e=function(){return(65536*(1+Math.random())|0).toString(16).substring(1)};return e()+e()+"-"+e()+"-"+e()+"-"+e()+"-"+e()+e()+e()}const k={mixins:[f._w,f.Gj],components:{Button:g.A},data:()=>({theData:[]}),mounted(){this.populateKeyValueData()},methods:{populateKeyValueData(){this.theData=u()(Object.entries(this.value||{}),(([e,t])=>({id:w(),key:`${e}`,value:t}))),0===this.theData.length&&this.addRow()},fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.finalPayload))},addRow(){return v()(w(),(e=>(this.theData=[...this.theData,{id:e,key:"",value:""}],e)))},addRowAndSelect(){return this.selectRow(this.addRow())},removeRow(e){return v()(a()(this.theData,(t=>t.id===e)),(e=>this.theData.splice(e,1)))},selectRow(e){return this.$nextTick((()=>{this.$refs[e][0].handleKeyFieldFocus()}))},onSyncedField(){this.populateKeyValueData()}},computed:{finalPayload(){return c()(p()(u()(this.theData,(e=>e&&e.key?[e.key,e.value]:void 0)),(e=>void 0===e)))}}};const y=(0,r(66262).A)(k,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("FormKeyValueHeader"),d=(0,o.resolveComponent)("FormKeyValueItem"),u=(0,o.resolveComponent)("FormKeyValueTable"),h=(0,o.resolveComponent)("Button"),p=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(p,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent||["modal","action-modal"].includes(e.mode),"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createVNode)(u,{"edit-mode":!e.currentlyIsReadonly,"can-delete-row":e.currentField.canDeleteRow},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{"key-label":e.currentField.keyLabel,"value-label":e.currentField.valueLabel},null,8,["key-label","value-label"]),(0,o.createElementVNode)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.theData,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)(d,{index:r,onRemoveRow:s.removeRow,item:t,key:t.id,ref_for:!0,ref:t.id,"read-only":e.currentlyIsReadonly,"read-only-keys":e.currentField.readonlyKeys,"can-delete-row":e.currentField.canDeleteRow},null,8,["index","onRemoveRow","item","read-only","read-only-keys","can-delete-row"])))),128))])])),_:1},8,["edit-mode","can-delete-row"]),(0,o.createElementVNode)("div",l,[e.currentlyIsReadonly||e.currentField.readonlyKeys||!e.currentField.canAddRow?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onClick:s.addRowAndSelect,dusk:`${e.field.attribute}-add-key-value`,"leading-icon":"plus-circle",variant:"link"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.currentField.actionText),1)])),_:1},8,["onClick","dusk"]))])])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","KeyValueField.vue"]])},88239:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={class:"bg-gray-100 dark:bg-gray-800 rounded-t-lg flex border-b border-gray-200 dark:border-gray-700"},l={class:"bg-clip w-48 uppercase font-bold text-xxs text-gray-500 tracking-wide px-3 py-2"},i={class:"bg-clip flex-grow uppercase font-bold text-xxs text-gray-500 tracking-wide px-3 py-2 border-l border-gray-200 dark:border-gray-700"};const a={props:{keyLabel:{type:String},valueLabel:{type:String}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,(0,o.toDisplayString)(r.keyLabel),1),(0,o.createElementVNode)("div",i,(0,o.toDisplayString)(r.valueLabel),1)])}],["__file","KeyValueHeader.vue"]])},16890:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={key:0,class:"flex items-center key-value-item"},l={class:"flex flex-grow border-b border-gray-200 dark:border-gray-700 key-value-fields"},i=["dusk","readonly","tabindex"],a=["dusk","readonly","tabindex"],s={key:0,class:"flex justify-center h-11 w-11 absolute -right-[50px]"};var c=r(89692),d=r.n(c);const u={components:{Button:r(27226).A},emits:["remove-row"],props:{index:Number,item:Object,disabled:{type:Boolean,default:!1},readOnly:{type:Boolean,default:!1},readOnlyKeys:{type:Boolean,default:!1},canDeleteRow:{type:Boolean,default:!0}},mounted(){d()(this.$refs.keyField),d()(this.$refs.valueField)},methods:{handleKeyFieldFocus(){this.$refs.keyField.select()},handleValueFieldFocus(){this.$refs.valueField.select()}},computed:{isNotObject(){return!(this.item.value instanceof Object)},isEditable(){return!this.readOnly&&!this.disabled}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,c,d,u){const h=(0,o.resolveComponent)("Button");return u.isNotObject?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex-none w-48 cursor-text",[r.readOnlyKeys||!u.isEditable?"bg-gray-50 dark:bg-gray-800":"bg-white dark:bg-gray-900"]])},[(0,o.withDirectives)((0,o.createElementVNode)("textarea",{rows:"1",dusk:`key-value-key-${r.index}`,"onUpdate:modelValue":t[0]||(t[0]=e=>r.item.key=e),onFocus:t[1]||(t[1]=(...e)=>u.handleKeyFieldFocus&&u.handleKeyFieldFocus(...e)),ref:"keyField",type:"text",class:(0,o.normalizeClass)(["font-mono text-xs resize-none block w-full px-3 py-3 dark:text-gray-400 bg-clip-border focus:outline-none focus:ring focus:ring-inset",{"bg-white dark:bg-gray-800 focus:outline-none cursor-not-allowed":!u.isEditable||r.readOnlyKeys,"hover:bg-20 focus:bg-white dark:bg-gray-900 dark:focus:bg-gray-900":u.isEditable&&!r.readOnlyKeys}]),readonly:!u.isEditable||r.readOnlyKeys,tabindex:!u.isEditable||r.readOnlyKeys?-1:0,style:{"background-clip":"border-box"}},null,42,i),[[o.vModelText,r.item.key]])],2),(0,o.createElementVNode)("div",{onClick:t[4]||(t[4]=(...e)=>u.handleValueFieldFocus&&u.handleValueFieldFocus(...e)),class:(0,o.normalizeClass)(["flex-grow border-l border-gray-200 dark:border-gray-700",[r.readOnlyKeys||!u.isEditable?"bg-gray-50 dark:bg-gray-700":"bg-white dark:bg-gray-900"]])},[(0,o.withDirectives)((0,o.createElementVNode)("textarea",{rows:"1",dusk:`key-value-value-${r.index}`,"onUpdate:modelValue":t[2]||(t[2]=e=>r.item.value=e),onFocus:t[3]||(t[3]=(...e)=>u.handleValueFieldFocus&&u.handleValueFieldFocus(...e)),ref:"valueField",type:"text",class:(0,o.normalizeClass)(["font-mono text-xs block w-full px-3 py-3 dark:text-gray-400",{"bg-white dark:bg-gray-800 focus:outline-none":!u.isEditable,"hover:bg-20 focus:bg-white dark:bg-gray-900 dark:focus:bg-gray-900 focus:outline-none focus:ring focus:ring-inset":u.isEditable}]),readonly:!u.isEditable,tabindex:u.isEditable?0:-1},null,42,a),[[o.vModelText,r.item.value]])],2)]),u.isEditable&&r.canDeleteRow?((0,o.openBlock)(),(0,o.createElementBlock)("div",s,[(0,o.createVNode)(h,{onClick:t[5]||(t[5]=t=>e.$emit("remove-row",r.item.id)),dusk:`remove-key-value-${r.index}`,variant:"link",state:"danger",type:"button",tabindex:"0",title:e.__("Delete"),icon:"minus-circle"},null,8,["dusk","title"])])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)}],["__file","KeyValueItem.vue"]])},27252:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:{deleteRowEnabled:{type:Boolean,default:!0},editMode:{type:Boolean,default:!0}}};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(["relative rounded-lg rounded-b-lg bg-gray-100 dark:bg-gray-800 bg-clip border border-gray-200 dark:border-gray-700",{"mr-11":r.editMode&&r.deleteRowEnabled}])},[(0,o.renderSlot)(e.$slots,"default")],2)}],["__file","KeyValueTable.vue"]])},92553:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);var n=r(69843),l=r.n(n),i=r(18700);const a={mixins:[i._w,i.Qy,i.Gj],props:(0,i.rr)(["resourceName","resourceId","mode"]),beforeUnmount(){Nova.$off(this.fieldAttributeValueEventName,this.listenToValueChanges),this.clearAttachments(),this.clearFilesMarkedForRemoval()},methods:{initialize(){this.$refs.theMarkdownEditor.setValue(this.value??this.currentField.value),Nova.$on(this.fieldAttributeValueEventName,this.listenToValueChanges)},fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value||""),this.fillAttachmentDraftId(e)},handleFileRemoved(e){this.flagFileForRemoval(e)},handleFileAdded(e){this.unflagFileForRemoval(e)},handleChange(e){this.value=e,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},onSyncedField(){this.currentlyIsVisible&&this.$refs.theMarkdownEditor&&(this.$refs.theMarkdownEditor.setValue(this.currentField.value??this.value),this.$refs.theMarkdownEditor.setOption("readOnly",this.currentlyIsReadonly))},listenToValueChanges(e){this.currentlyIsVisible&&this.$refs.theMarkdownEditor.setValue(e),this.handleChange(e)},async fetchPreviewContent(e){Nova.$progress.start();const{data:{preview:t}}=await Nova.request().post(`/nova-api/${this.resourceName}/field/${this.fieldAttribute}/preview`,{value:e},{params:{editing:!0,editMode:l()(this.resourceId)?"create":"update"}});return Nova.$progress.done(),t}},computed:{previewer(){if(!this.isActionRequest)return this.fetchPreviewContent},uploader(){if(!this.isActionRequest&&this.field.withFiles)return this.uploadAttachment}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("MarkdownEditor"),s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createVNode)(a,{ref:"theMarkdownEditor",class:(0,o.normalizeClass)({"form-control-bordered-error":e.hasError}),id:e.field.attribute,previewer:i.previewer,uploader:i.uploader,readonly:e.currentlyIsReadonly,onFileRemoved:i.handleFileRemoved,onFileAdded:i.handleFileAdded,onInitialize:i.initialize,onChange:i.handleChange},null,8,["class","id","previewer","uploader","readonly","onFileRemoved","onFileAdded","onInitialize","onChange"]),[[o.vShow,e.currentlyIsVisible]])])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","MarkdownField.vue"]])},29674:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>_});var o=r(29726);const n={class:"border-b border-gray-100 dark:border-gray-700"},l={key:0,class:"flex relative"},i=["disabled","dusk","value"],a=["disabled"],s=["value","selected"],c={key:1,class:"flex items-center select-none mt-2"},d={class:"flex items-center mb-3"},u={key:0,class:"flex items-center"},h={key:0,class:"mr-3"},p=["src"],m={class:"flex items-center"},v={key:0,class:"flex-none mr-3"},f=["src"],g={class:"flex-auto"},w={key:0},k={key:1},y=["disabled","selected"];var b=r(7309),x=r.n(b),B=r(69843),C=r.n(B);const N={fetchAvailableResources(e,t,r){if(void 0===e||null==t||null==r)throw new Error("please pass the right things");return Nova.request().get(`/nova-api/${e}/morphable/${t}`,r)},determineIfSoftDeletes:e=>Nova.request().get(`/nova-api/${e}/soft-deletes`)};var V=r(18700),E=r(2673);const S={mixins:[V.Gj,V._w,V.XJ,V.Bz,V.zJ],data:()=>({resourceType:"",initializingWithExistingResource:!1,createdViaRelationModal:!1,softDeletes:!1,selectedResourceId:null,selectedResource:null,search:"",relationModalOpen:!1,withTrashed:!1}),mounted(){this.initializeComponent()},methods:{initializeComponent(){this.selectedResourceId=this.field.value,this.editingExistingResource?(this.initializingWithExistingResource=!0,this.resourceType=this.field.morphToType,this.selectedResourceId=this.field.morphToId):this.viaRelatedResource&&(this.initializingWithExistingResource=!0,this.resourceType=this.viaResource,this.selectedResourceId=this.viaResourceId),this.shouldSelectInitialResource&&(!this.resourceType&&this.field.defaultResource&&(this.resourceType=this.field.defaultResource),this.getAvailableResources().then((()=>this.selectInitialResource()))),this.resourceType&&this.determineIfSoftDeletes(),this.field.fill=this.fill},selectResourceFromSearchInput(e){this.field&&this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.selectResource(e)},selectResourceFromSelectControl(e){this.selectedResourceId=e,this.selectInitialResource(),this.field&&(this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId))},fill(e){this.selectedResource&&this.resourceType?(this.fillIfVisible(e,this.fieldAttribute,this.selectedResource.value),this.fillIfVisible(e,`${this.fieldAttribute}_type`,this.resourceType)):(this.fillIfVisible(e,this.fieldAttribute,""),this.fillIfVisible(e,`${this.fieldAttribute}_type`,"")),this.fillIfVisible(e,`${this.fieldAttribute}_trashed`,this.withTrashed)},getAvailableResources(e=""){return Nova.$progress.start(),N.fetchAvailableResources(this.resourceName,this.fieldAttribute,{params:this.queryParams}).then((({data:{resources:e,softDeletes:t,withTrashed:r}})=>{Nova.$progress.done(),!this.initializingWithExistingResource&&this.isSearchable||(this.withTrashed=r),this.isSearchable&&(this.initializingWithExistingResource=!1),this.availableResources=e,this.softDeletes=t})).catch((e=>{Nova.$progress.done()}))},onSyncedField(){this.resourceType!==this.currentField.morphToType&&this.refreshResourcesForTypeChange(this.currentField.morphToType)},selectInitialResource(){this.selectedResource=x()(this.availableResources,(e=>e.value==this.selectedResourceId))},determineIfSoftDeletes(){return N.determineIfSoftDeletes(this.resourceType).then((({data:{softDeletes:e}})=>this.softDeletes=e))},async refreshResourcesForTypeChange(e){this.resourceType=e?.target?.value??e,this.availableResources=[],this.selectedResource="",this.selectedResourceId="",this.withTrashed=!1,this.softDeletes=!1,this.determineIfSoftDeletes(),!this.isSearchable&&this.resourceType&&this.getAvailableResources().then((()=>{this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.emitFieldValueChange(this.fieldAttribute,null)}))},toggleWithTrashed(){(0,E.A)(this.selectedResource)||(this.withTrashed=!this.withTrashed,this.isSearchable||this.getAvailableResources())},openRelationModal(){Nova.$emit("create-relation-modal-opened"),this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1,Nova.$emit("create-relation-modal-closed")},handleSetResource({id:e}){this.closeRelationModal(),this.selectedResourceId=e,this.createdViaRelationModal=!0,this.initializingWithExistingResource=!0,this.getAvailableResources().then((()=>{this.selectInitialResource(),this.emitFieldValueChange(`${this.fieldAttribute}_type`,this.resourceType),this.emitFieldValueChange(this.fieldAttribute,this.selectedResourceId)}))},performResourceSearch(e){this.useSearchInput?this.performSearch(e):this.search=e},clearResourceSelection(){this.clearSelection(),this.viaRelatedResource&&!this.createdViaRelationModal?this.updateQueryString({viaResource:null,viaResourceId:null,viaRelationship:null,relationshipType:null}).then((()=>{Nova.$router.reload({onSuccess:()=>{this.initializingWithExistingResource=!1,this.initializeComponent()}})})):(this.createdViaRelationModal&&(this.createdViaRelationModal=!1,this.initializingWithExistingResource=!1),this.getAvailableResources())}},computed:{editingExistingResource(){return Boolean(this.field.morphToId&&this.field.morphToType)},viaRelatedResource(){return Boolean(x()(this.currentField.morphToTypes,(e=>e.value==this.viaResource))&&this.viaResource&&this.viaResourceId&&this.currentField.reverse)},shouldSelectInitialResource(){return Boolean(this.editingExistingResource||this.viaRelatedResource||Boolean(this.field.value&&this.field.defaultResource))},isSearchable(){return Boolean(this.currentField.searchable)},shouldLoadFirstResource(){return(this.useSearchInput&&!this.shouldIgnoreViaRelatedResource&&this.shouldSelectInitialResource||this.createdViaRelationModal)&&this.initializingWithExistingResource},queryParams(){return{type:this.resourceType,current:this.selectedResourceId,first:this.shouldLoadFirstResource,search:this.search,withTrashed:this.withTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,component:this.field.dependentComponentKey,dependsOn:this.encodedDependentFieldValues,editing:!0,editMode:C()(this.resourceId)||""===this.resourceId?"create":"update"}},fieldName(){return this.field.name},fieldTypeName(){return this.resourceType&&x()(this.currentField.morphToTypes,(e=>e.value==this.resourceType))?.singularLabel||""},hasMorphToTypes(){return this.currentField.morphToTypes.length>0},authorizedToCreate(){return x()(Nova.config("resources"),(e=>e.uriKey==this.resourceType)).authorizedToCreate},canShowNewRelationModal(){return this.currentField.showCreateRelationButton&&this.resourceType&&!this.shownViaNewRelationModal&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.authorizedToCreate},shouldShowTrashed(){return this.softDeletes&&!this.viaRelatedResource&&!this.currentlyIsReadonly&&this.currentField.displaysWithTrashed},currentFieldValues(){return{[this.fieldAttribute]:this.value,[`${this.fieldAttribute}_type`]:this.resourceType}},filteredResources(){return this.isSearchable?this.availableResources:this.availableResources.filter((e=>e.display.toLowerCase().indexOf(this.search.toLowerCase())>-1||new String(e.value).indexOf(this.search)>-1))},shouldIgnoresViaRelatedResource(){return this.viaRelatedResource&&(0,E.A)(this.search)},useSearchInput(){return this.isSearchable||this.viaRelatedResource}}};const _=(0,r(66262).A)(S,[["render",function(e,t,r,b,x,B){const C=(0,o.resolveComponent)("IconArrow"),N=(0,o.resolveComponent)("DefaultField"),V=(0,o.resolveComponent)("SearchInput"),E=(0,o.resolveComponent)("SelectControl"),S=(0,o.resolveComponent)("CreateRelationButton"),_=(0,o.resolveComponent)("CreateRelationModal"),A=(0,o.resolveComponent)("TrashedCheckbox");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(N,{field:e.currentField,"show-errors":!1,"field-name":B.fieldName,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[B.hasMorphToTypes?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[(0,o.createElementVNode)("select",{disabled:B.viaRelatedResource&&!B.shouldIgnoresViaRelatedResource||e.currentlyIsReadonly,dusk:`${e.field.attribute}-type`,value:e.resourceType,onChange:t[0]||(t[0]=(...e)=>B.refreshResourcesForTypeChange&&B.refreshResourcesForTypeChange(...e)),class:"block w-full form-control form-input form-control-bordered form-input mb-3"},[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(e.__("Choose Type")),9,a),((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.currentField.morphToTypes,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:t.value,value:t.value,selected:e.resourceType==t.value},(0,o.toDisplayString)(t.singularLabel),9,s)))),128))],40,i),(0,o.createVNode)(C,{class:"pointer-events-none absolute text-gray-700 top-[15px] right-[11px]"})])):((0,o.openBlock)(),(0,o.createElementBlock)("label",c,(0,o.toDisplayString)(e.__("There are no available options for this resource.")),1))])),_:1},8,["field","field-name","show-help-text","full-width-content"]),B.hasMorphToTypes?((0,o.openBlock)(),(0,o.createBlock)(N,{key:0,field:e.currentField,errors:e.errors,"show-help-text":!1,"field-name":B.fieldTypeName,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",d,[B.useSearchInput?((0,o.openBlock)(),(0,o.createBlock)(V,{key:0,class:"w-full",dusk:`${e.field.attribute}-search-input`,disabled:e.currentlyIsReadonly,onInput:B.performResourceSearch,onClear:B.clearResourceSelection,onSelected:B.selectResourceFromSearchInput,debounce:e.currentField.debounce,value:e.selectedResource,data:B.filteredResources,clearable:e.currentField.nullable||B.editingExistingResource||B.viaRelatedResource||e.createdViaRelationModal,trackBy:"value",mode:e.mode},{option:(0,o.withCtx)((({selected:t,option:r})=>[(0,o.createElementVNode)("div",m,[r.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",v,[(0,o.createElementVNode)("img",{src:r.avatar,class:"w-8 h-8 rounded-full block"},null,8,f)])):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",g,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-sm font-semibold leading-5",{"text-white":t}])},(0,o.toDisplayString)(r.display),3),e.currentField.withSubtitles?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:(0,o.normalizeClass)(["mt-1 text-xs font-semibold leading-5 text-gray-500",{"text-white":t}])},[r.subtitle?((0,o.openBlock)(),(0,o.createElementBlock)("span",w,(0,o.toDisplayString)(r.subtitle),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",k,(0,o.toDisplayString)(e.__("No additional information...")),1))],2)):(0,o.createCommentVNode)("",!0)])])])),default:(0,o.withCtx)((()=>[e.selectedResource?((0,o.openBlock)(),(0,o.createElementBlock)("div",u,[e.selectedResource.avatar?((0,o.openBlock)(),(0,o.createElementBlock)("div",h,[(0,o.createElementVNode)("img",{src:e.selectedResource.avatar,class:"w-8 h-8 rounded-full block"},null,8,p)])):(0,o.createCommentVNode)("",!0),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.selectedResource.display),1)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","disabled","onInput","onClear","onSelected","debounce","value","data","clearable","mode"])):((0,o.openBlock)(),(0,o.createBlock)(E,{key:1,class:(0,o.normalizeClass)(["w-full",{"form-control-bordered-error":e.hasError}]),dusk:`${e.field.attribute}-select`,onChange:B.selectResourceFromSelectControl,disabled:!e.resourceType||e.currentlyIsReadonly,options:e.availableResources,selected:e.selectedResourceId,"onUpdate:selected":t[1]||(t[1]=t=>e.selectedResourceId=t),label:"display"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",disabled:!e.currentField.nullable,selected:""===e.selectedResourceId},(0,o.toDisplayString)(e.__("Choose"))+" "+(0,o.toDisplayString)(B.fieldTypeName),9,y)])),_:1},8,["class","dusk","onChange","disabled","options","selected"])),B.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(S,{key:2,onClick:B.openRelationModal,class:"ml-2",dusk:`${e.field.attribute}-inline-create`},null,8,["onClick","dusk"])):(0,o.createCommentVNode)("",!0)]),B.canShowNewRelationModal?((0,o.openBlock)(),(0,o.createBlock)(_,{key:0,show:e.relationModalOpen,size:e.field.modalSize,onSetResource:B.handleSetResource,onCreateCancelled:B.closeRelationModal,"resource-name":e.resourceType,"via-relationship":e.viaRelationship,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId},null,8,["show","size","onSetResource","onCreateCancelled","resource-name","via-relationship","via-resource","via-resource-id"])):(0,o.createCommentVNode)("",!0),B.shouldShowTrashed?((0,o.openBlock)(),(0,o.createBlock)(A,{key:1,class:"mt-3","resource-name":e.field.attribute,checked:e.withTrashed,onInput:B.toggleWithTrashed},null,8,["resource-name","checked","onInput"])):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","field-name","full-width-content"])):(0,o.createCommentVNode)("",!0)])}],["__file","MorphToField.vue"]])},90166:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>m});var o=r(29726);const n=["selected","disabled"];var l=r(87612),i=r.n(l),a=r(55378),s=r.n(a),c=r(55364),d=r.n(c),u=r(18700),h=r(2673);const p={mixins:[u._w,u.Gj],data:()=>({search:""}),methods:{setInitialValue(){let e=void 0!==this.currentField.value&&null!==this.currentField.value&&""!==this.currentField.value?d()(this.currentField.value||[],this.value):this.value,t=i()(this.currentField.options??[],(t=>e.includes(t.value)||e.includes(t.value.toString())));this.value=s()(t,(e=>e.value))},fieldDefaultValue:()=>[],fill(e){this.fillIfVisible(e,this.fieldAttribute,JSON.stringify(this.value))},performSearch(e){this.search=e},handleChange(e){let t=i()(this.currentField.options??[],(t=>e.includes(t.value)||e.includes(t.value.toString())));this.value=s()(t,(e=>e.value)),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},onSyncedField(){this.setInitialValue()}},computed:{filteredOptions(){return(this.currentField.options||[]).filter((e=>e.label.toString().toLowerCase().indexOf(this.search.toLowerCase())>-1))},placeholder(){return this.currentField.placeholder||this.__("Choose an option")},hasValue(){return Boolean(!(void 0===this.value||null===this.value||""===this.value))},shouldShowPlaceholder(){return(0,h.A)(this.currentField.placeholder)||this.currentField.nullable}}};const m=(0,r(66262).A)(p,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("MultiSelectControl"),c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{id:e.currentField.uniqueKey,dusk:e.field.attribute,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:a.handleChange,class:(0,o.normalizeClass)(["w-full",e.errorClasses]),options:e.currentField.options,disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[a.shouldShowPlaceholder?((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:0,value:"",selected:!a.hasValue,disabled:!e.currentField.nullable},(0,o.toDisplayString)(a.placeholder),9,n)):(0,o.createCommentVNode)("",!0)])),_:1},8,["id","dusk","selected","onChange","class","options","disabled"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","MultiSelectField.vue"]])},69135:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={key:0},l=["innerHTML"];var i=r(18700);function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;t0?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(c,{level:1,class:(0,o.normalizeClass)(r.panel.helpText?"mb-2":"mb-3"),dusk:`${r.dusk}-heading`},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.panel.name),1)])),_:1},8,["class","dusk"]),r.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:"text-gray-500 text-sm font-semibold italic mb-3",innerHTML:r.panel.helpText},null,8,l)):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(d,{class:"divide-y divide-gray-100 dark:divide-gray-700"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.panel.fields,((n,l)=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${n.component}`),{index:l,key:l,errors:r.validationErrors,"resource-id":r.resourceId,"resource-name":r.resourceName,"related-resource-name":r.relatedResourceName,"related-resource-id":r.relatedResourceId,field:n,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"via-relationship":r.viaRelationship,"shown-via-new-relation-modal":r.shownViaNewRelationModal,"form-unique-id":r.formUniqueId,mode:e.mode,onFieldShown:e.handleFieldShown,onFieldHidden:e.handleFieldHidden,onFieldChanged:t[0]||(t[0]=t=>e.$emit("field-changed")),onFileDeleted:s.handleFileDeleted,onFileUploadStarted:t[1]||(t[1]=t=>e.$emit("file-upload-started")),onFileUploadFinished:t[2]||(t[2]=t=>e.$emit("file-upload-finished")),"show-help-text":r.showHelpText},null,40,["index","errors","resource-id","resource-name","related-resource-name","related-resource-id","field","via-resource","via-resource-id","via-relationship","shown-via-new-relation-modal","form-unique-id","mode","onFieldShown","onFieldHidden","onFileDeleted","show-help-text"])))),128))])),_:1})],512)),[[o.vShow,e.visibleFieldsCount>0]]):(0,o.createCommentVNode)("",!0)}],["__file","Panel.vue"]])},62111:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n=["id","dusk","placeholder","disabled"];var l=r(18700);const i={mixins:[l._w,l.Gj]};const a=(0,r(66262).A)(i,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",{id:e.currentField.uniqueKey,dusk:e.field.attribute,type:"password","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",e.errorClasses]),placeholder:e.placeholder,autocomplete:"new-password",disabled:e.currentlyIsReadonly},null,10,n),[[o.vModelText,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","PasswordField.vue"]])},70626:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n=["id","dusk","placeholder","disabled"];var l=r(7309),i=r.n(l),a=r(18700);const s={mixins:[a._w,a.zB],mounted(){this.setInitialValue(),this.field.fill=this.fill,this.initializePlaces()},methods:{initializePlaces(){const e=r(59498),t=(this.field.placeType,{appId:Nova.config("algoliaAppId"),apiKey:Nova.config("algoliaApiKey"),container:this.$refs[this.fieldAttribute],type:this.field.placeType?this.field.placeType:"address",templates:{value:e=>e.name}});this.field.countries&&(t.countries=this.field.countries),this.field.language&&(t.language=this.field.language);const o=e(t);o.on("change",(e=>{this.$nextTick((()=>{this.value=e.suggestion.name,this.emitFieldValue(this.field.secondAddressLine,""),this.emitFieldValue(this.field.city,e.suggestion.city),this.emitFieldValue(this.field.state,this.parseState(e.suggestion.administrative,e.suggestion.countryCode)),this.emitFieldValue(this.field.postalCode,e.suggestion.postcode),this.emitFieldValue(this.field.suburb,e.suggestion.suburb),this.emitFieldValue(this.field.country,e.suggestion.countryCode.toUpperCase()),this.emitFieldValue(this.field.latitude,e.suggestion.latlng.lat),this.emitFieldValue(this.field.longitude,e.suggestion.latlng.lng)}))})),o.on("clear",(()=>{this.$nextTick((()=>{this.value="",this.emitFieldValue(this.field.secondAddressLine,""),this.emitFieldValue(this.field.city,""),this.emitFieldValue(this.field.state,""),this.emitFieldValue(this.field.postalCode,""),this.emitFieldValue(this.field.suburb,""),this.emitFieldValue(this.field.country,""),this.emitFieldValue(this.field.latitude,""),this.emitFieldValue(this.field.longitude,"")}))}))},parseState(e,t){return"us"!=t?e:i()(this.states,(t=>t.name==e)).abbr}},computed:{states:()=>({AL:{count:"0",name:"Alabama",abbr:"AL"},AK:{count:"1",name:"Alaska",abbr:"AK"},AZ:{count:"2",name:"Arizona",abbr:"AZ"},AR:{count:"3",name:"Arkansas",abbr:"AR"},CA:{count:"4",name:"California",abbr:"CA"},CO:{count:"5",name:"Colorado",abbr:"CO"},CT:{count:"6",name:"Connecticut",abbr:"CT"},DE:{count:"7",name:"Delaware",abbr:"DE"},DC:{count:"8",name:"District Of Columbia",abbr:"DC"},FL:{count:"9",name:"Florida",abbr:"FL"},GA:{count:"10",name:"Georgia",abbr:"GA"},HI:{count:"11",name:"Hawaii",abbr:"HI"},ID:{count:"12",name:"Idaho",abbr:"ID"},IL:{count:"13",name:"Illinois",abbr:"IL"},IN:{count:"14",name:"Indiana",abbr:"IN"},IA:{count:"15",name:"Iowa",abbr:"IA"},KS:{count:"16",name:"Kansas",abbr:"KS"},KY:{count:"17",name:"Kentucky",abbr:"KY"},LA:{count:"18",name:"Louisiana",abbr:"LA"},ME:{count:"19",name:"Maine",abbr:"ME"},MD:{count:"20",name:"Maryland",abbr:"MD"},MA:{count:"21",name:"Massachusetts",abbr:"MA"},MI:{count:"22",name:"Michigan",abbr:"MI"},MN:{count:"23",name:"Minnesota",abbr:"MN"},MS:{count:"24",name:"Mississippi",abbr:"MS"},MO:{count:"25",name:"Missouri",abbr:"MO"},MT:{count:"26",name:"Montana",abbr:"MT"},NE:{count:"27",name:"Nebraska",abbr:"NE"},NV:{count:"28",name:"Nevada",abbr:"NV"},NH:{count:"29",name:"New Hampshire",abbr:"NH"},NJ:{count:"30",name:"New Jersey",abbr:"NJ"},NM:{count:"31",name:"New Mexico",abbr:"NM"},NY:{count:"32",name:"New York",abbr:"NY"},NC:{count:"33",name:"North Carolina",abbr:"NC"},ND:{count:"34",name:"North Dakota",abbr:"ND"},OH:{count:"35",name:"Ohio",abbr:"OH"},OK:{count:"36",name:"Oklahoma",abbr:"OK"},OR:{count:"37",name:"Oregon",abbr:"OR"},PA:{count:"38",name:"Pennsylvania",abbr:"PA"},RI:{count:"39",name:"Rhode Island",abbr:"RI"},SC:{count:"40",name:"South Carolina",abbr:"SC"},SD:{count:"41",name:"South Dakota",abbr:"SD"},TN:{count:"42",name:"Tennessee",abbr:"TN"},TX:{count:"43",name:"Texas",abbr:"TX"},UT:{count:"44",name:"Utah",abbr:"UT"},VT:{count:"45",name:"Vermont",abbr:"VT"},VA:{count:"46",name:"Virginia",abbr:"VA"},WA:{count:"47",name:"Washington",abbr:"WA"},WV:{count:"48",name:"West Virginia",abbr:"WV"},WI:{count:"49",name:"Wisconsin",abbr:"WI"},WY:{count:"50",name:"Wyoming",abbr:"WY"}})}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.field,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",{ref:e.field.attribute,id:e.field.uniqueKey,dusk:e.field.attribute,type:"text","onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",e.errorClasses]),placeholder:e.field.name,disabled:e.isReadonly},null,10,n),[[o.vModelText,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","PlaceField.vue"]])},83318:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={key:0},l=["innerHTML"];var i=r(25542),a=r(18700);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;t({relationFormUniqueId:(0,i.L)()}),mounted(){this.field.authorizedToCreate||(this.field.fill=()=>{})},methods:{handleFileDeleted(){this.$emit("update-last-retrieved-at-timestamp")}},computed:{field(){return this.panel.fields[0]},relationId(){if(["hasOne","morphOne"].includes(this.field.relationshipType))return this.field.hasOneId}}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Heading");return s.field.authorizedToCreate?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(c,{level:4,class:(0,o.normalizeClass)(r.panel.helpText?"mb-2":"mb-3")},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.panel.name),1)])),_:1},8,["class"]),r.panel.helpText?((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:0,class:"text-gray-500 text-sm font-semibold italic mb-3",innerHTML:r.panel.helpText},null,8,l)):(0,o.createCommentVNode)("",!0),((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`form-${s.field.component}`),{errors:r.validationErrors,"resource-id":s.relationId,"resource-name":s.field.resourceName,field:s.field,"via-resource":s.field.from.viaResource,"via-resource-id":s.field.from.viaResourceId,"via-relationship":s.field.from.viaRelationship,"form-unique-id":e.relationFormUniqueId,mode:e.mode,onFieldChanged:t[0]||(t[0]=t=>e.$emit("field-changed")),onFileDeleted:s.handleFileDeleted,onFileUploadStarted:t[1]||(t[1]=t=>e.$emit("file-upload-started")),onFileUploadFinished:t[2]||(t[2]=t=>e.$emit("file-upload-finished")),"show-help-text":r.showHelpText},null,40,["errors","resource-id","resource-name","field","via-resource","via-resource-id","via-relationship","form-unique-id","mode","onFileDeleted","show-help-text"]))])):(0,o.createCommentVNode)("",!0)}],["__file","RelationshipPanel.vue"]])},22488:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n=["dusk"];var l=r(18700),i=r(88055),a=r.n(i),s=r(25542),c=r(27226);const d={mixins:[l.zB,l._w],components:{Button:c.A},provide(){return{removeFile:this.removeFile,shownViaNewRelationModal:(0,o.computed)((()=>this.shownViaNewRelationModal)),viaResource:(0,o.computed)((()=>this.viaResource)),viaResourceId:(0,o.computed)((()=>this.viaResourceId)),viaRelationship:(0,o.computed)((()=>this.viaRelationship)),resourceName:(0,o.computed)((()=>this.resourceName)),resourceId:(0,o.computed)((()=>this.resourceId))}},data:()=>({valueMap:new WeakMap}),beforeMount(){this.value.map((e=>(this.valueMap.set(e,(0,s.L)()),e)))},methods:{fieldDefaultValue:()=>[],removeFile(e){const{resourceName:t,resourceId:r,relatedResourceName:o,relatedResourceId:n,viaRelationship:l}=this,i=l&&o&&n?`/nova-api/${t}/${r}/${o}/${n}/field/${e}?viaRelationship=${l}`:`/nova-api/${t}/${r}/field/${e}`;Nova.request().delete(i)},fill(e){this.finalPayload.forEach(((t,r)=>{const o=`${this.fieldAttribute}[${r}]`;e.append(`${o}[type]`,t.type),Object.keys(t.fields).forEach((r=>{e.append(`${o}[fields][${r}]`,t.fields[r])}))}))},addItem(e){const t=this.currentField.repeatables.find((t=>t.type===e)),r=a()(t);this.valueMap.set(r,(0,s.L)()),this.value.push(r)},removeItem(e){const t=this.value.splice(e,1);this.valueMap.delete(t)},moveUp(e){const t=this.value.splice(e,1);this.value.splice(Math.max(0,e-1),0,t[0])},moveDown(e){const t=this.value.splice(e,1);this.value.splice(Math.min(this.value.length,e+1),0,t[0])}},computed:{finalPayload(){return this.value.map((e=>{const t=new FormData,r={};e.fields.forEach((e=>e.fill&&e.fill(t)));for(const e of t.entries())r[e[0]]=e[1];return{type:e.type,fields:r}}))}}};const u=(0,r(66262).A)(d,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("RepeaterRow"),c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("DropdownMenuItem"),h=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown"),m=(0,o.resolveComponent)("InvertedButton"),v=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(v,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,class:"space-y-4",dusk:e.fieldAttribute},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,((t,r)=>((0,o.openBlock)(),(0,o.createBlock)(s,{dusk:`${r}-repeater-row`,"data-repeater-id":e.valueMap.get(t),item:t,index:r,key:e.valueMap.get(t),onClick:a.removeItem,errors:e.errors,sortable:e.currentField.sortable&&e.value.length>1,onMoveUp:a.moveUp,onMoveDown:a.moveDown,field:e.currentField,"via-parent":e.fieldAttribute},null,8,["dusk","data-repeater-id","item","index","onClick","errors","sortable","onMoveUp","onMoveDown","field","via-parent"])))),128))],8,n)):(0,o.createCommentVNode)("",!0),(0,o.createElementVNode)("div",null,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["text-center",{"bg-gray-50 dark:bg-gray-900 rounded-lg border-4 dark:border-gray-600 border-dashed py-3":0===e.value.length}])},[e.currentField.repeatables.length>1?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{class:"py-1"},{default:(0,o.withCtx)((()=>[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.currentField.repeatables,(e=>((0,o.openBlock)(),(0,o.createBlock)(u,{onClick:()=>a.addItem(e.type),as:"button",class:"space-x-2"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,[(0,o.createVNode)(d,{solid:"",type:e.icon},null,8,["type"])]),(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.singularLabel),1)])),_:2},1032,["onClick"])))),256))])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:"link","leading-icon":"plus-circle","trailing-icon":"chevron-down"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Add item")),1)])),_:1})])),_:1})):((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,onClick:t[0]||(t[0]=t=>a.addItem(e.currentField.repeatables[0].type)),type:"button"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Add :resource",{resource:e.currentField.repeatables[0].singularLabel})),1)])),_:1}))],2)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","RepeaterField.vue"]])},7946:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>v});var o=r(29726);const n={key:0,class:"flex items-center"},l=["disabled"];var i=r(7309),a=r.n(i),s=r(56170),c=r.n(s),d=r(69843),u=r.n(d),h=r(18700),p=r(2673);const m={mixins:[h._w,h.Gj],data:()=>({search:"",selectedOption:null}),created(){if((0,p.A)(this.field.value)){let e=a()(this.field.options,(e=>e.value==this.field.value));this.$nextTick((()=>{this.selectOption(e)}))}},methods:{fieldDefaultValue:()=>null,fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value??"")},performSearch(e){this.search=e},clearSelection(){this.selectedOption=null,this.value=this.fieldDefaultValue(),this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value)},selectOption(e){u()(e)?this.clearSelection():(this.selectedOption=e,this.value=e.value,this.field&&this.emitFieldValueChange(this.fieldAttribute,this.value))},handleChange(e){let t=a()(this.currentField.options,(t=>t.value==e));this.selectOption(t)},onSyncedField(){let e=null,t=!1;this.selectedOption&&(t=!0,e=a()(this.currentField.options,(e=>e.value===this.selectedOption.value)));let r=a()(this.currentField.options,(e=>e.value==this.currentField.value));if(u()(e))return this.clearSelection(),void(this.currentField.value?this.selectOption(r):t&&!this.currentField.nullable&&this.selectOption(c()(this.currentField.options)));e&&r&&["create","attach"].includes(this.editMode)?this.selectOption(r):this.selectOption(e)}},computed:{isSearchable(){return this.currentField.searchable},filteredOptions(){return this.currentField.options.filter((e=>e.label.toString().toLowerCase().indexOf(this.search.toLowerCase())>-1))},placeholder(){return this.currentField.placeholder||this.__("Choose an option")},hasValue(){return Boolean(!(void 0===this.value||null===this.value||""===this.value))}}};const v=(0,r(66262).A)(m,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("SearchInput"),d=(0,o.resolveComponent)("SelectControl"),u=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(u,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[!e.currentlyIsReadonly&&s.isSearchable?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,dusk:`${e.field.attribute}-search-input`,onInput:s.performSearch,onClear:s.clearSelection,onSelected:s.selectOption,"has-error":e.hasError,value:e.selectedOption,data:s.filteredOptions,clearable:e.currentField.nullable,trackBy:"value",class:"w-full",mode:e.mode,disabled:e.currentlyIsReadonly},{option:(0,o.withCtx)((({selected:e,option:t})=>[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["flex items-center text-sm font-semibold leading-5",{"text-white":e}])},(0,o.toDisplayString)(t.label),3)])),default:(0,o.withCtx)((()=>[e.selectedOption?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,(0,o.toDisplayString)(e.selectedOption.label),1)):(0,o.createCommentVNode)("",!0)])),_:1},8,["dusk","onInput","onClear","onSelected","has-error","value","data","clearable","mode","disabled"])):((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,id:e.field.attribute,dusk:e.field.attribute,selected:e.value,"onUpdate:selected":t[0]||(t[0]=t=>e.value=t),onChange:s.handleChange,class:"w-full","has-error":e.hasError,options:e.currentField.options,disabled:e.currentlyIsReadonly},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("option",{value:"",selected:"",disabled:!e.currentField.nullable},(0,o.toDisplayString)(s.placeholder),9,l)])),_:1},8,["id","dusk","selected","onChange","has-error","options","disabled"]))])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","SelectField.vue"]])},93588:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const n={class:"flex items-center"},l=["id","dusk","disabled"];var i=r(18700),a=r(38221),s=r.n(a);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t({isListeningToChanges:!1,debouncedHandleChange:null}),mounted(){this.shouldRegisterInitialListener&&this.registerChangeListener()},beforeUnmount(){this.removeChangeListener()},methods:{async fetchPreviewContent(e){const{data:{preview:t}}=await Nova.request().post(`/nova-api/${this.resourceName}/field/${this.fieldAttribute}/preview`,{value:e});return t},registerChangeListener(){Nova.$on(this.eventName,s()(this.handleChange,250)),this.isListeningToChanges=!0},removeChangeListener(){!0===this.isListeningToChanges&&Nova.$off(this.eventName)},async handleChange(e){this.value=await this.fetchPreviewContent(e)},toggleCustomizeClick(){if(this.field.readonly)return this.removeChangeListener(),this.isListeningToChanges=!1,this.field.readonly=!1,this.field.extraAttributes.readonly=!1,this.field.showCustomizeButton=!1,void this.$refs.theInput.focus();this.registerChangeListener(),this.field.readonly=!0,this.field.extraAttributes.readonly=!0}},computed:{shouldRegisterInitialListener(){return!this.field.updating},eventName(){return this.getFieldAttributeChangeEventName(this.field.from)},extraAttributes(){return d(d({},this.field.extraAttributes),{},{class:this.errorClasses})}}};const p=(0,r(66262).A)(h,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(c,{field:e.field,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.withDirectives)((0,o.createElementVNode)("input",(0,o.mergeProps)(s.extraAttributes,{ref:"theInput",class:"w-full form-control form-input form-control-bordered",id:e.field.uniqueKey,dusk:e.field.attribute,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),disabled:e.isReadonly}),null,16,l),[[o.vModelDynamic,e.value]]),e.field.showCustomizeButton?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:0,class:"rounded inline-flex text-sm ml-3 link-default",type:"button",onClick:t[1]||(t[1]=(...e)=>s.toggleCustomizeClick&&s.toggleCustomizeClick(...e))},(0,o.toDisplayString)(e.__("Customize")),1)):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","SlugField.vue"]])},32344:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n=["id","type","min","max","step","placeholder"];var l=r(18700);const i={mixins:[l._w,l.Gj],computed:{inputType(){return this.currentField.type||"text"},inputStep(){return this.currentField.step},inputMin(){return this.currentField.min},inputMax(){return this.currentField.max}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.withDirectives)((0,o.createElementVNode)("input",{id:e.currentField.uniqueKey,type:a.inputType,min:a.inputMin,max:a.inputMax,step:a.inputStep,"onUpdate:modelValue":t[0]||(t[0]=t=>e.value=t),class:(0,o.normalizeClass)(["w-full form-control form-input form-control-bordered",e.errorClasses]),placeholder:e.field.name},null,10,n),[[o.vModelDynamic,e.value]])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","StatusField.vue"]])},48129:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>g});var o=r(29726);const n={class:"space-y-4"},l={class:"flex items-center"},i=["dusk"];var a=r(18700),s=r(84451),c=r(56170),d=r.n(c),u=r(78755),h=r(56383),p=r(11965);function m(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function v(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={components:{PreviewResourceModal:r(66320).default,SearchInputResult:p.default,TagList:h.default},mixins:[a.Gj,a.Bz,a._w],props:function(e){for(var t=1;t({relationModalOpen:!1,search:"",value:[],tags:[],loading:!1}),mounted(){this.currentField.preload&&this.getAvailableResources()},methods:{performSearch(e){this.search=e;const t=e.trim();this.searchDebouncer((()=>{this.getAvailableResources(t)}),500)},fill(e){this.fillIfVisible(e,this.currentField.attribute,this.value.length>0?JSON.stringify(this.value):"")},async getAvailableResources(e){this.loading=!0;const t={search:e,current:null,first:!1},{data:r}=await(0,s.Bp)(u.A.fetchAvailableResources(this.currentField.resourceName,{params:t}),250);this.loading=!1,this.tags=r.resources},selectResource(e){0===this.value.filter((t=>t.value===e.value)).length&&this.value.push(e)},handleSetResource({id:e}){const t={search:"",current:e,first:!0};u.A.fetchAvailableResources(this.currentField.resourceName,{params:t}).then((({data:{resources:e}})=>{this.selectResource(d()(e))})).finally((()=>{this.closeRelationModal()}))},removeResource(e){this.value.splice(e,1)},openRelationModal(){this.relationModalOpen=!0},closeRelationModal(){this.relationModalOpen=!1}}};const g=(0,r(66262).A)(f,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("SearchInputResult"),u=(0,o.resolveComponent)("SearchSearchInput"),h=(0,o.resolveComponent)("CreateRelationButton"),p=(0,o.resolveComponent)("TagList"),m=(0,o.resolveComponent)("TagGroup"),v=(0,o.resolveComponent)("CreateRelationModal"),f=(0,o.resolveComponent)("DefaultField"),g=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(f,{field:e.currentField,errors:e.errors,"show-help-text":e.showHelpText,"full-width-content":e.fullWidthContent},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(u,{ref:"searchable",dusk:`${e.field.resourceName}-search-input`,onInput:c.performSearch,error:e.hasError,debounce:e.field.debounce,options:e.tags,onSelected:c.selectResource,trackBy:"value",disabled:e.currentlyIsReadonly,loading:e.loading,class:"w-full"},{option:(0,o.withCtx)((({dusk:t,selected:r,option:n})=>[(0,o.createVNode)(d,{option:n,selected:r,"with-subtitles":e.field.withSubtitles,dusk:t},null,8,["option","selected","with-subtitles","dusk"])])),_:1},8,["dusk","onInput","error","debounce","options","onSelected","disabled","loading"]),e.field.showCreateRelationButton?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,onClick:c.openRelationModal,dusk:`${e.field.attribute}-inline-create`,tabindex:"0"},null,8,["onClick","dusk"])),[[g,e.__("Create :resource",{resource:e.field.singularLabel})]]):(0,o.createCommentVNode)("",!0)]),e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,dusk:`${e.field.attribute}-selected-tags`},["list"===e.field.style?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0,tags:e.value,onTagRemoved:t[0]||(t[0]=e=>c.removeResource(e)),"resource-name":e.field.resourceName,editable:!e.currentlyIsReadonly,"with-preview":e.field.withPreview},null,8,["tags","resource-name","editable","with-preview"])):(0,o.createCommentVNode)("",!0),"group"===e.field.style?((0,o.openBlock)(),(0,o.createBlock)(m,{key:1,tags:e.value,onTagRemoved:t[1]||(t[1]=e=>c.removeResource(e)),"resource-name":e.field.resourceName,editable:!e.currentlyIsReadonly,"with-preview":e.field.withPreview},null,8,["tags","resource-name","editable","with-preview"])):(0,o.createCommentVNode)("",!0)],8,i)):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(v,{"resource-name":e.field.resourceName,show:e.field.showCreateRelationButton&&e.relationModalOpen,size:e.field.modalSize,onSetResource:c.handleSetResource,onCreateCancelled:t[2]||(t[2]=t=>e.relationModalOpen=!1)},null,8,["resource-name","show","size","onSetResource"])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","TagField.vue"]])},1722:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>p});var o=r(29726);const n={class:"space-y-1"},l=["value","id","dusk","disabled","maxlength"],i=["id"],a=["value"];var s=r(18700);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("input",(0,o.mergeProps)(d.extraAttributes,{class:"w-full form-control form-input form-control-bordered",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly,maxlength:e.field.enforceMaxlength?e.field.maxlength:-1}),null,16,l),e.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:e.suggestionsId},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,a)))),128))],8,i)):(0,o.createCommentVNode)("",!0),e.field.maxlength?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,count:e.value.length,limit:e.field.maxlength},null,8,["count","limit"])):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","TextField.vue"]])},42957:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>u});var o=r(29726);const n={class:"space-y-1"},l=["id","dusk","value","maxlength","placeholder"];var i=r(18700);function a(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function s(e){for(var t=1;t[(0,o.createElementVNode)("div",n,[(0,o.createElementVNode)("textarea",(0,o.mergeProps)(s.extraAttributes,{class:"block w-full form-control form-input form-control-bordered py-3 h-auto",id:e.currentField.uniqueKey,dusk:e.field.attribute,value:e.value,onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),maxlength:e.field.enforceMaxlength?e.field.maxlength:-1,placeholder:e.placeholder}),null,16,l),e.field.maxlength?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,count:e.value.length,limit:e.field.maxlength},null,8,["count","limit"])):(0,o.createCommentVNode)("",!0)])])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","TextareaField.vue"]])},51256:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);var n=r(18700);const l={emits:["field-changed"],mixins:[n._w,n.Qy,n.Gj],data:()=>({index:0}),mounted(){Nova.$on(this.fieldAttributeValueEventName,this.listenToValueChanges)},beforeUnmount(){Nova.$off(this.fieldAttributeValueEventName,this.listenToValueChanges),this.clearAttachments(),this.clearFilesMarkedForRemoval()},methods:{handleChange(e){this.value=e,this.$emit("field-changed")},fill(e){this.fillIfVisible(e,this.fieldAttribute,this.value||""),this.fillAttachmentDraftId(e)},handleFileAdded({attachment:e}){if(e.file){const t=(t,r)=>e.setAttributes({url:r,href:r}),r=t=>{e.setUploadProgress(Math.round(100*t.loaded/t.total))};this.uploadAttachment(e.file,{onCompleted:t,onUploadProgress:r})}else this.unflagFileForRemoval(e.attachment.attributes.values.url)},handleFileRemoved({attachment:{attachment:e}}){this.flagFileForRemoval(e.attributes.values.url)},onSyncedField(){this.handleChange(this.currentField.value??this.value),this.index++},listenToValueChanges(e){this.index++}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("Trix"),s=(0,o.resolveComponent)("DefaultField");return(0,o.openBlock)(),(0,o.createBlock)(s,{field:e.currentField,errors:e.errors,"full-width-content":e.fullWidthContent,key:e.index,"show-help-text":e.showHelpText},{field:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(["rounded-lg",{disabled:e.currentlyIsReadonly}])},[(0,o.createVNode)(a,(0,o.mergeProps)({name:"trixman",value:e.value,onChange:i.handleChange,onFileAdded:i.handleFileAdded,onFileRemoved:i.handleFileRemoved,class:{"form-control-bordered-error":e.hasError},"with-files":e.currentField.withFiles},e.currentField.extraAttributes,{disabled:e.currentlyIsReadonly,class:"rounded-lg"}),null,16,["value","onChange","onFileAdded","onFileRemoved","class","with-files","disabled"])],2)])),_:1},8,["field","errors","full-width-content","show-help-text"])}],["__file","TrixField.vue"]])},87811:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n=["value","id","dusk","disabled","list"],l=["id"],i=["value"];var a=r(18700);function s(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function c(e){for(var t=1;t[(0,o.createElementVNode)("input",(0,o.mergeProps)(c.extraAttributes,{class:"w-full form-control form-input form-control-bordered",type:"url",onInput:t[0]||(t[0]=(...t)=>e.handleChange&&e.handleChange(...t)),value:e.value,id:e.currentField.uniqueKey,dusk:e.field.attribute,disabled:e.currentlyIsReadonly,list:`${e.field.attribute}-list`}),null,16,n),e.currentField.suggestions&&e.currentField.suggestions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("datalist",{key:0,id:`${e.field.attribute}-list`},[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.currentField.suggestions,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("option",{key:e,value:e},null,8,i)))),128))],8,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["field","errors","show-help-text","full-width-content"])}],["__file","UrlField.vue"]])},17562:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(42831).default,computed:{isVaporField:()=>!0}};const n=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},24702:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(42831).default,computed:{isVaporField:()=>!0}};const n=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},33281:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["src"];var l=r(69843),i=r.n(l);const a={mixins:[r(18700).S0],props:["viaResource","viaResourceId","resourceName","field"],computed:{hasPreviewableAudio(){return!i()(this.field.previewUrl)},defaultAttributes(){return{autoplay:!1,preload:this.field.preload}},alignmentClass(){return{left:"items-center justify-start",center:"items-center justify-center",right:"items-center justify-end"}[this.field.textAlign]}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([a.alignmentClass,"flex"])},[a.hasPreviewableAudio?((0,o.openBlock)(),(0,o.createElementBlock)("audio",(0,o.mergeProps)({key:0},a.defaultAttributes,{class:"rounded rounded-full",src:r.field.previewUrl,controls:"",controlslist:"nodownload"}),null,16,n)):((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:1,class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},"—",2))],2)}],["__file","AudioField.vue"]])},43161:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={key:0,class:"mr-1 -ml-1"};const l={props:["resourceName","viaResource","viaResourceId","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("Icon"),c=(0,o.resolveComponent)("Badge");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(c,{label:r.field.label,"extra-classes":r.field.typeClass},{icon:(0,o.withCtx)((()=>[r.field.icon?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.createVNode)(s,{solid:!0,type:r.field.icon},null,8,["type"])])):(0,o.createCommentVNode)("",!0)])),_:1},8,["label","extra-classes"])])}],["__file","BadgeField.vue"]])},98941:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={key:0},l={key:1},i={key:2},a={__name:"BelongsToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("Link"),s=(0,o.resolveComponent)("RelationPeek");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${e.field.textAlign}`)},[(0,o.createElementVNode)("span",null,[e.field.viewable&&e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[e.field.peekable&&e.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,"resource-name":e.field.resourceName,"resource-id":e.field.belongsToId,resource:e.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(a,{key:1,onClick:r[1]||(r[1]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.belongsToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"]))])):e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,"—"))])],2)}};const s=(0,r(66262).A)(a,[["__file","BelongsToField.vue"]])},38175:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["resourceName","field"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("IconBoolean");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createVNode)(a,{value:r.field.value},null,8,["value"])],2)}],["__file","BooleanField.vue"]])},82861:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>h});var o=r(29726);const n={key:0,class:"max-w-xxs space-y-2 py-3 px-4"},l={class:"ml-1"},i={key:1,class:"max-w-xxs space-2 py-3 px-4 rounded-full text-sm leading-tight"};var a=r(87612),s=r.n(a),c=r(55378),d=r.n(c);const u={components:{Button:r(27226).A},props:["resourceName","field"],data:()=>({value:[],classes:{true:"text-green-500",false:"text-red-500"}}),created(){this.field.value=this.field.value||{},this.value=s()(d()(this.field.options,(e=>({name:e.name,label:e.label,checked:this.field.value[e.name]||!1}))),(e=>(!0!==this.field.hideFalseValues||!1!==e.checked)&&(!0!==this.field.hideTrueValues||!0!==e.checked)))}};const h=(0,r(66262).A)(u,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Button"),u=(0,o.resolveComponent)("IconBoolean"),h=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createVNode)(p,null,{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{width:"auto"},{default:(0,o.withCtx)((()=>[e.value.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("ul",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.value,(t=>((0,o.openBlock)(),(0,o.createElementBlock)("li",{class:(0,o.normalizeClass)([e.classes[t.checked],"flex items-center rounded-full font-bold text-sm leading-tight space-x-2"])},[(0,o.createVNode)(u,{class:"flex-none",value:t.checked},null,8,["value"]),(0,o.createElementVNode)("span",l,(0,o.toDisplayString)(t.label),1)],2)))),256))])):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,(0,o.toDisplayString)(r.field.noValueText),1))])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{variant:"link"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("View")),1)])),_:1})])),_:1})],2)}],["__file","BooleanGroupField.vue"]])},12768:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"rounded inline-flex items-center justify-center border border-60",style:{borderRadius:"4px",padding:"2px"}};const l={props:["resourceName","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createElementVNode)("span",n,[(0,o.createElementVNode)("span",{class:"block w-4 h-4",style:(0,o.normalizeStyle)({borderRadius:"2px",backgroundColor:r.field.value})},null,4)])],2)}],["__file","ColorField.vue"]])},25784:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["innerHTML"],l={key:1},i={key:1};const a={mixins:[r(18700).S0],props:["resourceName","field"]};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))])}],["__file","CurrencyField.vue"]])},63017:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={key:0,class:"whitespace-nowrap"},l={key:1};var i=r(91272);const a={mixins:[r(18700).S0],props:["resourceName","field"],computed:{formattedDate(){if(this.field.usesCustomizedDisplay)return this.field.displayedAs;return i.c9.fromISO(this.field.value).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit"})}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createElementVNode)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(s.formattedDate),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)])}],["__file","DateField.vue"]])},328:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["title"],l={key:1};var i=r(91272);const a={mixins:[r(18700).S0],props:["resourceName","field"],computed:{formattedDate(){return this.usesCustomizedDisplay?this.field.displayedAs:i.c9.fromISO(this.field.value).setZone(this.timezone).toLocaleString({year:"numeric",month:"2-digit",day:"2-digit",hour:"2-digit",minute:"2-digit",timeZoneName:"short"})},timezone:()=>Nova.config("userTimezone")||Nova.config("timezone")}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue||e.usesCustomizedDisplay?((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:0,class:"whitespace-nowrap",title:r.field.value},(0,o.toDisplayString)(s.formattedDate),9,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))],2)}],["__file","DateTimeField.vue"]])},5319:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={key:0,class:"flex items-center"},l=["href"],i={key:1};var a=r(18700);const s={mixins:[a.nl,a.S0],props:["resourceName","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("CopyButton"),u=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:`mailto:${r.field.value}`,class:"link-default whitespace-nowrap"},(0,o.toDisplayString)(e.fieldValue),9,l)):(0,o.createCommentVNode)("",!0),e.fieldHasValue&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,onClick:(0,o.withModifiers)(c.copy,["prevent","stop"]),class:"mx-0"},null,8,["onClick"])),[[u,e.__("Copy to clipboard")]]):(0,o.createCommentVNode)("",!0)])):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))],2)}],["__file","EmailField.vue"]])},40688:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={key:1,class:"break-words"};const l={mixins:[r(18700).S0],props:["viaResource","viaResourceId","resourceName","field"],data:()=>({loading:!1}),computed:{shouldShowLoader(){return this.imageUrl},imageUrl(){return this.field?.thumbnailUrl||this.field?.previewUrl},alignmentClass(){return{left:"items-center justify-start",center:"items-center justify-center",right:"items-center justify-end"}[this.field.textAlign]}}};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){const s=(0,o.resolveComponent)("ImageLoader"),c=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)([a.alignmentClass,"flex"])},[a.shouldShowLoader?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,src:a.imageUrl,"max-width":r.field.maxWidth||r.field.indexWidth,rounded:r.field.rounded,aspect:r.field.aspect},null,8,["src","max-width","rounded","aspect"])):(0,o.createCommentVNode)("",!0),e.usesCustomizedDisplay&&!a.imageUrl?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.displayedAs),1)])),[[c,r.field.value]]):(0,o.createCommentVNode)("",!0),e.usesCustomizedDisplay||a.imageUrl?(0,o.createCommentVNode)("",!0):(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createElementBlock)("p",{key:2,class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[(0,o.createTextVNode)(" — ")],2)),[[c,r.field.value]])],2)}],["__file","FileField.vue"]])},89946:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>l});var o=r(29726);const n={props:["field","viaResource","viaResourceId","resourceName"]};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("span")}],["__file","HeadingField.vue"]])},69247:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n={class:"hidden"};const l={props:["resourceName","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",n)}],["__file","HiddenField.vue"]])},14605:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n={key:1},l={key:2};var i=r(69843),a=r.n(i);const s={mixins:[r(18700).S0],props:["resource","resourceName","field"],computed:{isPivot(){return!a()(this.field.pivotValue)},authorizedToView(){return this.resource?.authorizedToView??!1}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Link");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue&&!s.isPivot&&s.authorizedToView?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.resourceName}/${r.field.value}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["href"])):e.fieldHasValue||s.isPivot?((0,o.openBlock)(),(0,o.createElementBlock)("p",n,(0,o.toDisplayString)(r.field.pivotValue||e.fieldValue),1)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","IdField.vue"]])},73106:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n=["innerHTML"],l={key:1};const i={mixins:[r(18700).S0],props:["resourceName","field"]};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",{key:1,class:(0,o.normalizeClass)(["whitespace-nowrap",r.field.classes])},(0,o.toDisplayString)(e.fieldValue),3))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","LineField.vue"]])},3729:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={key:1},l={key:2};const i={props:["resourceName","viaResource","viaResourceId","field"],computed:{isResourceBeingViewed(){return this.field.morphToType==this.viaResource&&this.field.morphToId==this.viaResourceId}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Link");return r.field.viewable&&r.field.value&&!s.isResourceBeingViewed?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:e.$url(`/resources/${r.field.resourceName}/${r.field.morphToId}`),class:(0,o.normalizeClass)(["no-underline text-primary-500 font-bold",`text-${r.field.textAlign}`])},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(r.field.resourceLabel)+": "+(0,o.toDisplayString)(r.field.value),1)])),_:1},8,["href","class"])):r.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(r.field.resourceLabel||r.field.morphToType)+": "+(0,o.toDisplayString)(r.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,"—"))}],["__file","MorphToActionTargetField.vue"]])},25599:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={key:0},l={key:1},i={key:2},a={__name:"MorphToField",props:{resource:{type:Object},resourceName:{type:String},field:{type:Object}},setup:e=>(t,r)=>{const a=(0,o.resolveComponent)("Link"),s=(0,o.resolveComponent)("RelationPeek");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${e.field.textAlign}`)},[(0,o.createElementVNode)("span",null,[e.field.viewable&&e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",n,[e.field.peekable&&e.field.hasFieldsToPeekAt?((0,o.openBlock)(),(0,o.createBlock)(s,{key:0,"resource-name":e.field.resourceName,"resource-id":e.field.morphToId,resource:e.resource},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(a,{onClick:r[0]||(r[0]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.resourceLabel)+": "+(0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"])])),_:1},8,["resource-name","resource-id","resource"])):((0,o.openBlock)(),(0,o.createBlock)(a,{key:1,onClick:r[1]||(r[1]=(0,o.withModifiers)((()=>{}),["stop"])),href:t.$url(`/resources/${e.field.resourceName}/${e.field.morphToId}`),class:"link-default"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.field.resourceLabel)+": "+(0,o.toDisplayString)(e.field.value),1)])),_:1},8,["href"]))])):e.field.value?((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.field.resourceLabel||e.field.morphToType)+": "+(0,o.toDisplayString)(e.field.value),1)):((0,o.openBlock)(),(0,o.createElementBlock)("span",i,"—"))])],2)}};const s=(0,r(66262).A)(a,[["__file","MorphToField.vue"]])},85371:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n=["textContent"],l={key:1};var i=r(18700),a=r(39754),s=r.n(a);const c={mixins:[i.S0],props:["resourceName","field"],computed:{hasValues(){return this.fieldValues.length>0},fieldValues(){let e=[];return s()(this.field.options,(t=>{this.isEqualsToValue(t.value)&&e.push(t.label)})),e}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[s.hasValues?((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,{key:0},(0,o.renderList)(s.fieldValues,(e=>((0,o.openBlock)(),(0,o.createElementBlock)("span",{textContent:(0,o.toDisplayString)(e),class:"inline-block text-sm mb-1 mr-2 px-2 py-0 bg-primary-500 text-white dark:text-gray-900 rounded"},null,8,n)))),256)):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))])}],["__file","MultiSelectField.vue"]])},70027:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>i});var o=r(29726);const n=[(0,o.createElementVNode)("span",{class:"font-bold"}," · · · · · · · · ",-1)];const l={props:["resourceName","field"]};const i=(0,r(66262).A)(l,[["render",function(e,t,r,l,i,a){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},n,2)}],["__file","PasswordField.vue"]])},345:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(28400).default};const n=(0,r(66262).A)(o,[["__file","PlaceField.vue"]])},27941:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n=["innerHTML"],l={key:1,class:"whitespace-nowrap"},i={key:1};const a={mixins:[r(18700).S0],props:["resourceName","field"]};const s=(0,r(66262).A)(a,[["render",function(e,t,r,a,s,c){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—"))],2)}],["__file","SelectField.vue"]])},43348:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(28400).default};const n=(0,r(66262).A)(o,[["__file","SlugField.vue"]])},87988:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>s});var o=r(29726);const n={key:0};var l=r(9592),i=r.n(l);r(7588);const a={props:["resourceName","field"],data:()=>({chartist:null}),watch:{"field.data":function(e,t){this.renderChart()}},methods:{renderChart(){this.chartist.update(this.field.data)}},mounted(){this.chartist=new(i()[this.chartStyle])(this.$refs.chart,{series:[this.field.data]},{height:this.chartHeight,width:this.chartWidth,showPoint:!1,fullWidth:!0,chartPadding:{top:0,right:0,bottom:0,left:0},axisX:{showGrid:!1,showLabel:!1,offset:0},axisY:{showGrid:!1,showLabel:!1,offset:0}})},computed:{hasData(){return this.field.data.length>0},chartStyle(){let e=this.field.chartStyle.toLowerCase();return["line","bar"].includes(e)?e.charAt(0).toUpperCase()+e.slice(1):"Line"},chartHeight(){return this.field.height||50},chartWidth(){return this.field.width||100}}};const s=(0,r(66262).A)(a,[["render",function(e,t,r,l,i,a){return a.hasData?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",{ref:"chart",class:"ct-chart",style:(0,o.normalizeStyle)({width:a.chartWidth,height:a.chartHeight})},null,4)])):(0,o.createCommentVNode)("",!0)}],["__file","SparklineField.vue"]])},25089:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={key:0,class:"leading-normal"},l={key:1};const i={props:["resourceName","field"],computed:{hasValue(){return this.field.lines}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[s.hasValue?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(r.field.lines,(e=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)(`index-${e.component}`),{key:e.value,class:"whitespace-nowrap",field:e,resourceName:r.resourceName},null,8,["field","resourceName"])))),128))])):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","StackField.vue"]])},20410:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"flex items-center"},l={class:"mr-1 -ml-1"};const i={mixins:[r(18700).S0],props:["resourceName","field"],computed:{typeClasses(){return["center"===this.field.textAlign&&"mx-auto","right"===this.field.textAlign&&"ml-auto mr-0","left"===this.field.textAlign&&"ml-0 mr-auto",this.field.typeClass]}}};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Loader"),d=(0,o.resolveComponent)("Icon"),u=(0,o.resolveComponent)("Badge");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createVNode)(u,{class:(0,o.normalizeClass)(["whitespace-nowrap flex items-center",s.typeClasses])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",l,["loading"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,width:"20",class:"mr-1"})):(0,o.createCommentVNode)("",!0),"failed"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,solid:!0,type:"exclamation-circle"})):(0,o.createCommentVNode)("",!0),"success"==r.field.type?((0,o.openBlock)(),(0,o.createBlock)(d,{key:2,solid:!0,type:"check-circle"})):(0,o.createCommentVNode)("",!0)]),(0,o.createTextVNode)(" "+(0,o.toDisplayString)(e.fieldValue),1)])),_:1},8,["class"])])}],["__file","StatusField.vue"]])},84009:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>a});var o=r(29726);const n={class:"p-2"},l={key:1};const i={components:{Button:r(27226).A},props:["index","resource","resourceName","resourceId","field"]};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Button"),d=(0,o.resolveComponent)("TagList"),u=(0,o.resolveComponent)("TagGroup"),h=(0,o.resolveComponent)("DropdownMenu"),p=(0,o.resolveComponent)("Dropdown");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[r.field.value.length>0?((0,o.openBlock)(),(0,o.createBlock)(p,{key:0},{menu:(0,o.withCtx)((()=>[(0,o.createVNode)(h,{width:"auto"},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("div",n,["list"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0),"group"===r.field.style?((0,o.openBlock)(),(0,o.createBlock)(u,{key:1,tags:r.field.value,"resource-name":r.field.resourceName,editable:!1,"with-preview":r.field.withPreview},null,8,["tags","resource-name","with-preview"])):(0,o.createCommentVNode)("",!0)])])),_:1})])),default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{variant:"link"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("View")),1)])),_:1})])),_:1})):((0,o.openBlock)(),(0,o.createElementBlock)("p",l,"—"))],2)}],["__file","TagField.vue"]])},28400:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>d});var o=r(29726);const n={key:1,class:"whitespace-nowrap"},l=["innerHTML"],i={key:3},a={key:1};var s=r(18700);const c={mixins:[s.nl,s.S0],props:["resourceName","field"],methods:{copy(){this.copyValueToClipboard(this.field.value)}}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,s,c,d){const u=(0,o.resolveComponent)("CopyButton"),h=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.fieldHasValueOrCustomizedDisplay&&r.field.copyable&&!e.shouldDisplayAsHtml?(0,o.withDirectives)(((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,onClick:(0,o.withModifiers)(d.copy,["prevent","stop"])},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",{ref:"theFieldValue"},(0,o.toDisplayString)(e.fieldValue),513)])),_:1},8,["onClick"])),[[h,e.__("Copy to clipboard")]]):!e.fieldHasValueOrCustomizedDisplay||r.field.copyable||e.shouldDisplayAsHtml?e.fieldHasValueOrCustomizedDisplay&&!r.field.copyable&&e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:2,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,l)):((0,o.openBlock)(),(0,o.createElementBlock)("p",i,"—")):((0,o.openBlock)(),(0,o.createElementBlock)("span",n,(0,o.toDisplayString)(e.fieldValue),1))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))],2)}],["__file","TextField.vue"]])},389:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>c});var o=r(29726);const n=["innerHTML"],l={key:1,class:"whitespace-nowrap"},i=["href"],a={key:1};const s={mixins:[r(18700).S0],props:["resourceName","field"]};const c=(0,r(66262).A)(s,[["render",function(e,t,r,s,c,d){return(0,o.openBlock)(),(0,o.createElementBlock)("div",{class:(0,o.normalizeClass)(`text-${r.field.textAlign}`)},[e.fieldHasValue?((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:0},[e.shouldDisplayAsHtml?((0,o.openBlock)(),(0,o.createElementBlock)("div",{key:0,onClick:t[0]||(t[0]=(0,o.withModifiers)((()=>{}),["stop"])),innerHTML:e.fieldValue},null,8,n)):((0,o.openBlock)(),(0,o.createElementBlock)("span",l,[(0,o.createElementVNode)("a",{class:"link-default",href:r.field.value,rel:"noreferrer noopener",target:"_blank",onClick:t[1]||(t[1]=(0,o.withModifiers)((()=>{}),["stop"]))},(0,o.toDisplayString)(e.fieldValue),9,i)]))],64)):((0,o.openBlock)(),(0,o.createElementBlock)("p",a,"—"))],2)}],["__file","UrlField.vue"]])},26866:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(33281).default};const n=(0,r(66262).A)(o,[["__file","VaporAudioField.vue"]])},80822:(e,t,r)=>{"use strict";r.r(t),r.d(t,{default:()=>n});const o={extends:r(40688).default};const n=(0,r(66262).A)(o,[["__file","VaporFileField.vue"]])},54710:(e,t,r)=>{"use strict";r.d(t,{A:()=>a});var o=r(29726);const n={class:"py-6 px-1 md:px-2 lg:px-6"},l={class:"mx-auto py-8 max-w-sm flex justify-center"};const i={name:"Auth"};const a=(0,r(66262).A)(i,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("AppLogo");return(0,o.openBlock)(),(0,o.createElementBlock)("div",n,[(0,o.createElementVNode)("div",l,[(0,o.createVNode)(c,{class:"h-8"})]),(0,o.renderSlot)(e.$slots,"default")])}],["__file","Auth.vue"]])},80170:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const n={};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.renderSlot)(e.$slots,"default")])}],["__file","Guest.vue"]])},34573:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const n={name:"AppErrorPage",layout:r(80170).A};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CustomAppError");return(0,o.openBlock)(),(0,o.createBlock)(a)}],["__file","AppError.vue"]])},87038:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(29726);var n=r(25542);const l={name:"Attach",props:{resourceName:{type:String,required:!0},resourceId:{required:!0},relatedResourceName:{type:String,required:!0},viaResource:{default:""},viaResourceId:{default:""},parentResource:{type:Object},viaRelationship:{default:""},polymorphic:{default:!1}},data:()=>({formUniqueId:(0,n.L)()})};const i=(0,r(66262).A)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("AttachResource");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":r.resourceName,"resource-id":r.resourceId,"related-resource-name":r.relatedResourceName,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"parent-resource":r.parentResource,"via-relationship":r.viaRelationship,polymorphic:r.polymorphic,"form-unique-id":e.formUniqueId},null,8,["resource-name","resource-id","related-resource-name","via-resource","via-resource-id","parent-resource","via-relationship","polymorphic","form-unique-id"])}],["__file","Attach.vue"]])},80530:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(29726);var n=r(18700);const l={name:"Create",components:{ResourceCreate:r(57303).A},props:(0,n.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])};const i=(0,r(66262).A)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceCreate");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,mode:"form"},null,8,["resource-name","via-resource","via-resource-id","via-relationship"])}],["__file","Create.vue"]])},64355:(e,t,r)=>{"use strict";r.d(t,{A:()=>d});var o=r(29726);const n={key:0,class:"flex items-center"},l={key:1};var i=r(84451);const a={props:{name:{type:String,required:!1,default:"main"}},data:()=>({loading:!0,label:"",cards:[],showRefreshButton:!1,isHelpCard:!1}),created(){this.fetchDashboard()},methods:{async fetchDashboard(){this.loading=!0;try{const{data:{label:e,cards:t,showRefreshButton:r,isHelpCard:o}}=await(0,i.Bp)(Nova.request().get(this.dashboardEndpoint,{params:this.extraCardParams}),200);this.loading=!1,this.label=e,this.cards=t,this.showRefreshButton=r,this.isHelpCard=o}catch(e){if(401==e.response.status)return Nova.redirectToLogin();Nova.visit("/404")}},refreshDashboard(){Nova.$emit("metric-refresh")}},computed:{dashboardEndpoint(){return`/nova-api/dashboards/${this.name}`},shouldShowCards(){return this.cards.length>0},extraCardParams:()=>null}};var s=r(66262);const c={name:"Dashboard",components:{DashboardView:(0,s.A)(a,[["render",function(e,t,r,i,a,s){const c=(0,o.resolveComponent)("Head"),d=(0,o.resolveComponent)("Heading"),u=(0,o.resolveComponent)("Icon"),h=(0,o.resolveComponent)("Cards"),p=(0,o.resolveComponent)("LoadingView"),m=(0,o.resolveDirective)("tooltip");return(0,o.openBlock)(),(0,o.createBlock)(p,{loading:e.loading,dusk:"dashboard-"+this.name,class:"space-y-3"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(c,{title:e.label},null,8,["title"]),e.label&&!e.isHelpCard||e.showRefreshButton?((0,o.openBlock)(),(0,o.createElementBlock)("div",n,[e.label&&!e.isHelpCard?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__(e.label)),1)])),_:1})):(0,o.createCommentVNode)("",!0),e.showRefreshButton?((0,o.openBlock)(),(0,o.createElementBlock)("button",{key:1,onClick:t[0]||(t[0]=(0,o.withModifiers)(((...e)=>s.refreshDashboard&&s.refreshDashboard(...e)),["stop"])),type:"button",class:"ml-1 hover:opacity-50 active:ring",tabindex:"0"},[(0,o.withDirectives)((0,o.createVNode)(u,{class:"text-gray-500 dark:text-gray-400",solid:!0,type:"refresh",width:"14"},null,512),[[m,e.__("Refresh")]])])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),s.shouldShowCards?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[e.cards.length>0?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,cards:e.cards},null,8,["cards"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading","dusk"])}],["__file","Dashboard.vue"]])},props:{name:{type:String,required:!1,default:"main"}}},d=(0,s.A)(c,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("DashboardView");return(0,o.openBlock)(),(0,o.createBlock)(a,{name:r.name},null,8,["name"])}],["__file","Dashboard.vue"]])},86586:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const n={name:"Detail",props:(0,r(18700).rr)(["resourceName","resourceId"])};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceDetail");return(0,o.openBlock)(),(0,o.createBlock)(a,{resourceName:e.resourceName,resourceId:e.resourceId,shouldOverrideMeta:!0,shouldEnableShortcut:!0},null,8,["resourceName","resourceId"])}],["__file","Detail.vue"]])},67806:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const n={name:"Error403Page",layout:r(80170).A};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CustomError403");return(0,o.openBlock)(),(0,o.createBlock)(a)}],["__file","Error403.vue"]])},15422:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const n={name:"Error404Page",layout:r(80170).A};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CustomError404");return(0,o.openBlock)(),(0,o.createBlock)(a)}],["__file","Error404.vue"]])},58005:(e,t,r)=>{"use strict";r.d(t,{A:()=>d});var o=r(29726);const n={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},i={class:"block mb-2",for:"email"};var a=r(54710),s=r(27226);const c={layout:a.A,components:{Button:s.A},data:()=>({form:Nova.form({email:""})}),methods:{async attempt(){const{message:e}=await this.form.post(Nova.url("/password/email"));Nova.$toasted.show(e,{action:{onClick:()=>Nova.redirectToLogin(),text:this.__("Reload")},duration:null,type:"success"}),setTimeout((()=>Nova.redirectToLogin()),5e3)}},computed:{supportsPasswordReset:()=>Nova.config("withPasswordReset"),forgotPasswordPath:()=>Nova.config("forgotPasswordPath")}};const d=(0,r(66262).A)(c,[["render",function(e,t,r,a,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("DividerLine"),h=(0,o.resolveComponent)("HelpText"),p=(0,o.resolveComponent)("Button"),m=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(m,{loading:!1},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(d,{title:e.__("Forgot Password")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[1]||(t[1]=(0,o.withModifiers)(((...e)=>c.attempt&&c.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",n,(0,o.toDisplayString)(e.__("Forgot your password?")),1),(0,o.createVNode)(u),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",i,(0,o.toDisplayString)(e.__("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.email=t),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("email")}]),id:"email",type:"email",name:"email",required:"",autofocus:""},null,2),[[o.vModelText,e.form.email]]),e.form.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(h,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(p,{class:"w-full flex justify-center",type:"submit",loading:e.form.processing},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Send Password Reset Link")),1)])),_:1},8,["loading"])],32)])),_:1})}],["__file","ForgotPassword.vue"]])},9888:(e,t,r)=>{"use strict";r.d(t,{A:()=>l});var o=r(29726);const n={name:"Index",props:(0,r(18700).rr)(["resourceName"])};const l=(0,r(66262).A)(n,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceIndex");return(0,o.openBlock)(),(0,o.createBlock)(a,{resourceName:e.resourceName,shouldOverrideMeta:!0,shouldEnableShortcut:!0},null,8,["resourceName"])}],["__file","Index.vue"]])},25078:(e,t,r)=>{"use strict";r.d(t,{A:()=>g});var o=r(29726);var n=r(18700);const l={key:2,class:"flex items-center mb-6"};var i=r(53110),a=r(84451),s=r(66278);function c(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function d(e){for(var t=1;t({actionCanceller:null,resourceHasId:!1}),async created(){this.resourceInformation&&(this.getActions(),Nova.$on("refresh-resources",this.getResources))},beforeUnmount(){Nova.$off("refresh-resources",this.getResources),null!==this.actionCanceller&&this.actionCanceller()},methods:d(d({},(0,s.i0)(["fetchPolicies"])),{},{getResources(){this.loading=!0,this.resourceResponseError=null,this.$nextTick((()=>(this.clearResourceSelections(),(0,a.Bp)(Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens,{params:this.resourceRequestQueryString,cancelToken:new i.qm((e=>{this.canceller=e}))}),300).then((({data:e})=>{this.resources=[],this.resourceResponse=e,this.resources=e.resources,this.softDeletes=e.softDeletes,this.perPage=e.per_page,this.resourceHasId=e.hasId,this.handleResourcesLoaded()})).catch((e=>{if(!(0,i.FZ)(e))throw this.loading=!1,this.resourceResponseError=e,e})))))},getActions(){null!==this.actionCanceller&&this.actionCanceller(),this.actions=[],this.pivotActions=null,Nova.request().get(`/nova-api/${this.resourceName}/lens/${this.lens}/actions`,{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,relationshipType:this.relationshipType,display:"index",resources:this.selectAllMatchingChecked?"all":this.selectedResourceIds},cancelToken:new i.qm((e=>{this.actionCanceller=e}))}).then((e=>{this.actions=e.data.actions,this.pivotActions=e.data.pivotActions,this.resourceHasActions=e.data.counts.resource>0})).catch((e=>{if(!(0,i.FZ)(e))throw e}))},getAllMatchingResourceCount(){Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens+"/count",{params:this.resourceRequestQueryString}).then((e=>{this.allMatchingResourceCount=e.data.count}))},loadMore(){return null===this.currentPageLoadMore&&(this.currentPageLoadMore=this.currentPage),this.currentPageLoadMore=this.currentPageLoadMore+1,(0,a.Bp)(Nova.request().get("/nova-api/"+this.resourceName+"/lens/"+this.lens,{params:d(d({},this.resourceRequestQueryString),{},{page:this.currentPageLoadMore})}),300).then((({data:e})=>{this.resourceResponse=e,this.resources=[...this.resources,...e.resources],this.getAllMatchingResourceCount(),Nova.$emit("resources-loaded",{resourceName:this.resourceName,lens:this.lens,mode:"lens"})}))}}),computed:{actionQueryString(){return{currentSearch:this.currentSearch,encodedFilters:this.encodedFilters,currentTrashed:this.currentTrashed,viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}},actionsAreAvailable(){return this.allActions.length>0&&Boolean(this.resourceHasId)},lensActionEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/action`},cardsEndpoint(){return`/nova-api/${this.resourceName}/lens/${this.lens}/cards`},canShowDeleteMenu(){return Boolean(this.resourceHasId)&&Boolean(this.authorizedToDeleteSelectedResources||this.authorizedToForceDeleteSelectedResources||this.authorizedToDeleteAnyResources||this.authorizedToForceDeleteAnyResources||this.authorizedToRestoreSelectedResources||this.authorizedToRestoreAnyResources)},lensName(){if(this.resourceResponse)return this.resourceResponse.name}}};var p=r(66262);function m(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function v(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const f={name:"Lens",components:{ResourceLens:(0,p.A)(h,[["render",function(e,t,r,n,i,a){const s=(0,o.resolveComponent)("Head"),c=(0,o.resolveComponent)("Cards"),d=(0,o.resolveComponent)("Heading"),u=(0,o.resolveComponent)("IndexSearchInput"),h=(0,o.resolveComponent)("ActionDropdown"),p=(0,o.resolveComponent)("ResourceTableToolbar"),m=(0,o.resolveComponent)("IndexErrorDialog"),v=(0,o.resolveComponent)("IndexEmptyDialog"),f=(0,o.resolveComponent)("ResourceTable"),g=(0,o.resolveComponent)("ResourcePagination"),w=(0,o.resolveComponent)("LoadingView"),k=(0,o.resolveComponent)("Card");return(0,o.openBlock)(),(0,o.createBlock)(w,{loading:e.initialLoading,dusk:r.lens+"-lens-component"},{default:(0,o.withCtx)((()=>[(0,o.createVNode)(s,{title:a.lensName},null,8,["title"]),e.shouldShowCards?((0,o.openBlock)(),(0,o.createBlock)(c,{key:0,cards:e.cards,"resource-name":e.resourceName,lens:r.lens},null,8,["cards","resource-name","lens"])):(0,o.createCommentVNode)("",!0),e.resourceResponse?((0,o.openBlock)(),(0,o.createBlock)(d,{key:1,class:(0,o.normalizeClass)(["mb-3",{"mt-6":e.shouldShowCards}]),textContent:(0,o.toDisplayString)(a.lensName),dusk:"lens-heading"},null,8,["class","textContent"])):(0,o.createCommentVNode)("",!0),r.searchable||e.availableStandaloneActions.length>0?((0,o.openBlock)(),(0,o.createElementBlock)("div",l,[r.searchable?((0,o.openBlock)(),(0,o.createBlock)(u,{key:0,searchable:r.searchable,keyword:e.search,"onUpdate:keyword":[t[0]||(t[0]=t=>e.search=t),t[1]||(t[1]=t=>e.search=t)]},null,8,["searchable","keyword"])):(0,o.createCommentVNode)("",!0),e.availableStandaloneActions.length>0?((0,o.openBlock)(),(0,o.createBlock)(h,{key:1,onActionExecuted:t[2]||(t[2]=()=>e.fetchPolicies()),class:"ml-auto","resource-name":e.resourceName,"via-resource":"","via-resource-id":"","via-relationship":"","relationship-type":"",actions:e.availableStandaloneActions,"selected-resources":e.selectedResourcesForActionSelector,endpoint:a.lensActionEndpoint},null,8,["resource-name","actions","selected-resources","endpoint"])):(0,o.createCommentVNode)("",!0)])):(0,o.createCommentVNode)("",!0),(0,o.createVNode)(k,null,{default:(0,o.withCtx)((()=>[(0,o.createVNode)(p,{"actions-endpoint":a.lensActionEndpoint,"action-query-string":a.actionQueryString,"all-matching-resource-count":e.allMatchingResourceCount,"authorized-to-delete-any-resources":e.authorizedToDeleteAnyResources,"authorized-to-delete-selected-resources":e.authorizedToDeleteSelectedResources,"authorized-to-force-delete-any-resources":e.authorizedToForceDeleteAnyResources,"authorized-to-force-delete-selected-resources":e.authorizedToForceDeleteSelectedResources,"authorized-to-restore-any-resources":e.authorizedToRestoreAnyResources,"authorized-to-restore-selected-resources":e.authorizedToRestoreSelectedResources,"available-actions":e.availableActions,"clear-selected-filters":e.clearSelectedFilters,"close-delete-modal":e.closeDeleteModal,"currently-polling":e.currentlyPolling,"delete-all-matching-resources":e.deleteAllMatchingResources,"delete-selected-resources":e.deleteSelectedResources,"filter-changed":e.filterChanged,"force-delete-all-matching-resources":e.forceDeleteAllMatchingResources,"force-delete-selected-resources":e.forceDeleteSelectedResources,"get-resources":a.getResources,"has-filters":e.hasFilters,"have-standalone-actions":e.haveStandaloneActions,lens:r.lens,"is-lens-view":e.isLensView,"per-page-options":e.perPageOptions,"per-page":e.perPage,"pivot-actions":e.pivotActions,"pivot-name":e.pivotName,resources:e.resources,"resource-information":e.resourceInformation,"resource-name":e.resourceName,"restore-all-matching-resources":e.restoreAllMatchingResources,"restore-selected-resources":e.restoreSelectedResources,"current-page-count":e.resources.length,"select-all-checked":e.selectAllChecked,"select-all-matching-checked":e.selectAllMatchingResources,onDeselect:e.deselectAllResources,"selected-resources":e.selectedResources,"selected-resources-for-action-selector":e.selectedResourcesForActionSelector,"should-show-action-selector":e.shouldShowActionSelector,"should-show-checkboxes":e.shouldShowCheckboxes,"should-show-delete-menu":e.shouldShowDeleteMenu,"should-show-polling-toggle":e.shouldShowPollingToggle,"soft-deletes":e.softDeletes,onStartPolling:e.startPolling,onStopPolling:e.stopPolling,"toggle-select-all-matching":e.toggleSelectAllMatching,"toggle-select-all":e.toggleSelectAll,"toggle-polling":e.togglePolling,"trashed-changed":e.trashedChanged,"trashed-parameter":e.trashedParameter,trashed:e.trashed,"update-per-page-changed":e.updatePerPageChanged,"via-many-to-many":e.viaManyToMany,"via-resource":e.viaResource},null,8,["actions-endpoint","action-query-string","all-matching-resource-count","authorized-to-delete-any-resources","authorized-to-delete-selected-resources","authorized-to-force-delete-any-resources","authorized-to-force-delete-selected-resources","authorized-to-restore-any-resources","authorized-to-restore-selected-resources","available-actions","clear-selected-filters","close-delete-modal","currently-polling","delete-all-matching-resources","delete-selected-resources","filter-changed","force-delete-all-matching-resources","force-delete-selected-resources","get-resources","has-filters","have-standalone-actions","lens","is-lens-view","per-page-options","per-page","pivot-actions","pivot-name","resources","resource-information","resource-name","restore-all-matching-resources","restore-selected-resources","current-page-count","select-all-checked","select-all-matching-checked","onDeselect","selected-resources","selected-resources-for-action-selector","should-show-action-selector","should-show-checkboxes","should-show-delete-menu","should-show-polling-toggle","soft-deletes","onStartPolling","onStopPolling","toggle-select-all-matching","toggle-select-all","toggle-polling","trashed-changed","trashed-parameter","trashed","update-per-page-changed","via-many-to-many","via-resource"]),(0,o.createVNode)(w,{loading:e.loading,variant:e.resourceResponse?"overlay":"default"},{default:(0,o.withCtx)((()=>[null!=e.resourceResponseError?((0,o.openBlock)(),(0,o.createBlock)(m,{key:0,resource:e.resourceInformation,onClick:a.getResources},null,8,["resource","onClick"])):((0,o.openBlock)(),(0,o.createElementBlock)(o.Fragment,{key:1},[e.resources.length?(0,o.createCommentVNode)("",!0):((0,o.openBlock)(),(0,o.createBlock)(v,{key:0,"create-button-label":e.createButtonLabel,"singular-name":e.singularName,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"authorized-to-create":e.authorizedToCreate,"authorized-to-relate":e.authorizedToRelate},null,8,["create-button-label","singular-name","resource-name","via-resource","via-resource-id","via-relationship","relationship-type","authorized-to-create","authorized-to-relate"])),(0,o.createVNode)(f,{"authorized-to-relate":e.authorizedToRelate,"resource-name":e.resourceName,resources:e.resources,"singular-name":e.singularName,"selected-resources":e.selectedResources,"selected-resource-ids":e.selectedResourceIds,"actions-are-available":a.actionsAreAvailable,"actions-endpoint":a.lensActionEndpoint,"should-show-checkboxes":e.shouldShowCheckboxes,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"relationship-type":e.relationshipType,"update-selection-status":e.updateSelectionStatus,sortable:!0,onOrder:e.orderByField,onResetOrderBy:e.resetOrderBy,onDelete:e.deleteResources,onRestore:e.restoreResources,onActionExecuted:a.getResources,ref:"resourceTable"},null,8,["authorized-to-relate","resource-name","resources","singular-name","selected-resources","selected-resource-ids","actions-are-available","actions-endpoint","should-show-checkboxes","via-resource","via-resource-id","via-relationship","relationship-type","update-selection-status","onOrder","onResetOrderBy","onDelete","onRestore","onActionExecuted"]),(0,o.createVNode)(g,{"pagination-component":e.paginationComponent,"should-show-pagination":e.shouldShowPagination,"has-next-page":e.hasNextPage,"has-previous-page":e.hasPreviousPage,"load-more":a.loadMore,"select-page":e.selectPage,"total-pages":e.totalPages,"current-page":e.currentPage,"per-page":e.perPage,"resource-count-label":e.resourceCountLabel,"current-resource-count":e.currentResourceCount,"all-matching-resource-count":e.allMatchingResourceCount},null,8,["pagination-component","should-show-pagination","has-next-page","has-previous-page","load-more","select-page","total-pages","current-page","per-page","resource-count-label","current-resource-count","all-matching-resource-count"])],64))])),_:1},8,["loading","variant"])])),_:1})])),_:1},8,["loading","dusk"])}],["__file","Lens.vue"]])},props:function(e){for(var t=1;t{"use strict";r.d(t,{A:()=>f});var o=r(29726);const n={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},i={class:"block mb-2",for:"email"},a={class:"mb-6"},s={class:"block mb-2",for:"password"},c={class:"flex mb-6"},d={key:0,class:"ml-auto"},u=["href","textContent"];var h=r(54710),p=r(20008),m=r(27226);const v={name:"LoginPage",layout:h.A,components:{Checkbox:p.A,Button:m.A},data:()=>({form:Nova.form({email:"",password:"",remember:!1})}),methods:{async attempt(){try{const{redirect:e}=await this.form.post(Nova.url("/login"));let t={url:Nova.url("/"),remote:!0};null!=e&&(t={url:e,remote:!0}),Nova.visit(t)}catch(e){500===e.response?.status&&Nova.error(this.__("There was a problem submitting the form."))}}},computed:{supportsPasswordReset:()=>Nova.config("withPasswordReset"),forgotPasswordPath:()=>Nova.config("forgotPasswordPath")}};const f=(0,r(66262).A)(v,[["render",function(e,t,r,h,p,m){const v=(0,o.resolveComponent)("Head"),f=(0,o.resolveComponent)("DividerLine"),g=(0,o.resolveComponent)("HelpText"),w=(0,o.resolveComponent)("Checkbox"),k=(0,o.resolveComponent)("Link"),y=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(v,{title:e.__("Log In")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>m.attempt&&m.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 max-w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",n,(0,o.toDisplayString)(e.__("Welcome Back!")),1),(0,o.createVNode)(f),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",i,(0,o.toDisplayString)(e.__("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=t=>e.form.email=t),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("email")}]),id:"email",type:"email",name:"email",autofocus:"",required:""},null,2),[[o.vModelText,e.form.email]]),e.form.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("label",s,(0,o.toDisplayString)(e.__("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=t=>e.form.password=t),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":e.form.errors.has("password")}]),id:"password",type:"password",name:"password",required:""},null,2),[[o.vModelText,e.form.password]]),e.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(g,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.form.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",c,[(0,o.createVNode)(w,{onChange:t[2]||(t[2]=()=>e.form.remember=!e.form.remember),"model-value":e.form.remember,dusk:"remember-button",label:e.__("Remember me")},null,8,["model-value","label"]),m.supportsPasswordReset||!1!==m.forgotPasswordPath?((0,o.openBlock)(),(0,o.createElementBlock)("div",d,[!1===m.forgotPasswordPath?((0,o.openBlock)(),(0,o.createBlock)(k,{key:0,href:e.$url("/password/reset"),class:"text-gray-500 font-bold no-underline",textContent:(0,o.toDisplayString)(e.__("Forgot your password?"))},null,8,["href","textContent"])):((0,o.openBlock)(),(0,o.createElementBlock)("a",{key:1,href:m.forgotPasswordPath,class:"text-gray-500 font-bold no-underline",textContent:(0,o.toDisplayString)(e.__("Forgot your password?"))},null,8,u))])):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(y,{class:"w-full flex justify-center",type:"submit",loading:e.form.processing},{default:(0,o.withCtx)((()=>[(0,o.createElementVNode)("span",null,(0,o.toDisplayString)(e.__("Log In")),1)])),_:1},8,["loading"])],32)])}],["__file","Login.vue"]])},58513:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(29726);var n=r(18700);const l={name:"Replicate",extends:r(57303).A,props:(0,n.rr)(["resourceName","resourceId"])};const i=(0,r(66262).A)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(a,{onResourceCreated:e.handleResourceCreated,onCreateCancelled:e.handleCreateCancelled,mode:"form","resource-name":e.resourceName,"from-resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,onUpdateFormStatus:e.onUpdateFormStatus,"should-override-meta":!0,"form-unique-id":e.formUniqueId},null,8,["onResourceCreated","onCreateCancelled","resource-name","from-resource-id","via-resource","via-resource-id","via-relationship","onUpdateFormStatus","form-unique-id"])}],["__file","Replicate.vue"]])},87568:(e,t,r)=>{"use strict";r.d(t,{A:()=>f});var o=r(29726);const n={class:"text-2xl text-center font-normal mb-6"},l={class:"mb-6"},i={class:"block mb-2",for:"email"},a={class:"mb-6"},s={class:"block mb-2",for:"password"},c={class:"mb-6"},d={class:"block mb-2",for:"password_confirmation"};var u=r(12215),h=r.n(u),p=r(54710),m=r(27226);const v={layout:p.A,components:{Button:m.A},props:["email","token"],data(){return{form:Nova.form({email:this.email,password:"",password_confirmation:"",token:this.token})}},methods:{async attempt(){const{message:e}=await this.form.post(Nova.url("/password/reset")),t={url:Nova.url("/"),remote:!0};h().set("token",Math.random().toString(36),{expires:365}),Nova.$toasted.show(e,{action:{onClick:()=>Nova.visit(t),text:this.__("Reload")},duration:null,type:"success"}),setTimeout((()=>Nova.visit(t)),5e3)}}};const f=(0,r(66262).A)(v,[["render",function(e,t,r,u,h,p){const m=(0,o.resolveComponent)("Head"),v=(0,o.resolveComponent)("DividerLine"),f=(0,o.resolveComponent)("HelpText"),g=(0,o.resolveComponent)("Button");return(0,o.openBlock)(),(0,o.createElementBlock)("div",null,[(0,o.createVNode)(m,{title:e.__("Reset Password")},null,8,["title"]),(0,o.createElementVNode)("form",{onSubmit:t[3]||(t[3]=(0,o.withModifiers)(((...e)=>p.attempt&&p.attempt(...e)),["prevent"])),class:"bg-white dark:bg-gray-800 shadow rounded-lg p-8 w-[25rem] mx-auto"},[(0,o.createElementVNode)("h2",n,(0,o.toDisplayString)(e.__("Reset Password")),1),(0,o.createVNode)(v),(0,o.createElementVNode)("div",l,[(0,o.createElementVNode)("label",i,(0,o.toDisplayString)(e.__("Email Address")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[0]||(t[0]=e=>h.form.email=e),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":h.form.errors.has("email")}]),id:"email",type:"email",name:"email",required:"",autofocus:""},null,2),[[o.vModelText,h.form.email]]),h.form.errors.has("email")?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(h.form.errors.first("email")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",a,[(0,o.createElementVNode)("label",s,(0,o.toDisplayString)(e.__("Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[1]||(t[1]=e=>h.form.password=e),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":h.form.errors.has("password")}]),id:"password",type:"password",name:"password",required:""},null,2),[[o.vModelText,h.form.password]]),h.form.errors.has("password")?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(h.form.errors.first("password")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createElementVNode)("div",c,[(0,o.createElementVNode)("label",d,(0,o.toDisplayString)(e.__("Confirm Password")),1),(0,o.withDirectives)((0,o.createElementVNode)("input",{"onUpdate:modelValue":t[2]||(t[2]=e=>h.form.password_confirmation=e),class:(0,o.normalizeClass)(["form-control form-input form-control-bordered w-full",{"form-control-bordered-error":h.form.errors.has("password_confirmation")}]),id:"password_confirmation",type:"password",name:"password_confirmation",required:""},null,2),[[o.vModelText,h.form.password_confirmation]]),h.form.errors.has("password_confirmation")?((0,o.openBlock)(),(0,o.createBlock)(f,{key:0,class:"mt-2 text-red-500"},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(h.form.errors.first("password_confirmation")),1)])),_:1})):(0,o.createCommentVNode)("",!0)]),(0,o.createVNode)(g,{class:"w-full flex justify-center",type:"submit",loading:h.form.processing},{default:(0,o.withCtx)((()=>[(0,o.createTextVNode)((0,o.toDisplayString)(e.__("Reset Password")),1)])),_:1},8,["loading"])],32)])}],["__file","ResetPassword.vue"]])},11017:(e,t,r)=>{"use strict";r.d(t,{A:()=>b});var o=r(29726);var n=r(18700);const l=["data-form-unique-id"],i={class:"mb-8 space-y-4"},a={class:"flex flex-col md:flex-row md:items-center justify-center md:justify-end space-y-2 md:space-y-0 md:space-x-3"};var s=r(76135),c=r.n(s),d=r(15101),u=r.n(d),h=r(66278);function p(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function m(e){for(var t=1;t({relationResponse:null,loading:!0,submittedViaUpdateResourceAndContinueEditing:!1,submittedViaUpdateResource:!1,title:null,fields:[],panels:[],lastRetrievedAt:null}),async created(){if(Nova.missingResource(this.resourceName))return Nova.visit("/404");if(this.isRelation){const{data:e}=await Nova.request().get(`/nova-api/${this.viaResource}/field/${this.viaRelationship}`,{params:{relatable:!0}});this.relationResponse=e}this.getFields(),this.updateLastRetrievedAtTimestamp(),this.allowLeavingForm()},methods:m(m({},(0,h.i0)(["fetchPolicies"])),{},{handleFileDeleted(){},removeFile(e){const{resourceName:t,resourceId:r}=this;Nova.request().delete(`/nova-api/${t}/${r}/field/${e}`)},handleResourceLoaded(){this.loading=!1,Nova.$emit("resource-loaded",{resourceName:this.resourceName,resourceId:this.resourceId.toString(),mode:"update"})},async getFields(){this.loading=!0,this.panels=[],this.fields=[];const{data:{title:e,panels:t,fields:r}}=await Nova.request().get(`/nova-api/${this.resourceName}/${this.resourceId}/update-fields`,{params:{editing:!0,editMode:"update",viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship}}).catch((e=>{404!=e.response.status||Nova.visit("/404")}));this.title=e,this.panels=t,this.fields=r,this.handleResourceLoaded()},async submitViaUpdateResource(e){e.preventDefault(),this.submittedViaUpdateResource=!0,this.submittedViaUpdateResourceAndContinueEditing=!1,this.allowLeavingForm(),await this.updateResource()},async submitViaUpdateResourceAndContinueEditing(e){e.preventDefault(),this.submittedViaUpdateResourceAndContinueEditing=!0,this.submittedViaUpdateResource=!1,this.allowLeavingForm(),await this.updateResource()},cancelUpdatingResource(){this.handleProceedingToPreviousPage(),this.allowLeavingForm(),this.proceedToPreviousPage(this.isRelation?`/resources/${this.viaResource}/${this.viaResourceId}`:`/resources/${this.resourceName}/${this.resourceId}`)},async updateResource(){if(this.isWorking=!0,this.$refs.form.reportValidity())try{const{data:{redirect:e,id:t}}=await this.updateRequest();if(await this.fetchPolicies(),Nova.success(this.__("The :resource was updated!",{resource:this.resourceInformation.singularLabel.toLowerCase()})),Nova.$emit("resource-updated",{resourceName:this.resourceName,resourceId:t}),await this.updateLastRetrievedAtTimestamp(),!this.submittedViaUpdateResource)return void(t!=this.resourceId?Nova.visit(`/resources/${this.resourceName}/${t}/edit`):(window.scrollTo(0,0),this.disableNavigateBackUsingHistory(),this.getFields(),this.resetErrors(),this.submittedViaUpdateResource=!1,this.submittedViaUpdateResourceAndContinueEditing=!1,this.isWorking=!1));Nova.visit(e)}catch(e){window.scrollTo(0,0),this.submittedViaUpdateResource=!1,this.submittedViaUpdateResourceAndContinueEditing=!1,this.preventLeavingForm(),this.handleOnUpdateResponseError(e)}this.submittedViaUpdateResource=!1,this.submittedViaUpdateResourceAndContinueEditing=!1,this.isWorking=!1},updateRequest(){return Nova.request().post(`/nova-api/${this.resourceName}/${this.resourceId}`,this.updateResourceFormData(),{params:{viaResource:this.viaResource,viaResourceId:this.viaResourceId,viaRelationship:this.viaRelationship,editing:!0,editMode:"update"}})},updateResourceFormData(){return u()(new FormData,(e=>{c()(this.panels,(t=>{c()(t.fields,(t=>{t.fill(e)}))})),e.append("_method","PUT"),e.append("_retrieved_at",this.lastRetrievedAt)}))},updateLastRetrievedAtTimestamp(){this.lastRetrievedAt=Math.floor((new Date).getTime()/1e3)},onUpdateFormStatus(){this.updateFormStatus()}}),computed:{wasSubmittedViaUpdateResourceAndContinueEditing(){return this.isWorking&&this.submittedViaUpdateResourceAndContinueEditing},wasSubmittedViaUpdateResource(){return this.isWorking&&this.submittedViaUpdateResource},singularName(){return this.relationResponse?this.relationResponse.singularLabel:this.resourceInformation.singularLabel},updateButtonLabel(){return this.resourceInformation.updateButtonLabel},isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)}}};var g=r(66262);const w=(0,g.A)(f,[["render",function(e,t,r,n,s,c){const d=(0,o.resolveComponent)("Head"),u=(0,o.resolveComponent)("Button"),h=(0,o.resolveComponent)("LoadingView");return(0,o.openBlock)(),(0,o.createBlock)(h,{loading:e.loading},{default:(0,o.withCtx)((()=>[e.resourceInformation&&e.title?((0,o.openBlock)(),(0,o.createBlock)(d,{key:0,title:e.__("Update :resource: :title",{resource:e.resourceInformation.singularLabel,title:e.title})},null,8,["title"])):(0,o.createCommentVNode)("",!0),e.panels?((0,o.openBlock)(),(0,o.createElementBlock)("form",{key:1,onSubmit:t[0]||(t[0]=(...e)=>c.submitViaUpdateResource&&c.submitViaUpdateResource(...e)),onChange:t[1]||(t[1]=(...e)=>c.onUpdateFormStatus&&c.onUpdateFormStatus(...e)),"data-form-unique-id":e.formUniqueId,autocomplete:"off",ref:"form"},[(0,o.createElementVNode)("div",i,[((0,o.openBlock)(!0),(0,o.createElementBlock)(o.Fragment,null,(0,o.renderList)(e.panels,(t=>((0,o.openBlock)(),(0,o.createBlock)((0,o.resolveDynamicComponent)("form-"+t.component),{key:t.id,onUpdateLastRetrievedAtTimestamp:c.updateLastRetrievedAtTimestamp,onFileDeleted:c.handleFileDeleted,onFieldChanged:c.onUpdateFormStatus,onFileUploadStarted:e.handleFileUploadStarted,onFileUploadFinished:e.handleFileUploadFinished,panel:t,name:t.name,"resource-id":e.resourceId,"resource-name":e.resourceName,fields:t.fields,"form-unique-id":e.formUniqueId,mode:"form","validation-errors":e.validationErrors,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"show-help-text":!0},null,40,["onUpdateLastRetrievedAtTimestamp","onFileDeleted","onFieldChanged","onFileUploadStarted","onFileUploadFinished","panel","name","resource-id","resource-name","fields","form-unique-id","validation-errors","via-resource","via-resource-id","via-relationship"])))),128))]),(0,o.createElementVNode)("div",a,[(0,o.createVNode)(u,{dusk:"cancel-update-button",variant:"ghost",label:e.__("Cancel"),onClick:c.cancelUpdatingResource,disabled:e.isWorking},null,8,["label","onClick","disabled"]),(0,o.createVNode)(u,{dusk:"update-and-continue-editing-button",onClick:c.submitViaUpdateResourceAndContinueEditing,disabled:e.isWorking,loading:c.wasSubmittedViaUpdateResourceAndContinueEditing,label:e.__("Update & Continue Editing")},null,8,["onClick","disabled","loading","label"]),(0,o.createVNode)(u,{dusk:"update-button",type:"submit",disabled:e.isWorking,loading:c.wasSubmittedViaUpdateResource,label:c.updateButtonLabel},null,8,["disabled","loading","label"])])],40,l)):(0,o.createCommentVNode)("",!0)])),_:1},8,["loading"])}],["__file","Update.vue"]]);var k=r(25542);const y={name:"Update",components:{ResourceUpdate:w},props:(0,n.rr)(["resourceName","resourceId","viaResource","viaResourceId","viaRelationship"]),data:()=>({formUniqueId:(0,k.L)()})},b=(0,g.A)(y,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("ResourceUpdate");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":e.resourceName,"resource-id":e.resourceId,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,"form-unique-id":e.formUniqueId},null,8,["resource-name","resource-id","via-resource","via-resource-id","via-relationship","form-unique-id"])}],["__file","Update.vue"]])},28471:(e,t,r)=>{"use strict";r.d(t,{A:()=>i});var o=r(29726);var n=r(25542);const l={name:"UpdateAttached",props:{resourceName:{type:String,required:!0},resourceId:{required:!0},relatedResourceName:{type:String,required:!0},relatedResourceId:{required:!0},viaResource:{default:""},viaResourceId:{default:""},parentResource:{type:Object},viaRelationship:{default:""},viaPivotId:{default:null},polymorphic:{default:!1}},data:()=>({formUniqueId:(0,n.L)()})};const i=(0,r(66262).A)(l,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("UpdateAttachedResource");return(0,o.openBlock)(),(0,o.createBlock)(a,{"resource-name":r.resourceName,"resource-id":r.resourceId,"related-resource-name":r.relatedResourceName,"related-resource-id":r.relatedResourceId,"via-resource":r.viaResource,"via-resource-id":r.viaResourceId,"parent-resource":r.parentResource,"via-relationship":r.viaRelationship,"via-pivot-id":r.viaPivotId,polymorphic:r.polymorphic,"form-unique-id":e.formUniqueId},null,8,["resource-name","resource-id","related-resource-name","related-resource-id","via-resource","via-resource-id","parent-resource","via-relationship","via-pivot-id","polymorphic","form-unique-id"])}],["__file","UpdateAttached.vue"]])},57303:(e,t,r)=>{"use strict";r.d(t,{A:()=>c});var o=r(29726);var n=r(18700),l=r(25542);function i(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var o=Object.getOwnPropertySymbols(e);t&&(o=o.filter((function(t){return Object.getOwnPropertyDescriptor(e,t).enumerable}))),r.push.apply(r,o)}return r}function a(e,t,r){var o;return(t="symbol"==typeof(o=function(e,t){if("object"!=typeof e||!e)return e;var r=e[Symbol.toPrimitive];if(void 0!==r){var o=r.call(e,t||"default");if("object"!=typeof o)return o;throw new TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?o:String(o))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}const s={emits:["refresh","create-cancelled","finished-loading"],mixins:[n.rd,n.Uf],provide(){return{removeFile:this.removeFile}},props:function(e){for(var t=1;t["modal","form"].includes(e)}},(0,n.rr)(["resourceName","viaResource","viaResourceId","viaRelationship"])),data:()=>({formUniqueId:(0,l.L)()}),methods:{handleResourceCreated({redirect:e,id:t}){return"form"===this.mode?this.allowLeavingForm():this.allowLeavingModal(),Nova.$emit("resource-created",{resourceName:this.resourceName,resourceId:t}),"form"===this.mode?Nova.visit(e):this.$emit("refresh",{redirect:e,id:t})},handleResourceCreatedAndAddingAnother(){this.disableNavigateBackUsingHistory()},handleCreateCancelled(){return"form"===this.mode?(this.handleProceedingToPreviousPage(),this.allowLeavingForm(),void this.proceedToPreviousPage(this.isRelation?`/resources/${this.viaResource}/${this.viaResourceId}`:`/resources/${this.resourceName}`)):(this.allowLeavingModal(),this.$emit("create-cancelled"))},onUpdateFormStatus(){"form"===this.mode?this.updateFormStatus():this.updateModalStatus()},removeFile(e){}},computed:{isRelation(){return Boolean(this.viaResourceId&&this.viaRelationship)}}};const c=(0,r(66262).A)(s,[["render",function(e,t,r,n,l,i){const a=(0,o.resolveComponent)("CreateForm");return(0,o.openBlock)(),(0,o.createBlock)(a,{onResourceCreated:i.handleResourceCreated,onResourceCreatedAndAddingAnother:i.handleResourceCreatedAndAddingAnother,onCreateCancelled:i.handleCreateCancelled,mode:r.mode,"resource-name":e.resourceName,"via-resource":e.viaResource,"via-resource-id":e.viaResourceId,"via-relationship":e.viaRelationship,onUpdateFormStatus:i.onUpdateFormStatus,onFinishedLoading:t[0]||(t[0]=t=>e.$emit("finished-loading")),"should-override-meta":"form"===r.mode,"form-unique-id":e.formUniqueId},null,8,["onResourceCreated","onResourceCreatedAndAddingAnother","onCreateCancelled","mode","resource-name","via-resource","via-resource-id","via-relationship","onUpdateFormStatus","should-override-meta","form-unique-id"])}],["__file","Create.vue"]])},60630:(e,t,r)=>{var o={"./ActionSelector.vue":9453,"./AppLogo.vue":47780,"./Avatar.vue":73390,"./Backdrop.vue":94376,"./Badges/Badge.vue":28240,"./Badges/CircleBadge.vue":7252,"./BooleanOption.vue":92931,"./Buttons/BasicButton.vue":33621,"./Buttons/ButtonInertiaLink.vue":12535,"./Buttons/CopyButton.vue":80230,"./Buttons/CreateRelationButton.vue":30652,"./Buttons/DefaultButton.vue":41835,"./Buttons/IconButton.vue":14112,"./Buttons/InertiaButton.vue":56605,"./Buttons/InvertedButton.vue":60952,"./Buttons/LinkButton.vue":54291,"./Buttons/OutlineButton.vue":97115,"./Buttons/OutlineButtonInertiaLink.vue":75117,"./Buttons/RemoveButton.vue":6464,"./Buttons/ResourcePollingButton.vue":68907,"./Buttons/ToolbarButton.vue":96928,"./CancelButton.vue":32130,"./Card.vue":72394,"./CardWrapper.vue":57983,"./Cards.vue":70217,"./Cards/HelpCard.vue":24773,"./Checkbox.vue":33693,"./CheckboxWithLabel.vue":33914,"./CollapseButton.vue":62359,"./Controls/MultiSelectControl.vue":82637,"./Controls/SelectControl.vue":9847,"./CreateForm.vue":5740,"./CreateResourceButton.vue":99573,"./DefaultField.vue":1298,"./DeleteButton.vue":27221,"./DeleteMenu.vue":22599,"./DividerLine.vue":65628,"./DropZone/DropZone.vue":61693,"./DropZone/FilePreviewBlock.vue":82222,"./DropZone/SingleDropZone.vue":34159,"./Dropdowns/ActionDropdown.vue":21127,"./Dropdowns/DetailActionDropdown.vue":63971,"./Dropdowns/Dropdown.vue":75167,"./Dropdowns/DropdownMenu.vue":43378,"./Dropdowns/DropdownMenuHeading.vue":98555,"./Dropdowns/DropdownMenuItem.vue":98628,"./Dropdowns/InlineActionDropdown.vue":73926,"./Dropdowns/SelectAllDropdown.vue":13025,"./Dropdowns/ThemeDropdown.vue":83040,"./Excerpt.vue":70293,"./FadeTransition.vue":99456,"./FieldWrapper.vue":76327,"./FilterMenu.vue":77447,"./Filters/BooleanFilter.vue":98197,"./Filters/DateFilter.vue":8231,"./Filters/FilterContainer.vue":39702,"./Filters/SelectFilter.vue":16775,"./FormButton.vue":30899,"./FormLabel.vue":62064,"./GlobalSearch.vue":85141,"./Heading.vue":24558,"./HelpText.vue":30781,"./HelpTextTooltip.vue":90499,"./Heroicons/outline/HeroiconsOutlineAcademicCap.vue":15203,"./Heroicons/outline/HeroiconsOutlineAdjustments.vue":85698,"./Heroicons/outline/HeroiconsOutlineAnnotation.vue":18390,"./Heroicons/outline/HeroiconsOutlineArchive.vue":82107,"./Heroicons/outline/HeroiconsOutlineArrowCircleDown.vue":29376,"./Heroicons/outline/HeroiconsOutlineArrowCircleLeft.vue":51573,"./Heroicons/outline/HeroiconsOutlineArrowCircleRight.vue":2526,"./Heroicons/outline/HeroiconsOutlineArrowCircleUp.vue":48282,"./Heroicons/outline/HeroiconsOutlineArrowDown.vue":24141,"./Heroicons/outline/HeroiconsOutlineArrowLeft.vue":45314,"./Heroicons/outline/HeroiconsOutlineArrowNarrowDown.vue":18176,"./Heroicons/outline/HeroiconsOutlineArrowNarrowLeft.vue":6437,"./Heroicons/outline/HeroiconsOutlineArrowNarrowRight.vue":40593,"./Heroicons/outline/HeroiconsOutlineArrowNarrowUp.vue":61238,"./Heroicons/outline/HeroiconsOutlineArrowRight.vue":46977,"./Heroicons/outline/HeroiconsOutlineArrowUp.vue":16638,"./Heroicons/outline/HeroiconsOutlineArrowsExpand.vue":93936,"./Heroicons/outline/HeroiconsOutlineAtSymbol.vue":40235,"./Heroicons/outline/HeroiconsOutlineBackspace.vue":80932,"./Heroicons/outline/HeroiconsOutlineBadgeCheck.vue":83410,"./Heroicons/outline/HeroiconsOutlineBan.vue":95448,"./Heroicons/outline/HeroiconsOutlineBeaker.vue":39570,"./Heroicons/outline/HeroiconsOutlineBell.vue":7928,"./Heroicons/outline/HeroiconsOutlineBookOpen.vue":24623,"./Heroicons/outline/HeroiconsOutlineBookmark.vue":3635,"./Heroicons/outline/HeroiconsOutlineBookmarkAlt.vue":77344,"./Heroicons/outline/HeroiconsOutlineBriefcase.vue":12849,"./Heroicons/outline/HeroiconsOutlineCake.vue":25644,"./Heroicons/outline/HeroiconsOutlineCalculator.vue":88476,"./Heroicons/outline/HeroiconsOutlineCalendar.vue":30541,"./Heroicons/outline/HeroiconsOutlineCamera.vue":17806,"./Heroicons/outline/HeroiconsOutlineCash.vue":45186,"./Heroicons/outline/HeroiconsOutlineChartBar.vue":55633,"./Heroicons/outline/HeroiconsOutlineChartPie.vue":73622,"./Heroicons/outline/HeroiconsOutlineChartSquareBar.vue":4348,"./Heroicons/outline/HeroiconsOutlineChat.vue":7917,"./Heroicons/outline/HeroiconsOutlineChatAlt.vue":5687,"./Heroicons/outline/HeroiconsOutlineChatAlt2.vue":51296,"./Heroicons/outline/HeroiconsOutlineCheck.vue":81686,"./Heroicons/outline/HeroiconsOutlineCheckCircle.vue":63740,"./Heroicons/outline/HeroiconsOutlineChevronDoubleDown.vue":22119,"./Heroicons/outline/HeroiconsOutlineChevronDoubleLeft.vue":25072,"./Heroicons/outline/HeroiconsOutlineChevronDoubleRight.vue":21449,"./Heroicons/outline/HeroiconsOutlineChevronDoubleUp.vue":74108,"./Heroicons/outline/HeroiconsOutlineChevronDown.vue":58785,"./Heroicons/outline/HeroiconsOutlineChevronLeft.vue":43557,"./Heroicons/outline/HeroiconsOutlineChevronRight.vue":40732,"./Heroicons/outline/HeroiconsOutlineChevronUp.vue":97322,"./Heroicons/outline/HeroiconsOutlineChip.vue":42579,"./Heroicons/outline/HeroiconsOutlineClipboard.vue":75233,"./Heroicons/outline/HeroiconsOutlineClipboardCheck.vue":1644,"./Heroicons/outline/HeroiconsOutlineClipboardCopy.vue":28164,"./Heroicons/outline/HeroiconsOutlineClipboardList.vue":86843,"./Heroicons/outline/HeroiconsOutlineClock.vue":16967,"./Heroicons/outline/HeroiconsOutlineCloud.vue":58824,"./Heroicons/outline/HeroiconsOutlineCloudDownload.vue":94910,"./Heroicons/outline/HeroiconsOutlineCloudUpload.vue":41321,"./Heroicons/outline/HeroiconsOutlineCode.vue":85321,"./Heroicons/outline/HeroiconsOutlineCog.vue":16167,"./Heroicons/outline/HeroiconsOutlineCollection.vue":77164,"./Heroicons/outline/HeroiconsOutlineColorSwatch.vue":36739,"./Heroicons/outline/HeroiconsOutlineCreditCard.vue":85556,"./Heroicons/outline/HeroiconsOutlineCube.vue":20547,"./Heroicons/outline/HeroiconsOutlineCubeTransparent.vue":18026,"./Heroicons/outline/HeroiconsOutlineCurrencyBangladeshi.vue":45785,"./Heroicons/outline/HeroiconsOutlineCurrencyDollar.vue":15689,"./Heroicons/outline/HeroiconsOutlineCurrencyEuro.vue":73641,"./Heroicons/outline/HeroiconsOutlineCurrencyPound.vue":27536,"./Heroicons/outline/HeroiconsOutlineCurrencyRupee.vue":81160,"./Heroicons/outline/HeroiconsOutlineCurrencyYen.vue":52980,"./Heroicons/outline/HeroiconsOutlineCursorClick.vue":2600,"./Heroicons/outline/HeroiconsOutlineDatabase.vue":16941,"./Heroicons/outline/HeroiconsOutlineDesktopComputer.vue":19197,"./Heroicons/outline/HeroiconsOutlineDeviceMobile.vue":59220,"./Heroicons/outline/HeroiconsOutlineDeviceTablet.vue":21220,"./Heroicons/outline/HeroiconsOutlineDocument.vue":76822,"./Heroicons/outline/HeroiconsOutlineDocumentAdd.vue":57001,"./Heroicons/outline/HeroiconsOutlineDocumentDownload.vue":59338,"./Heroicons/outline/HeroiconsOutlineDocumentDuplicate.vue":86657,"./Heroicons/outline/HeroiconsOutlineDocumentRemove.vue":9736,"./Heroicons/outline/HeroiconsOutlineDocumentReport.vue":78592,"./Heroicons/outline/HeroiconsOutlineDocumentSearch.vue":92206,"./Heroicons/outline/HeroiconsOutlineDocumentText.vue":27845,"./Heroicons/outline/HeroiconsOutlineDotsCircleHorizontal.vue":77145,"./Heroicons/outline/HeroiconsOutlineDotsHorizontal.vue":81236,"./Heroicons/outline/HeroiconsOutlineDotsVertical.vue":27444,"./Heroicons/outline/HeroiconsOutlineDownload.vue":95531,"./Heroicons/outline/HeroiconsOutlineDuplicate.vue":22088,"./Heroicons/outline/HeroiconsOutlineEmojiHappy.vue":94161,"./Heroicons/outline/HeroiconsOutlineEmojiSad.vue":19181,"./Heroicons/outline/HeroiconsOutlineExclamation.vue":86829,"./Heroicons/outline/HeroiconsOutlineExclamationCircle.vue":58102,"./Heroicons/outline/HeroiconsOutlineExternalLink.vue":1626,"./Heroicons/outline/HeroiconsOutlineEye.vue":46250,"./Heroicons/outline/HeroiconsOutlineEyeOff.vue":94429,"./Heroicons/outline/HeroiconsOutlineFastForward.vue":81893,"./Heroicons/outline/HeroiconsOutlineFilm.vue":40640,"./Heroicons/outline/HeroiconsOutlineFilter.vue":3778,"./Heroicons/outline/HeroiconsOutlineFingerPrint.vue":67265,"./Heroicons/outline/HeroiconsOutlineFire.vue":97304,"./Heroicons/outline/HeroiconsOutlineFlag.vue":31329,"./Heroicons/outline/HeroiconsOutlineFolder.vue":71642,"./Heroicons/outline/HeroiconsOutlineFolderAdd.vue":2710,"./Heroicons/outline/HeroiconsOutlineFolderDownload.vue":93894,"./Heroicons/outline/HeroiconsOutlineFolderOpen.vue":87925,"./Heroicons/outline/HeroiconsOutlineFolderRemove.vue":86549,"./Heroicons/outline/HeroiconsOutlineGift.vue":1339,"./Heroicons/outline/HeroiconsOutlineGlobe.vue":3744,"./Heroicons/outline/HeroiconsOutlineGlobeAlt.vue":24279,"./Heroicons/outline/HeroiconsOutlineHand.vue":97444,"./Heroicons/outline/HeroiconsOutlineHashtag.vue":1834,"./Heroicons/outline/HeroiconsOutlineHeart.vue":36290,"./Heroicons/outline/HeroiconsOutlineHome.vue":9180,"./Heroicons/outline/HeroiconsOutlineIdentification.vue":81348,"./Heroicons/outline/HeroiconsOutlineInbox.vue":37985,"./Heroicons/outline/HeroiconsOutlineInboxIn.vue":1031,"./Heroicons/outline/HeroiconsOutlineInformationCircle.vue":68405,"./Heroicons/outline/HeroiconsOutlineKey.vue":94658,"./Heroicons/outline/HeroiconsOutlineLibrary.vue":37048,"./Heroicons/outline/HeroiconsOutlineLightBulb.vue":21814,"./Heroicons/outline/HeroiconsOutlineLightningBolt.vue":2971,"./Heroicons/outline/HeroiconsOutlineLink.vue":57232,"./Heroicons/outline/HeroiconsOutlineLocationMarker.vue":66449,"./Heroicons/outline/HeroiconsOutlineLockClosed.vue":64508,"./Heroicons/outline/HeroiconsOutlineLockOpen.vue":67989,"./Heroicons/outline/HeroiconsOutlineLogin.vue":42321,"./Heroicons/outline/HeroiconsOutlineLogout.vue":48418,"./Heroicons/outline/HeroiconsOutlineMail.vue":18300,"./Heroicons/outline/HeroiconsOutlineMailOpen.vue":17038,"./Heroicons/outline/HeroiconsOutlineMap.vue":27635,"./Heroicons/outline/HeroiconsOutlineMenu.vue":38026,"./Heroicons/outline/HeroiconsOutlineMenuAlt1.vue":29758,"./Heroicons/outline/HeroiconsOutlineMenuAlt2.vue":42644,"./Heroicons/outline/HeroiconsOutlineMenuAlt3.vue":26796,"./Heroicons/outline/HeroiconsOutlineMenuAlt4.vue":17414,"./Heroicons/outline/HeroiconsOutlineMicrophone.vue":58819,"./Heroicons/outline/HeroiconsOutlineMinus.vue":83476,"./Heroicons/outline/HeroiconsOutlineMinusCircle.vue":45062,"./Heroicons/outline/HeroiconsOutlineMoon.vue":16818,"./Heroicons/outline/HeroiconsOutlineMusicNote.vue":88095,"./Heroicons/outline/HeroiconsOutlineNewspaper.vue":97560,"./Heroicons/outline/HeroiconsOutlineOfficeBuilding.vue":59536,"./Heroicons/outline/HeroiconsOutlinePaperAirplane.vue":10674,"./Heroicons/outline/HeroiconsOutlinePaperClip.vue":67116,"./Heroicons/outline/HeroiconsOutlinePause.vue":50567,"./Heroicons/outline/HeroiconsOutlinePencil.vue":96455,"./Heroicons/outline/HeroiconsOutlinePencilAlt.vue":61577,"./Heroicons/outline/HeroiconsOutlinePhone.vue":42662,"./Heroicons/outline/HeroiconsOutlinePhoneIncoming.vue":22939,"./Heroicons/outline/HeroiconsOutlinePhoneMissedCall.vue":12288,"./Heroicons/outline/HeroiconsOutlinePhoneOutgoing.vue":78082,"./Heroicons/outline/HeroiconsOutlinePhotograph.vue":19874,"./Heroicons/outline/HeroiconsOutlinePlay.vue":77776,"./Heroicons/outline/HeroiconsOutlinePlus.vue":61277,"./Heroicons/outline/HeroiconsOutlinePlusCircle.vue":93993,"./Heroicons/outline/HeroiconsOutlinePresentationChartBar.vue":66517,"./Heroicons/outline/HeroiconsOutlinePresentationChartLine.vue":31031,"./Heroicons/outline/HeroiconsOutlinePrinter.vue":58011,"./Heroicons/outline/HeroiconsOutlinePuzzle.vue":53277,"./Heroicons/outline/HeroiconsOutlineQrcode.vue":22557,"./Heroicons/outline/HeroiconsOutlineQuestionMarkCircle.vue":94258,"./Heroicons/outline/HeroiconsOutlineReceiptRefund.vue":72462,"./Heroicons/outline/HeroiconsOutlineReceiptTax.vue":19884,"./Heroicons/outline/HeroiconsOutlineRefresh.vue":20328,"./Heroicons/outline/HeroiconsOutlineReply.vue":51119,"./Heroicons/outline/HeroiconsOutlineRewind.vue":34878,"./Heroicons/outline/HeroiconsOutlineRss.vue":66912,"./Heroicons/outline/HeroiconsOutlineSave.vue":43513,"./Heroicons/outline/HeroiconsOutlineSaveAs.vue":26259,"./Heroicons/outline/HeroiconsOutlineScale.vue":5050,"./Heroicons/outline/HeroiconsOutlineScissors.vue":33793,"./Heroicons/outline/HeroiconsOutlineSearch.vue":6208,"./Heroicons/outline/HeroiconsOutlineSearchCircle.vue":71848,"./Heroicons/outline/HeroiconsOutlineSelector.vue":56302,"./Heroicons/outline/HeroiconsOutlineServer.vue":66089,"./Heroicons/outline/HeroiconsOutlineShare.vue":87947,"./Heroicons/outline/HeroiconsOutlineShieldCheck.vue":30120,"./Heroicons/outline/HeroiconsOutlineShieldExclamation.vue":39215,"./Heroicons/outline/HeroiconsOutlineShoppingBag.vue":84383,"./Heroicons/outline/HeroiconsOutlineShoppingCart.vue":5446,"./Heroicons/outline/HeroiconsOutlineSortAscending.vue":55422,"./Heroicons/outline/HeroiconsOutlineSortDescending.vue":23861,"./Heroicons/outline/HeroiconsOutlineSparkles.vue":85542,"./Heroicons/outline/HeroiconsOutlineSpeakerphone.vue":5330,"./Heroicons/outline/HeroiconsOutlineStar.vue":81272,"./Heroicons/outline/HeroiconsOutlineStatusOffline.vue":67094,"./Heroicons/outline/HeroiconsOutlineStatusOnline.vue":34923,"./Heroicons/outline/HeroiconsOutlineStop.vue":73129,"./Heroicons/outline/HeroiconsOutlineSun.vue":68,"./Heroicons/outline/HeroiconsOutlineSupport.vue":27338,"./Heroicons/outline/HeroiconsOutlineSwitchHorizontal.vue":19416,"./Heroicons/outline/HeroiconsOutlineSwitchVertical.vue":95168,"./Heroicons/outline/HeroiconsOutlineTable.vue":17816,"./Heroicons/outline/HeroiconsOutlineTag.vue":59219,"./Heroicons/outline/HeroiconsOutlineTemplate.vue":45505,"./Heroicons/outline/HeroiconsOutlineTerminal.vue":91416,"./Heroicons/outline/HeroiconsOutlineThumbDown.vue":43474,"./Heroicons/outline/HeroiconsOutlineThumbUp.vue":7972,"./Heroicons/outline/HeroiconsOutlineTicket.vue":38460,"./Heroicons/outline/HeroiconsOutlineTranslate.vue":81922,"./Heroicons/outline/HeroiconsOutlineTrash.vue":98708,"./Heroicons/outline/HeroiconsOutlineTrendingDown.vue":20579,"./Heroicons/outline/HeroiconsOutlineTrendingUp.vue":84697,"./Heroicons/outline/HeroiconsOutlineTruck.vue":43969,"./Heroicons/outline/HeroiconsOutlineUpload.vue":42902,"./Heroicons/outline/HeroiconsOutlineUser.vue":39583,"./Heroicons/outline/HeroiconsOutlineUserAdd.vue":39551,"./Heroicons/outline/HeroiconsOutlineUserCircle.vue":40504,"./Heroicons/outline/HeroiconsOutlineUserGroup.vue":24566,"./Heroicons/outline/HeroiconsOutlineUserRemove.vue":51816,"./Heroicons/outline/HeroiconsOutlineUsers.vue":68582,"./Heroicons/outline/HeroiconsOutlineVariable.vue":98175,"./Heroicons/outline/HeroiconsOutlineVideoCamera.vue":38702,"./Heroicons/outline/HeroiconsOutlineViewBoards.vue":65420,"./Heroicons/outline/HeroiconsOutlineViewGrid.vue":19030,"./Heroicons/outline/HeroiconsOutlineViewGridAdd.vue":90274,"./Heroicons/outline/HeroiconsOutlineViewList.vue":11163,"./Heroicons/outline/HeroiconsOutlineVolumeOff.vue":13323,"./Heroicons/outline/HeroiconsOutlineVolumeUp.vue":80239,"./Heroicons/outline/HeroiconsOutlineWifi.vue":26813,"./Heroicons/outline/HeroiconsOutlineX.vue":82819,"./Heroicons/outline/HeroiconsOutlineXCircle.vue":40931,"./Heroicons/outline/HeroiconsOutlineZoomIn.vue":46835,"./Heroicons/outline/HeroiconsOutlineZoomOut.vue":10160,"./Heroicons/solid/HeroiconsSolidAcademicCap.vue":70746,"./Heroicons/solid/HeroiconsSolidAdjustments.vue":22332,"./Heroicons/solid/HeroiconsSolidAnnotation.vue":66480,"./Heroicons/solid/HeroiconsSolidArchive.vue":29214,"./Heroicons/solid/HeroiconsSolidArrowCircleDown.vue":60278,"./Heroicons/solid/HeroiconsSolidArrowCircleLeft.vue":15470,"./Heroicons/solid/HeroiconsSolidArrowCircleRight.vue":375,"./Heroicons/solid/HeroiconsSolidArrowCircleUp.vue":91392,"./Heroicons/solid/HeroiconsSolidArrowDown.vue":83298,"./Heroicons/solid/HeroiconsSolidArrowLeft.vue":64655,"./Heroicons/solid/HeroiconsSolidArrowNarrowDown.vue":11490,"./Heroicons/solid/HeroiconsSolidArrowNarrowLeft.vue":29085,"./Heroicons/solid/HeroiconsSolidArrowNarrowRight.vue":97054,"./Heroicons/solid/HeroiconsSolidArrowNarrowUp.vue":89401,"./Heroicons/solid/HeroiconsSolidArrowRight.vue":76622,"./Heroicons/solid/HeroiconsSolidArrowUp.vue":19901,"./Heroicons/solid/HeroiconsSolidArrowsExpand.vue":82679,"./Heroicons/solid/HeroiconsSolidAtSymbol.vue":42399,"./Heroicons/solid/HeroiconsSolidBackspace.vue":9185,"./Heroicons/solid/HeroiconsSolidBadgeCheck.vue":87624,"./Heroicons/solid/HeroiconsSolidBan.vue":25351,"./Heroicons/solid/HeroiconsSolidBeaker.vue":46197,"./Heroicons/solid/HeroiconsSolidBell.vue":89907,"./Heroicons/solid/HeroiconsSolidBookOpen.vue":23170,"./Heroicons/solid/HeroiconsSolidBookmark.vue":19979,"./Heroicons/solid/HeroiconsSolidBookmarkAlt.vue":54671,"./Heroicons/solid/HeroiconsSolidBriefcase.vue":60181,"./Heroicons/solid/HeroiconsSolidCake.vue":92833,"./Heroicons/solid/HeroiconsSolidCalculator.vue":40871,"./Heroicons/solid/HeroiconsSolidCalendar.vue":91987,"./Heroicons/solid/HeroiconsSolidCamera.vue":90587,"./Heroicons/solid/HeroiconsSolidCash.vue":41415,"./Heroicons/solid/HeroiconsSolidChartBar.vue":46421,"./Heroicons/solid/HeroiconsSolidChartPie.vue":54566,"./Heroicons/solid/HeroiconsSolidChartSquareBar.vue":72288,"./Heroicons/solid/HeroiconsSolidChat.vue":65578,"./Heroicons/solid/HeroiconsSolidChatAlt.vue":59829,"./Heroicons/solid/HeroiconsSolidChatAlt2.vue":98900,"./Heroicons/solid/HeroiconsSolidCheck.vue":87509,"./Heroicons/solid/HeroiconsSolidCheckCircle.vue":3272,"./Heroicons/solid/HeroiconsSolidChevronDoubleDown.vue":33796,"./Heroicons/solid/HeroiconsSolidChevronDoubleLeft.vue":86284,"./Heroicons/solid/HeroiconsSolidChevronDoubleRight.vue":26018,"./Heroicons/solid/HeroiconsSolidChevronDoubleUp.vue":10883,"./Heroicons/solid/HeroiconsSolidChevronDown.vue":9951,"./Heroicons/solid/HeroiconsSolidChevronLeft.vue":84348,"./Heroicons/solid/HeroiconsSolidChevronRight.vue":22127,"./Heroicons/solid/HeroiconsSolidChevronUp.vue":84938,"./Heroicons/solid/HeroiconsSolidChip.vue":12933,"./Heroicons/solid/HeroiconsSolidClipboard.vue":20537,"./Heroicons/solid/HeroiconsSolidClipboardCheck.vue":31075,"./Heroicons/solid/HeroiconsSolidClipboardCopy.vue":42066,"./Heroicons/solid/HeroiconsSolidClipboardList.vue":55201,"./Heroicons/solid/HeroiconsSolidClock.vue":79036,"./Heroicons/solid/HeroiconsSolidCloud.vue":41752,"./Heroicons/solid/HeroiconsSolidCloudDownload.vue":43988,"./Heroicons/solid/HeroiconsSolidCloudUpload.vue":88339,"./Heroicons/solid/HeroiconsSolidCode.vue":44066,"./Heroicons/solid/HeroiconsSolidCog.vue":4449,"./Heroicons/solid/HeroiconsSolidCollection.vue":65201,"./Heroicons/solid/HeroiconsSolidColorSwatch.vue":43006,"./Heroicons/solid/HeroiconsSolidCreditCard.vue":75314,"./Heroicons/solid/HeroiconsSolidCube.vue":18802,"./Heroicons/solid/HeroiconsSolidCubeTransparent.vue":4809,"./Heroicons/solid/HeroiconsSolidCurrencyBangladeshi.vue":7261,"./Heroicons/solid/HeroiconsSolidCurrencyDollar.vue":23798,"./Heroicons/solid/HeroiconsSolidCurrencyEuro.vue":31926,"./Heroicons/solid/HeroiconsSolidCurrencyPound.vue":10185,"./Heroicons/solid/HeroiconsSolidCurrencyRupee.vue":70670,"./Heroicons/solid/HeroiconsSolidCurrencyYen.vue":76841,"./Heroicons/solid/HeroiconsSolidCursorClick.vue":2388,"./Heroicons/solid/HeroiconsSolidDatabase.vue":47279,"./Heroicons/solid/HeroiconsSolidDesktopComputer.vue":41607,"./Heroicons/solid/HeroiconsSolidDeviceMobile.vue":32219,"./Heroicons/solid/HeroiconsSolidDeviceTablet.vue":24198,"./Heroicons/solid/HeroiconsSolidDocument.vue":88388,"./Heroicons/solid/HeroiconsSolidDocumentAdd.vue":2266,"./Heroicons/solid/HeroiconsSolidDocumentDownload.vue":28675,"./Heroicons/solid/HeroiconsSolidDocumentDuplicate.vue":21575,"./Heroicons/solid/HeroiconsSolidDocumentRemove.vue":46401,"./Heroicons/solid/HeroiconsSolidDocumentReport.vue":13735,"./Heroicons/solid/HeroiconsSolidDocumentSearch.vue":2844,"./Heroicons/solid/HeroiconsSolidDocumentText.vue":23412,"./Heroicons/solid/HeroiconsSolidDotsCircleHorizontal.vue":51558,"./Heroicons/solid/HeroiconsSolidDotsHorizontal.vue":6487,"./Heroicons/solid/HeroiconsSolidDotsVertical.vue":10740,"./Heroicons/solid/HeroiconsSolidDownload.vue":76403,"./Heroicons/solid/HeroiconsSolidDuplicate.vue":97134,"./Heroicons/solid/HeroiconsSolidEmojiHappy.vue":34830,"./Heroicons/solid/HeroiconsSolidEmojiSad.vue":57747,"./Heroicons/solid/HeroiconsSolidExclamation.vue":55905,"./Heroicons/solid/HeroiconsSolidExclamationCircle.vue":68456,"./Heroicons/solid/HeroiconsSolidExternalLink.vue":9341,"./Heroicons/solid/HeroiconsSolidEye.vue":25030,"./Heroicons/solid/HeroiconsSolidEyeOff.vue":10649,"./Heroicons/solid/HeroiconsSolidFastForward.vue":3464,"./Heroicons/solid/HeroiconsSolidFilm.vue":66817,"./Heroicons/solid/HeroiconsSolidFilter.vue":71702,"./Heroicons/solid/HeroiconsSolidFingerPrint.vue":97236,"./Heroicons/solid/HeroiconsSolidFire.vue":68423,"./Heroicons/solid/HeroiconsSolidFlag.vue":23978,"./Heroicons/solid/HeroiconsSolidFolder.vue":39761,"./Heroicons/solid/HeroiconsSolidFolderAdd.vue":28068,"./Heroicons/solid/HeroiconsSolidFolderDownload.vue":8527,"./Heroicons/solid/HeroiconsSolidFolderOpen.vue":8111,"./Heroicons/solid/HeroiconsSolidFolderRemove.vue":76206,"./Heroicons/solid/HeroiconsSolidGift.vue":11075,"./Heroicons/solid/HeroiconsSolidGlobe.vue":31571,"./Heroicons/solid/HeroiconsSolidGlobeAlt.vue":99577,"./Heroicons/solid/HeroiconsSolidHand.vue":87835,"./Heroicons/solid/HeroiconsSolidHashtag.vue":36332,"./Heroicons/solid/HeroiconsSolidHeart.vue":78300,"./Heroicons/solid/HeroiconsSolidHome.vue":87150,"./Heroicons/solid/HeroiconsSolidIdentification.vue":27905,"./Heroicons/solid/HeroiconsSolidInbox.vue":46985,"./Heroicons/solid/HeroiconsSolidInboxIn.vue":70913,"./Heroicons/solid/HeroiconsSolidInformationCircle.vue":20055,"./Heroicons/solid/HeroiconsSolidKey.vue":4856,"./Heroicons/solid/HeroiconsSolidLibrary.vue":30740,"./Heroicons/solid/HeroiconsSolidLightBulb.vue":49820,"./Heroicons/solid/HeroiconsSolidLightningBolt.vue":65175,"./Heroicons/solid/HeroiconsSolidLink.vue":48866,"./Heroicons/solid/HeroiconsSolidLocationMarker.vue":9539,"./Heroicons/solid/HeroiconsSolidLockClosed.vue":28337,"./Heroicons/solid/HeroiconsSolidLockOpen.vue":9059,"./Heroicons/solid/HeroiconsSolidLogin.vue":26189,"./Heroicons/solid/HeroiconsSolidLogout.vue":93686,"./Heroicons/solid/HeroiconsSolidMail.vue":24231,"./Heroicons/solid/HeroiconsSolidMailOpen.vue":3099,"./Heroicons/solid/HeroiconsSolidMap.vue":12346,"./Heroicons/solid/HeroiconsSolidMenu.vue":22990,"./Heroicons/solid/HeroiconsSolidMenuAlt1.vue":63138,"./Heroicons/solid/HeroiconsSolidMenuAlt2.vue":22381,"./Heroicons/solid/HeroiconsSolidMenuAlt3.vue":97336,"./Heroicons/solid/HeroiconsSolidMenuAlt4.vue":85501,"./Heroicons/solid/HeroiconsSolidMicrophone.vue":16584,"./Heroicons/solid/HeroiconsSolidMinus.vue":57618,"./Heroicons/solid/HeroiconsSolidMinusCircle.vue":96440,"./Heroicons/solid/HeroiconsSolidMoon.vue":13131,"./Heroicons/solid/HeroiconsSolidMusicNote.vue":53023,"./Heroicons/solid/HeroiconsSolidNewspaper.vue":32349,"./Heroicons/solid/HeroiconsSolidOfficeBuilding.vue":57425,"./Heroicons/solid/HeroiconsSolidPaperAirplane.vue":91539,"./Heroicons/solid/HeroiconsSolidPaperClip.vue":2976,"./Heroicons/solid/HeroiconsSolidPause.vue":47519,"./Heroicons/solid/HeroiconsSolidPencil.vue":13808,"./Heroicons/solid/HeroiconsSolidPencilAlt.vue":97015,"./Heroicons/solid/HeroiconsSolidPhone.vue":60744,"./Heroicons/solid/HeroiconsSolidPhoneIncoming.vue":35144,"./Heroicons/solid/HeroiconsSolidPhoneMissedCall.vue":66405,"./Heroicons/solid/HeroiconsSolidPhoneOutgoing.vue":59425,"./Heroicons/solid/HeroiconsSolidPhotograph.vue":16792,"./Heroicons/solid/HeroiconsSolidPlay.vue":84996,"./Heroicons/solid/HeroiconsSolidPlus.vue":85548,"./Heroicons/solid/HeroiconsSolidPlusCircle.vue":5337,"./Heroicons/solid/HeroiconsSolidPresentationChartBar.vue":63152,"./Heroicons/solid/HeroiconsSolidPresentationChartLine.vue":9945,"./Heroicons/solid/HeroiconsSolidPrinter.vue":95198,"./Heroicons/solid/HeroiconsSolidPuzzle.vue":9302,"./Heroicons/solid/HeroiconsSolidQrcode.vue":93944,"./Heroicons/solid/HeroiconsSolidQuestionMarkCircle.vue":54686,"./Heroicons/solid/HeroiconsSolidReceiptRefund.vue":92464,"./Heroicons/solid/HeroiconsSolidReceiptTax.vue":28219,"./Heroicons/solid/HeroiconsSolidRefresh.vue":80957,"./Heroicons/solid/HeroiconsSolidReply.vue":42009,"./Heroicons/solid/HeroiconsSolidRewind.vue":39009,"./Heroicons/solid/HeroiconsSolidRss.vue":19988,"./Heroicons/solid/HeroiconsSolidSave.vue":92832,"./Heroicons/solid/HeroiconsSolidSaveAs.vue":24547,"./Heroicons/solid/HeroiconsSolidScale.vue":63646,"./Heroicons/solid/HeroiconsSolidScissors.vue":18381,"./Heroicons/solid/HeroiconsSolidSearch.vue":92656,"./Heroicons/solid/HeroiconsSolidSearchCircle.vue":19932,"./Heroicons/solid/HeroiconsSolidSelector.vue":95549,"./Heroicons/solid/HeroiconsSolidServer.vue":70362,"./Heroicons/solid/HeroiconsSolidShare.vue":27722,"./Heroicons/solid/HeroiconsSolidShieldCheck.vue":76532,"./Heroicons/solid/HeroiconsSolidShieldExclamation.vue":57909,"./Heroicons/solid/HeroiconsSolidShoppingBag.vue":76354,"./Heroicons/solid/HeroiconsSolidShoppingCart.vue":76137,"./Heroicons/solid/HeroiconsSolidSortAscending.vue":56733,"./Heroicons/solid/HeroiconsSolidSortDescending.vue":703,"./Heroicons/solid/HeroiconsSolidSparkles.vue":36958,"./Heroicons/solid/HeroiconsSolidSpeakerphone.vue":855,"./Heroicons/solid/HeroiconsSolidStar.vue":43471,"./Heroicons/solid/HeroiconsSolidStatusOffline.vue":51609,"./Heroicons/solid/HeroiconsSolidStatusOnline.vue":41800,"./Heroicons/solid/HeroiconsSolidStop.vue":10612,"./Heroicons/solid/HeroiconsSolidSun.vue":25122,"./Heroicons/solid/HeroiconsSolidSupport.vue":83419,"./Heroicons/solid/HeroiconsSolidSwitchHorizontal.vue":94174,"./Heroicons/solid/HeroiconsSolidSwitchVertical.vue":24028,"./Heroicons/solid/HeroiconsSolidTable.vue":34120,"./Heroicons/solid/HeroiconsSolidTag.vue":89237,"./Heroicons/solid/HeroiconsSolidTemplate.vue":6250,"./Heroicons/solid/HeroiconsSolidTerminal.vue":98354,"./Heroicons/solid/HeroiconsSolidThumbDown.vue":58544,"./Heroicons/solid/HeroiconsSolidThumbUp.vue":91738,"./Heroicons/solid/HeroiconsSolidTicket.vue":20326,"./Heroicons/solid/HeroiconsSolidTranslate.vue":24651,"./Heroicons/solid/HeroiconsSolidTrash.vue":66786,"./Heroicons/solid/HeroiconsSolidTrendingDown.vue":81036,"./Heroicons/solid/HeroiconsSolidTrendingUp.vue":77333,"./Heroicons/solid/HeroiconsSolidTruck.vue":99507,"./Heroicons/solid/HeroiconsSolidUpload.vue":92019,"./Heroicons/solid/HeroiconsSolidUser.vue":23162,"./Heroicons/solid/HeroiconsSolidUserAdd.vue":53592,"./Heroicons/solid/HeroiconsSolidUserCircle.vue":63981,"./Heroicons/solid/HeroiconsSolidUserGroup.vue":8779,"./Heroicons/solid/HeroiconsSolidUserRemove.vue":35396,"./Heroicons/solid/HeroiconsSolidUsers.vue":46611,"./Heroicons/solid/HeroiconsSolidVariable.vue":56444,"./Heroicons/solid/HeroiconsSolidVideoCamera.vue":8496,"./Heroicons/solid/HeroiconsSolidViewBoards.vue":87199,"./Heroicons/solid/HeroiconsSolidViewGrid.vue":52244,"./Heroicons/solid/HeroiconsSolidViewGridAdd.vue":18245,"./Heroicons/solid/HeroiconsSolidViewList.vue":10141,"./Heroicons/solid/HeroiconsSolidVolumeOff.vue":4644,"./Heroicons/solid/HeroiconsSolidVolumeUp.vue":28355,"./Heroicons/solid/HeroiconsSolidWifi.vue":47750,"./Heroicons/solid/HeroiconsSolidX.vue":79500,"./Heroicons/solid/HeroiconsSolidXCircle.vue":10841,"./Heroicons/solid/HeroiconsSolidZoomIn.vue":82043,"./Heroicons/solid/HeroiconsSolidZoomOut.vue":5745,"./IconBooleanOption.vue":49175,"./Icons/CopyIcon.vue":66123,"./Icons/Editor/IconBold.vue":81466,"./Icons/Editor/IconFullScreen.vue":16558,"./Icons/Editor/IconImage.vue":57619,"./Icons/Editor/IconItalic.vue":78021,"./Icons/Editor/IconLink.vue":94178,"./Icons/ErrorPageIcon.vue":85364,"./Icons/Icon.vue":54970,"./Icons/IconAdd.vue":6104,"./Icons/IconArrow.vue":77131,"./Icons/IconBoolean.vue":43552,"./Icons/IconCheckCircle.vue":65725,"./Icons/IconDelete.vue":72656,"./Icons/IconDownload.vue":87719,"./Icons/IconEdit.vue":36156,"./Icons/IconFilter.vue":38705,"./Icons/IconForceDelete.vue":92050,"./Icons/IconHelp.vue":29728,"./Icons/IconMenu.vue":65488,"./Icons/IconMore.vue":83348,"./Icons/IconPlay.vue":66501,"./Icons/IconRefresh.vue":12406,"./Icons/IconRestore.vue":20497,"./Icons/IconSearch.vue":63008,"./Icons/IconView.vue":37303,"./Icons/IconXCircle.vue":61844,"./Icons/Loader.vue":66127,"./ImageLoader.vue":16219,"./IndexEmptyDialog.vue":57892,"./IndexErrorDialog.vue":79392,"./Inputs/CharacterCounter.vue":90528,"./Inputs/IndexSearchInput.vue":21197,"./Inputs/RoundInput.vue":83817,"./Inputs/SearchInput.vue":9255,"./Inputs/SearchInputResult.vue":11965,"./Inputs/SearchSearchInput.vue":9997,"./LensSelector.vue":83699,"./LicenseWarning.vue":13477,"./LoadingCard.vue":69311,"./LoadingView.vue":21031,"./Markdown/MarkdownEditor.vue":26685,"./Markdown/MarkdownEditorToolbar.vue":92605,"./Menu/Breadcrumbs.vue":59335,"./Menu/MainMenu.vue":79441,"./Menu/MenuGroup.vue":27882,"./Menu/MenuItem.vue":73048,"./Menu/MenuList.vue":19280,"./Menu/MenuSection.vue":52382,"./Metrics/Base/BasePartitionMetric.vue":49082,"./Metrics/Base/BaseProgressMetric.vue":90995,"./Metrics/Base/BaseTrendMetric.vue":63919,"./Metrics/Base/BaseValueMetric.vue":34555,"./Metrics/MetricTableRow.vue":79258,"./Metrics/PartitionMetric.vue":90474,"./Metrics/ProgressMetric.vue":46658,"./Metrics/TableMetric.vue":9169,"./Metrics/TrendMetric.vue":82526,"./Metrics/ValueMetric.vue":9862,"./MobileUserMenu.vue":94724,"./Modals/ConfirmActionModal.vue":51788,"./Modals/ConfirmUploadRemovalModal.vue":51394,"./Modals/CreateRelationModal.vue":6101,"./Modals/DeleteResourceModal.vue":48665,"./Modals/Modal.vue":59465,"./Modals/ModalContent.vue":21527,"./Modals/ModalFooter.vue":18059,"./Modals/ModalHeader.vue":94,"./Modals/PreviewResourceModal.vue":66320,"./Modals/RestoreResourceModal.vue":77308,"./Notifications/MessageNotification.vue":37018,"./Notifications/NotificationCenter.vue":48581,"./Notifications/NotificationList.vue":82161,"./Pagination/PaginationLinks.vue":13742,"./Pagination/PaginationLoadMore.vue":13407,"./Pagination/PaginationSimple.vue":76921,"./Pagination/ResourcePagination.vue":3363,"./PanelItem.vue":26112,"./PassthroughLogo.vue":63335,"./ProgressBar.vue":44664,"./RelationPeek.vue":31313,"./Repeater/RepeaterRow.vue":36338,"./ResourceTable.vue":25998,"./ResourceTableHeader.vue":76412,"./ResourceTableRow.vue":89586,"./ResourceTableToolbar.vue":21411,"./ScrollWrap.vue":24144,"./SortableIcon.vue":93172,"./Tags/TagGroup.vue":32857,"./Tags/TagGroupItem.vue":25385,"./Tags/TagList.vue":56383,"./Tags/TagListItem.vue":92275,"./Tooltip.vue":78328,"./TooltipContent.vue":16521,"./TrashedCheckbox.vue":48306,"./Trix.vue":23845,"./UserMenu.vue":44724,"./ValidationErrors.vue":15235};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=60630},11079:(e,t,r)=>{var o={"./AudioField.vue":4957,"./BadgeField.vue":8016,"./BelongsToField.vue":61935,"./BelongsToManyField.vue":40065,"./BooleanField.vue":47384,"./BooleanGroupField.vue":6694,"./CodeField.vue":89296,"./ColorField.vue":80005,"./CurrencyField.vue":90884,"./DateField.vue":39112,"./DateTimeField.vue":4204,"./EmailField.vue":94807,"./FileField.vue":37379,"./HasManyField.vue":31985,"./HasManyThroughField.vue":49721,"./HasOneField.vue":82668,"./HasOneThroughField.vue":99592,"./HeadingField.vue":90918,"./HiddenField.vue":92779,"./IdField.vue":22847,"./KeyValueField.vue":21418,"./MarkdownField.vue":83658,"./MorphToActionTargetField.vue":94956,"./MorphToField.vue":47207,"./MorphToManyField.vue":43131,"./MultiSelectField.vue":4832,"./Panel.vue":92448,"./PasswordField.vue":68277,"./PlaceField.vue":26852,"./RelationshipPanel.vue":58004,"./SelectField.vue":98766,"./SlugField.vue":79123,"./SparklineField.vue":15294,"./StackField.vue":13685,"./StatusField.vue":45874,"./TagField.vue":49527,"./TextField.vue":70668,"./TextareaField.vue":68486,"./TrixField.vue":98657,"./UrlField.vue":75286,"./VaporAudioField.vue":35109,"./VaporFileField.vue":32507};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=11079},77978:(e,t,r)=>{var o={"./BooleanField.vue":75615,"./BooleanGroupField.vue":27147,"./DateField.vue":67308,"./DateTimeField.vue":62245,"./EloquentField.vue":20040,"./EmailField.vue":65682,"./MorphToField.vue":20070,"./MultiSelectField.vue":74884,"./NumberField.vue":67268,"./SelectField.vue":64486,"./TextField.vue":64866};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=77978},67970:(e,t,r)=>{var o={"./AudioField.vue":48763,"./BelongsToField.vue":86121,"./BooleanField.vue":68858,"./BooleanGroupField.vue":61143,"./CodeField.vue":77623,"./ColorField.vue":22665,"./CurrencyField.vue":79882,"./DateField.vue":49299,"./DateTimeField.vue":16923,"./EmailField.vue":68403,"./FileField.vue":42831,"./HasOneField.vue":83881,"./HeadingField.vue":52131,"./HiddenField.vue":71443,"./KeyValueField.vue":19446,"./KeyValueHeader.vue":88239,"./KeyValueItem.vue":16890,"./KeyValueTable.vue":27252,"./MarkdownField.vue":92553,"./MorphToField.vue":29674,"./MultiSelectField.vue":90166,"./Panel.vue":69135,"./PasswordField.vue":62111,"./PlaceField.vue":70626,"./RelationshipPanel.vue":83318,"./RepeaterField.vue":22488,"./SelectField.vue":7946,"./SlugField.vue":93588,"./StatusField.vue":32344,"./TagField.vue":48129,"./TextField.vue":1722,"./TextareaField.vue":42957,"./TrixField.vue":51256,"./UrlField.vue":87811,"./VaporAudioField.vue":17562,"./VaporFileField.vue":24702};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=67970},49020:(e,t,r)=>{var o={"./AudioField.vue":33281,"./BadgeField.vue":43161,"./BelongsToField.vue":98941,"./BooleanField.vue":38175,"./BooleanGroupField.vue":82861,"./ColorField.vue":12768,"./CurrencyField.vue":25784,"./DateField.vue":63017,"./DateTimeField.vue":328,"./EmailField.vue":5319,"./FileField.vue":40688,"./HeadingField.vue":89946,"./HiddenField.vue":69247,"./IdField.vue":14605,"./LineField.vue":73106,"./MorphToActionTargetField.vue":3729,"./MorphToField.vue":25599,"./MultiSelectField.vue":85371,"./PasswordField.vue":70027,"./PlaceField.vue":345,"./SelectField.vue":27941,"./SlugField.vue":43348,"./SparklineField.vue":87988,"./StackField.vue":25089,"./StatusField.vue":20410,"./TagField.vue":84009,"./TextField.vue":28400,"./UrlField.vue":389,"./VaporAudioField.vue":26866,"./VaporFileField.vue":80822};function n(e){var t=l(e);return r(t)}function l(e){if(!r.o(o,e)){var t=new Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t}return o[e]}n.keys=function(){return Object.keys(o)},n.resolve=l,e.exports=n,n.id=49020},45741:()=>{},42634:()=>{}},e=>{var t=t=>e(e.s=t);e.O(0,[524,332],(()=>(t(29553),t(11016))));e.O()}]); //# sourceMappingURL=app.js.map \ No newline at end of file diff --git a/public/vendor/nova/app.js.map b/public/vendor/nova/app.js.map index a0a681e..7c43b04 100644 --- a/public/vendor/nova/app.js.map +++ b/public/vendor/nova/app.js.map @@ -1 +1 @@ -{"version":3,"file":"/app.js","mappings":"yJAGO,SAASA,IACd,MAAMC,EAAWC,EAAAA,QAAMC,SAiDvB,OA/CAF,EAASG,SAASC,QAAQC,OAAO,oBAAsB,iBACvDL,EAASG,SAASC,QAAQC,OAAO,gBAC/BC,SAASC,KAAKC,cAAc,2BAA2BC,QAEzDT,EAASU,aAAaC,SAASC,KAC7BD,GAAYA,IACZE,IACE,GAAIZ,EAAAA,QAAMa,SAASD,GACjB,OAAOE,QAAQC,OAAOH,GAGxB,MAAMF,EAAWE,EAAMF,UACjB,OACJM,EACAC,MAAM,SAAEC,IACNR,EAQJ,GALIM,GAAU,KACZG,KAAKC,MAAM,QAASR,EAAMF,SAASO,KAAKI,SAI3B,MAAXL,EAAgB,CAElB,IAAKM,IAAMJ,GAET,YADAK,SAASC,KAAON,GAIlBC,KAAKM,iBACP,CAYA,OATe,MAAXT,GACFG,KAAKO,MAAM,QAIE,MAAXV,GACFG,KAAKC,MAAM,iBAGNN,QAAQC,OAAOH,EAAM,IAIzBb,CACT,C,mOCnDI4B,EAAAA,EAAAA,oBAAwE,MAApEC,MAAM,uDAAsD,OAAG,G,GAChEA,MAAM,Y,GACNA,MAAM,0B,SCJNA,MAAM,gC,cAMLA,MAAM,6FACNC,KAAK,S,GAIAD,MAAM,mDAkBnB,SACEE,MAAO,CACLd,OAAQ,CACNe,KAAMC,OACNC,QAAS,S,eC7Bf,MAEA,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,gIDJzDC,EAAAA,EAAAA,oBAyBM,MAzBNC,EAyBM,EAxBJR,EAAAA,EAAAA,oBAuBM,OAtBJC,MAAM,4CACLQ,KAAI,GAAKC,EAAArB,qB,EAEVW,EAAAA,EAAAA,oBAkBM,MAlBNW,EAkBM,EAdJC,EAAAA,EAAAA,aAA+CC,EAAA,CAAhCZ,MAAM,2BAErBD,EAAAA,EAAAA,oBAWM,MAXNc,EAWM,EAVJC,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,YAERL,EAAAA,EAAAA,aAOOM,EAAA,CANJrB,KAAMmB,EAAAG,KAAK,KACZlB,MAAM,6UACNmB,SAAS,IACTC,QAAA,I,wBAEA,IAAmB,6CAAhBL,EAAAM,GAAG,YAAD,M,+BChB2D,CAAC,SAAS,qBFatF,GACEC,WAAY,CAAEC,YAAWA,IGZ3B,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,8HHJzDC,EAAAA,EAAAA,aAWcC,EAAA,CAXDrC,OAAO,OAAK,C,uBACvB,IAA+B,EAA/BuB,EAAAA,EAAAA,aAA+Be,EAAA,CAAzBC,MAAM,mBACZpB,GACAR,EAAAA,EAAAA,oBAAkD,IAAlD6B,GAAkDC,EAAAA,EAAAA,iBAA3Bd,EAAAM,GAAG,WAAY,IAAQ,IAC9CtB,EAAAA,EAAAA,oBAMI,IANJW,GAMImB,EAAAA,EAAAA,iBAJAd,EAAAM,GAAG,0EAAD,M,QGFkE,CAAC,SAAS,wB,GCFlFtB,EAAAA,EAAAA,oBAAwE,MAApEC,MAAM,uDAAsD,OAAG,G,GAChEA,MAAM,Y,GACNA,MAAM,0BAWb,SACEsB,WAAY,CAAEC,YAAWA,ICV3B,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,8HDJzDC,EAAAA,EAAAA,aAScC,EAAA,CATDrC,OAAO,OAAK,C,uBACvB,IAA0B,EAA1BuB,EAAAA,EAAAA,aAA0Be,EAAA,CAApBC,MAAM,cACZpB,GACAR,EAAAA,EAAAA,oBAA4C,IAA5C6B,GAA4CC,EAAAA,EAAAA,iBAArBd,EAAAM,GAAG,aAAD,IACzBtB,EAAAA,EAAAA,oBAII,IAJJW,GAIImB,EAAAA,EAAAA,iBAFAd,EAAAM,GAAG,mEACH,KACJ,M,QCJwE,CAAC,SAAS,wB,GCF9ErB,MAAM,uD,GAGPA,MAAM,Y,GACNA,MAAM,0BASb,SACEsB,WAAY,CAAEC,YAAWA,ICV3B,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,8HDJzDC,EAAAA,EAAAA,aAScC,EAAA,M,uBARZ,IAAsB,EAAtBd,EAAAA,EAAAA,aAAsBe,EAAA,CAAhBC,MAAM,WACZ5B,EAAAA,EAAAA,oBAEK,KAFLQ,GAEKsB,EAAAA,EAAAA,iBADAd,EAAAM,GAAG,QAAD,IAEPtB,EAAAA,EAAAA,oBAAkD,IAAlD6B,GAAkDC,EAAAA,EAAAA,iBAA3Bd,EAAAM,GAAG,WAAY,IAAQ,IAC9CtB,EAAAA,EAAAA,oBAEI,IAFJW,GAEImB,EAAAA,EAAAA,iBADCd,EAAAM,GAAG,6CAAD,M,QCHiE,CAAC,SAAS,wB,oDC8B3ErB,MAAM,mB,SAcPA,MAAM,0C,siCAwLhB,UACE8B,KAAM,gBAENC,OAAQ,CACNC,GAAAA,EACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,IAGFvC,MAAO,CACLwC,mBAAoB,CAClBvC,KAAMwC,QACNtC,SAAS,GAGXuC,qBAAsB,CACpBzC,KAAMwC,QACNtC,SAAS,IAIbhB,KAAMA,KAAA,CACJwD,OAAQ,GACRC,UAAU,EACVC,gBAAiB,OAMnB,aAAMC,GACCC,KAAKC,uBAIwB,IAA9BD,KAAKL,uBACPrD,KAAK4D,YAAY,IAAKF,KAAKG,eAC3B7D,KAAK4D,YAAY,QAASF,KAAKI,iBAC/B9D,KAAK4D,YAAY,cAAeF,KAAKK,0BAGvCL,KAAKM,YAELhE,KAAKiE,IAAI,oBAAqBP,KAAKQ,cACnClE,KAAKiE,IAAI,qBAAsBP,KAAKS,0BAEP,OAAzBT,KAAKF,iBAA0BE,KAAKF,kBAC1C,EAKAY,aAAAA,GACMV,KAAKL,uBACPrD,KAAKqE,gBAAgB,KACrBrE,KAAKqE,gBAAgB,SACrBrE,KAAKqE,gBAAgB,gBAGvBrE,KAAKsE,KAAK,oBAAqBZ,KAAKQ,cACpClE,KAAKsE,KAAK,qBAAsBZ,KAAKS,0BAER,OAAzBT,KAAKF,iBAA0BE,KAAKF,iBAC1C,EAEAe,QAAOC,GAAAA,GAAA,IACFC,EAAAA,GAAAA,IAAW,CAAC,mBAAiB,IAKhCZ,aAAAA,CAAca,GAGVhB,KAAKiB,oBACgB,UAArBD,EAAEE,OAAOC,SACY,aAArBH,EAAEE,OAAOC,SACoB,SAA7BH,EAAEE,OAAOE,iBAET9E,KAAKO,MAAO,cAAamD,KAAKqB,mBAElC,EAKAb,YAAAA,GACMR,KAAKsB,kBACPtB,KAAKuB,SAAU,GAIjBvB,KAAKuB,SAAU,EACfvB,KAAKwB,sBAAwB,KAE7BxB,KAAKyB,WAAU,KACbzB,KAAK0B,2BAEEC,EAAAA,GAAAA,IACLrF,KAAKsF,UAAUC,IAAI,aAAe7B,KAAKqB,aAAc,CACnDS,OAAQ9B,KAAK+B,2BACbC,YAAa,IAAIC,GAAAA,IAAYC,IAC3BlC,KAAKkC,UAAYA,CAAQ,MAG7B,KAECC,MAAK,EAAG/F,WACP4D,KAAKoC,UAAY,GAEjBpC,KAAKqC,iBAAmBjG,EACxB4D,KAAKoC,UAAYhG,EAAKgG,UACtBpC,KAAKsC,YAAclG,EAAKkG,YACxBtC,KAAKuC,QAAUnG,EAAKoG,SACpBxC,KAAKH,SAAWzD,EAAKyD,SAErBG,KAAKyC,uBAAuB,IAE7BC,OAAM1B,IACL,KAAIhF,EAAAA,GAAAA,IAASgF,GAOb,MAHAhB,KAAKuB,SAAU,EACfvB,KAAKwB,sBAAwBR,EAEvBA,CAAA,OAGd,EAKAP,wBAAAA,GACE,IACET,KAAKsB,oBACHtB,KAAKiB,oBACqB,kBAA1BjB,KAAK2C,kBACqB,gBAA1B3C,KAAK2C,kBAKT,OAAK3C,KAAK4C,YAIHtG,KAAKsF,UACTC,IACC,aACE7B,KAAKqB,aADP,qCAIErB,KAAK4C,YACL,kBACA5C,KAAK6C,cACL,oBACA7C,KAAK8C,gBACL,qBACA9C,KAAK2C,kBAERR,MAAKtG,IACJmE,KAAK+C,mBAAqBlH,EAASO,KAAK4G,UAAS,IAlB3ChD,KAAK+C,oBAAqB,CAoBtC,EAKAzC,SAAAA,GAGE,GAFAN,KAAKJ,OAAS,IAEVI,KAAK4C,YAIT,OAAOtG,KAAKsF,UACTC,IAAI,aAAe7B,KAAKqB,aAAe,WACvCc,MAAKtG,IACJmE,KAAKJ,OAAS/D,EAASO,IAAG,GAEhC,EAKA6G,UAAAA,GAME,GAL6B,OAAzBjD,KAAKF,iBAA0BE,KAAKF,kBAExCE,KAAKkD,QAAU,GACflD,KAAKmD,aAAe,MAEhBnD,KAAKsB,kBAIT,OAAOhF,KAAKsF,UACTC,IAAK,aAAY7B,KAAKqB,uBAAwB,CAC7CS,OAAQ,CACNc,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBH,iBAAkB3C,KAAK2C,iBACvBS,QAAS,QACThB,UAAWpC,KAAKqD,yBACZ,MACArD,KAAKsD,oBACTC,OAASvD,KAAKqD,yBAEV,KADArD,KAAKwD,kBAGXxB,YAAa,IAAIC,GAAAA,IAAYC,IAC3BlC,KAAKF,gBAAkBoC,CAAQ,MAGlCC,MAAKtG,IACJmE,KAAKkD,QAAUrH,EAASO,KAAK8G,QAC7BlD,KAAKmD,aAAetH,EAASO,KAAK+G,aAClCnD,KAAKyD,mBAAqB5H,EAASO,KAAKsH,OAAOC,SAAW,CAAC,IAE5DjB,OAAM1B,IACL,KAAIhF,EAAAA,GAAAA,IAASgF,GAIb,MAAMA,CAAA,GAEZ,EAKA4C,2BAAAA,GACEtH,KAAKsF,UACFC,IAAI,aAAe7B,KAAKqB,aAAe,SAAU,CAChDS,OAAQ9B,KAAK+B,6BAEdI,MAAKtG,IACJmE,KAAK6D,yBAA2BhI,EAASO,KAAK0H,KAAI,GAExD,EAKAC,QAAAA,GAOE,OANiC,OAA7B/D,KAAKgE,sBACPhE,KAAKgE,oBAAsBhE,KAAKiE,aAGlCjE,KAAKgE,oBAAsBhE,KAAKgE,oBAAsB,GAE/CrC,EAAAA,GAAAA,IACLrF,KAAKsF,UAAUC,IAAI,aAAe7B,KAAKqB,aAAc,CACnDS,OAAMhB,GAAAA,GAAA,GACDd,KAAK+B,4BAA0B,IAClCmC,KAAMlE,KAAKgE,wBAGf,KACA7B,MAAK,EAAG/F,WACR4D,KAAKqC,iBAAmBjG,EACxB4D,KAAKoC,UAAY,IAAIpC,KAAKoC,aAAchG,EAAKgG,WAE1B,OAAfhG,EAAK+H,MACPnE,KAAK6D,yBAA2BzH,EAAK+H,MAErCnE,KAAK4D,8BAGPtH,KAAKC,MAAM,mBAAoB,CAC7B8E,aAAcrB,KAAKqB,aACnB+C,KAAMpE,KAAKqE,WAAa,UAAY,SACpC,GAEN,EAEA,6BAAMC,GACJtE,KAAKuB,SAAU,EAEfvB,KAAKuE,iBAEAvE,KAAKwE,UAcRxE,KAAKuB,SAAU,GAbVvB,KAAKyE,sBAMFzE,KAAKQ,sBALLR,KAAK0E,kBAAkB,MACxB1E,KAAK2E,kBACF3E,KAAKQ,sBAMTR,KAAKS,iCACLT,KAAKiD,aACXjD,KAAK4E,iBAIT,IAGFC,SAAU,CACRC,iBAAAA,GACE,MAAO,CACLC,cAAe/E,KAAK+E,cACpBC,eAAgBhF,KAAKgF,eACrBC,eAAgBjF,KAAKiF,eACrBrC,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBAE1B,EAKAxB,iBAAAA,GACE,OAAOtB,KAAKwE,WAAqC,MAAxBxE,KAAK8C,eAChC,EAEAoC,kBAAAA,GACE,OAAOlF,KAAKmF,OAAOD,qBAAsB,CAC3C,EAKAE,aAAAA,GACE,MAAQ,aAAYpF,KAAKqB,oBAC3B,EAKAU,0BAAAA,GACE,MAAO,CACLsD,OAAQrF,KAAK+E,cACbO,QAAStF,KAAKgF,eACdO,QAASvF,KAAKwF,eACdC,iBAAkBzF,KAAK0F,wBACvBnD,QAASvC,KAAK2F,eACdC,QAAS5F,KAAKiF,eACdf,KAAMlE,KAAKiE,YACXrB,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtB+C,wBAAyB7F,KAAK6F,wBAC9BlD,iBAAkB3C,KAAK2C,iBAE3B,EAKAmD,iBAAAA,GACE,OAAOpG,QACLM,KAAK+F,qCACH/F,KAAKgG,0CACLhG,KAAKiG,sCACLjG,KAAKqD,yBAEX,EAKA6C,YAAAA,GACE,OAAIlG,KAAKmG,eACA,SAEHnG,KAAKqE,YAAcrE,KAAKmF,MACnBnF,KAAKmF,MAAMtG,KAEY,OAA1BmB,KAAKqC,iBACArC,KAAKqC,iBAAiB+D,MAEtBpG,KAAKC,oBAAoBmG,KAIxC,ICtmBJ,IAFiC,OAAgB,GAAQ,CAAC,CAAC,S,6nBDJzD7H,EAAAA,EAAAA,aAmNc8H,EAAA,CAlNX9E,QAASzD,EAAAqI,eACT5I,KAAMO,EAAAuD,aAAe,mBACrB,oBAAmBvD,EAAAgF,iB,wBAEpB,IAEW,CAFKtF,EAAAiC,oBAAsB3B,EAAAmC,sBAAmB,kBACvD1B,EAAAA,EAAAA,aAAoDE,EAAA,C,MAA7CC,MAAOZ,EAAAM,GAAG,GAAGN,EAAAmC,oBAAoBmG,U,mDAIlCtI,EAAAwI,kBAAe,kBADvB/H,EAAAA,EAAAA,aAIEgI,EAAA,C,MAFCC,MAAO1I,EAAA0I,MACP,gBAAe1I,EAAAuD,c,oEAGlB3D,EAAAA,EAAAA,aAgBU+I,EAAA,CAfPC,MAAO,EACR3J,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,yBAAwB,QACZ7I,EAAAwI,iBAAmBxI,EAAA0I,MAAMI,OAAS,KACpDrJ,KAAK,iB,wBAEL,IAA8B,EAA9BT,EAAAA,EAAAA,oBAA8B,QAAxB+J,UAAQC,EAAAZ,cAAY,OAAA5I,IAEjBQ,EAAAyD,SAAWzD,EAAAgF,kBAAe,kBADnCzF,EAAAA,EAAAA,oBAQS,U,MANN0J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAxC,yBAAAwC,EAAAxC,2BAAA2C,IACRlK,MAAM,wIACL,aAAYe,EAAAM,GAAG,oBACf,iBAAqC,IAAtB0I,EAAAxF,kBAA8B,OAAS,S,EAEvD5D,EAAAA,EAAAA,aAAiDwJ,EAAA,CAAhC1C,UAAWsC,EAAAxF,mBAAiB,gE,kBAIhCwF,EAAAxF,mB,iCAAiB,kBAAlCjE,EAAAA,EAAAA,oBAiLW8J,EAAAA,SAAA,CAAAC,IAAA,KAhLTtK,EAAAA,EAAAA,oBA4CM,MA5CNW,EA4CM,CA1CIK,EAAAmC,qBAAuBnC,EAAAmC,oBAAoBoH,aAAU,kBAD7D9I,EAAAA,EAAAA,aAKE+I,EAAA,C,MAHCD,WAAYvJ,EAAAmC,qBAAuBnC,EAAAmC,oBAAoBoH,WAChDE,QAASzJ,EAAAuH,O,mCAAAvH,EAAAuH,OAAMmC,GAAA,eACN1J,EAAAuH,OAASmC,K,kEAIP1J,EAAA2J,2BAA2Bb,OAAM,GAAoB9I,EAAAmD,oBAAkCnD,EAAAiF,qBAAkB,kBAD9H1F,EAAAA,EAAAA,oBAmCM,MAnCNO,EAmCM,CAzBIE,EAAA2J,2BAA2Bb,OAAS,IAAH,kBADzCrI,EAAAA,EAAAA,aAWEmJ,EAAA,C,MATCC,iBAAgB7J,EAAA8J,qBAChB,gBAAe9J,EAAAuD,aACf,eAAcvD,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,oBAAmBhF,EAAA6E,iBACnBO,QAASpF,EAAA2J,2BACT,qBAAoB3J,EAAA+J,mCACrB,yBAAuB,oC,sLAIzBnK,EAAAA,EAAAA,aAWEoK,EAAA,CAVC1B,MAAOtI,EAAAiK,kBACP,gBAAejK,EAAAkK,aACf,gBAAelK,EAAAuD,aACf,eAAcvD,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,oBAAmBhF,EAAA6E,iBACnB,uBAAsB7E,EAAAmD,mBACtB,uBAAsBnD,EAAAiF,mBACvBhG,MAAM,Y,8MAKZW,EAAAA,EAAAA,aAiIOuK,EAAA,M,uBAhIL,IA+DE,EA/DFvK,EAAAA,EAAAA,aA+DEwK,EAAA,CA9DC,sBAAqBpB,EAAAhC,kBACrB,8BAA6BhH,EAAA+F,yBAC7B,qCAAoC/F,EAAAqK,+BACpC,0CAAsDrK,EAAAiI,oCAGtD,2CAAuDjI,EAAAsK,oCAGvD,gDAA4DtK,EAAAkI,yCAG5D,sCAAqClI,EAAAuK,gCACrC,2CAAuDvK,EAAAmI,qCAGvD,oBAAmBnI,EAAAwK,iBACnB,yBAAwBxK,EAAAyK,qBACxB,qBAAoBzK,EAAA0K,iBACpB,oBAAmB1K,EAAA2K,iBACnB,qBAAoB3K,EAAAsE,UAAUwE,OAC9B,gCAA+B9I,EAAA4K,2BAC/B,4BAA2B5K,EAAA6K,wBAC3B,iBAAgB7K,EAAA8K,cAChB,sCAAqC9K,EAAA+K,gCACrC,kCAAiC/K,EAAAgL,6BACjC,gBAAehC,EAAAtG,aACf,cAAa1C,EAAA6G,WACb,0BAAyB7G,EAAAiL,sBACzBnJ,OAAQ9B,EAAA8B,OACR2B,QAASzD,EAAAuE,kBAAoBvE,EAAAyD,QAC7B,mBAAkBzD,EAAAkL,eAClB,WAAUlL,EAAAyE,QACV,gBAAezE,EAAAqF,aACf,aAAYrF,EAAAmL,UACZ7G,UAAWtE,EAAAsE,UACX,uBAAsBtE,EAAAmC,oBACtB,gBAAenC,EAAAuD,aACf,iCAAgCvD,EAAAoL,4BAChC,6BAA4BpL,EAAAqL,yBAC5B,8BAA6BrL,EAAAsL,2BAC7BC,WAAUvL,EAAA4D,wBACV,qBAAoB5D,EAAAwL,kBACpB,yCAAqDxL,EAAA+J,mCAGrD,8BAA6B/J,EAAAyL,yBAC7B,yBAAwBzL,EAAA0L,qBACxB,0BAAyB1L,EAAA2L,qBACzB,6BAA4B3L,EAAA4L,wBAC5B,eAAc5L,EAAAwE,YACdqH,eAAe7L,EAAA8L,aACfC,cAAc/L,EAAAgM,YACd,6BAA4BhM,EAAAuC,wBAC5B,oBAAmBvC,EAAAsC,gBACnB,iBAAgBtC,EAAAiM,cAChB,kBAAiBjM,EAAAkM,eACjB,oBAAmBlM,EAAAmM,iBACnBrE,QAAS9H,EAAA8H,QACT,0BAAyB9H,EAAAoM,qBACzB,mBAAkBpM,EAAAqM,cAClB,eAAcrM,EAAA8E,a,suCAGjBlF,EAAAA,EAAAA,aA8Dc2I,EAAA,CA7DX9E,QAASzD,EAAAyD,QACT6I,QAAUtM,EAAAuE,iBAA+B,UAAZ,W,wBAE9B,IAIE,CAH+B,MAAzBvE,EAAA0D,wBAAqB,kBAD7BjD,EAAAA,EAAAA,aAIE8L,EAAA,C,MAFC1G,SAAU7F,EAAAmC,oBACV8G,QAAOD,EAAAtG,c,oDAGVnD,EAAAA,EAAAA,oBAmDW8J,EAAAA,SAAA,CAAAC,IAAA,IAjDAtJ,EAAAyD,SAAYzD,EAAAsE,UAAUwE,Q,iCAAM,kBADrCrI,EAAAA,EAAAA,aAWE+L,EAAA,C,MATC,sBAAqBxM,EAAAiK,kBACrB,gBAAejK,EAAAkK,aACf,gBAAelK,EAAAuD,aACf,eAAcvD,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,oBAAmBhF,EAAA6E,iBACnB,uBAAsB7E,EAAAmD,mBACtB,uBAAsBnD,EAAAiF,oB,wLAGzBrF,EAAAA,EAAAA,aAqBE6M,EAAA,CApBC,uBAAsBzM,EAAAiF,mBACtB,gBAAejF,EAAAuD,aACfe,UAAWtE,EAAAsE,UACX,gBAAetE,EAAAkK,aACf,qBAAoBlK,EAAAwL,kBACpB,wBAAuBxL,EAAAwF,oBACvB,wBAAuBxF,EAAA0M,WAAW5D,OAAS,EAC3C,yBAAwB9I,EAAA0L,qBACxB,eAAc1L,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,oBAAmBhF,EAAA6E,iBACnB,0BAAyB7E,EAAA2M,sBACzB5K,SAAU/B,EAAA+B,SACV6K,QAAO5M,EAAA6M,aACPC,eAAgB9M,EAAA+M,aAChBC,SAAQhN,EAAAiN,gBACRC,UAASlN,EAAAmN,iBACTtD,iBAAgB7J,EAAA8J,qBACjBsD,IAAI,iB,6VAIEpN,EAAAqN,uBAAoB,kBAD5B5M,EAAAA,EAAAA,aAaE6M,EAAA,C,MAXC,uBAAsBtN,EAAAuN,oBACtB,gBAAevN,EAAAwN,YACf,oBAAmBxN,EAAAyN,gBACnB,YAAWzE,EAAA/C,SACX,cAAajG,EAAA0N,WACb,cAAa1N,EAAA2N,WACb,eAAc3N,EAAAmG,YACd,WAAUnG,EAAAyE,QACV,uBAAsBzE,EAAA4N,mBACtB,yBAAwB5N,EAAA6N,qBACxB,8BAA6B7N,EAAA+F,0B,gWCzMgC,CAAC,SAAS,e,iCCoChD9G,MAAM,6B,IAC7BA,MAAM,wC,IAaNA,MAAM,6B,k/BAqErB,UACEE,MAAK6D,GAAA,CACHrB,mBAAoB,CAAEvC,KAAMwC,QAAStC,SAAS,GAC9CwO,aAAc,CAAE1O,KAAMwC,QAAStC,SAAS,GACxCuC,qBAAsB,CAAEzC,KAAMwC,QAAStC,SAAS,KAE7CyO,EAAAA,GAAAA,IAAS,CACV,eACA,aACA,cACA,gBACA,kBACA,sBAIJ/M,OAAQ,CAACG,GAAAA,GAAUK,GAAAA,IAEnBlD,KAAMA,KAAA,CACJ+J,gBAAgB,EAChB5E,SAAS,EAET7C,MAAO,KACPiF,SAAU,KACVmI,OAAQ,GACR5I,QAAS,GACT6I,uBAAwB,IAAIC,GAAAA,KAM9BjM,OAAAA,GACE,GAAIzD,KAAK2P,gBAAgBjM,KAAKqB,cAAe,OAAO/E,KAAKO,MAAM,SAE7B,IAA9BmD,KAAKL,sBACPrD,KAAK4D,YAAY,IAAKF,KAAKG,cAE/B,EAKAO,aAAAA,IACoC,IAA9BV,KAAKL,sBACPrD,KAAKqE,gBAAgB,IAEzB,EAKAuL,OAAAA,GACElM,KAAKmM,qBACP,EAEAtL,QAAOC,GAAAA,GAAA,IACFC,EAAAA,GAAAA,IAAW,CAAC,wBAAsB,IAKrCqL,oBAAAA,GACEpM,KAAKuB,SAAU,EAEfjF,KAAKC,MAAM,kBAAmB,CAC5B8E,aAAcrB,KAAKqB,aACnBgL,WAAYrM,KAAKqM,WAAWC,WAC5BlI,KAAM,UAEV,EAKAjE,aAAAA,CAAca,GAEVhB,KAAK2D,SAAS4I,oBACM,SAApBvL,EAAEE,OAAOC,SACW,YAApBH,EAAEE,OAAOC,SACmB,QAA5BH,EAAEE,OAAOE,iBAET9E,KAAKO,MAAO,cAAamD,KAAKqB,gBAAgBrB,KAAKqM,kBAEvD,EAKA,yBAAMF,SACEnM,KAAKwM,oBACLxM,KAAKiD,aAEXjD,KAAKmG,gBAAiB,CACxB,EAKAqG,WAAAA,GAKE,OAJAxM,KAAKuB,SAAU,EACfvB,KAAK8L,OAAS,KACd9L,KAAK2D,SAAW,MAEThC,EAAAA,GAAAA,IACLrF,KAAKsF,UAAUC,IACb,aAAe7B,KAAKqB,aAAe,IAAMrB,KAAKqM,WAC9C,CACEvK,OAAQ,CACNc,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBH,iBAAkB3C,KAAK2C,qBAK5BR,MAAK,EAAG/F,MAAQsC,QAAOoN,SAAQnI,gBAC9B3D,KAAKtB,MAAQA,EACbsB,KAAK8L,OAASA,EACd9L,KAAK2D,SAAWA,EAEhB3D,KAAKoM,sBAAsB,IAE5B1J,OAAM3G,IACL,GAAIA,EAAMF,SAASM,QAAU,IAC3BG,KAAKC,MAAM,QAASR,EAAMF,SAASO,KAAKI,cAI1C,GAA8B,MAA1BT,EAAMF,SAASM,QAAkB6D,KAAKmG,eACxC7J,KAAKO,MAAM,aAIb,GAA8B,MAA1Bd,EAAMF,SAASM,OAAnB,CAKA,GAA8B,MAA1BJ,EAAMF,SAASM,OAAgB,OAAOG,KAAKM,kBAE/CN,KAAKP,MAAMiE,KAAK5B,GAAG,mCAEnB9B,KAAKO,MAAO,cAAamD,KAAKqB,eAN9B,MAFE/E,KAAKO,MAAM,OAQgC,GAEnD,EAKA,gBAAMoG,GACJjD,KAAKkD,QAAU,GAEf,IACE,MAAMrH,QAAiBS,KAAKsF,UAAUC,IACpC,aAAe7B,KAAKqB,aAAe,WACnC,CACES,OAAQ,CACNuK,WAAYrM,KAAKqM,WACjBI,SAAS,EACTC,SAAU,SACVtJ,QAAS,YAKfpD,KAAKkD,QAAUrH,EAASO,MAAM8G,OAChC,CAAE,MAAOnH,GACP4Q,QAAQC,IAAI7Q,GACZO,KAAKP,MAAMiE,KAAK5B,GAAG,4CACrB,CACF,EAKA,oBAAMyO,SACE7M,KAAKwM,oBACLxM,KAAKiD,YACb,EAKA6J,qBAAqBC,GACZtQ,IAAMsQ,EAAMC,kBAAoBD,EAAMC,gBACzC,UAAYD,EAAME,UAClBF,EAAME,YAIdpI,SAAQ/D,GAAAA,GAAA,IACHoM,EAAAA,GAAAA,IAAW,CAAC,iBAAe,IAE9BC,iBAAAA,GACE,OACEnN,KAAKoN,YAAYC,gBAAkBrN,KAAK2D,SAAS2J,uBAErD,EAEAC,wBAAAA,GACE,OACEvN,KAAK2D,WAAa3D,KAAKkD,QAAQ0D,OAAS,GAAK5G,KAAKwN,kBAEtD,EAEAA,iBAAAA,GACE,OACExN,KAAK2D,SAAS8J,uBACdzN,KAAKmN,mBACJnN,KAAK2D,SAAS+J,qBAAuB1N,KAAK2D,SAASgK,aACnD3N,KAAK2D,SAASiK,qBAAuB5N,KAAK2D,SAASgK,aACpD3N,KAAK2D,SAASkK,uBAElB,EAKAC,cAAAA,GACE,MAA6B,kBAAtB9N,KAAKqB,YACd,EAKA+D,aAAAA,GACE,MAAQ,aAAYpF,KAAKqB,oBAC3B,EAKA0M,eAAAA,GACE,MAAO,CACL1B,WAAYrM,KAAKqM,WAErB,KCnWJ,IAFiC,OAAgB,GAAQ,CAAC,CAAC,S,qaDJzD9N,EAAAA,EAAAA,aA6Gc8H,EAAA,CA7GA9E,QAASzD,EAAAqI,gBAAc,C,uBACnC,IASW,CATK3I,EAAAiC,oBAAsB3B,EAAAmC,qBAAuBnC,EAAAY,QAAK,kBAChEH,EAAAA,EAAAA,aAOEE,EAAA,C,MANCC,MAAkBZ,EAAAM,GAAE,6B,SAAsDN,EAAAmC,oBAAoB+N,c,MAAkClQ,EAAAY,S,mDAS1HZ,EAAAwI,iBAAmBxI,EAAAmQ,qBAAkB,kBAAhD5Q,EAAAA,EAAAA,oBASM,MAAAC,GAAA,CAPIQ,EAAA0I,MAAMI,OAAS,IAAH,kBADpBrI,EAAAA,EAAAA,aAOEgI,EAAA,C,MALCC,MAAO1I,EAAA0I,MACP,kBAAgB,EAChB7C,SAAU7F,EAAA6F,SACV,cAAa7F,EAAAuO,WACb,gBAAevO,EAAAuD,c,gIAKpBvE,EAAAA,EAAAA,oBAoFM,OAnFHC,OAAK4J,EAAAA,EAAAA,gBAAA,C,OAAoB7I,EAAAwI,iBAAmBxI,EAAAmQ,oBAAsBnQ,EAAA0I,MAAMI,OAAM,IAG9ErJ,KAAMO,EAAAuD,aAAe,qB,uBAEtBhE,EAAAA,EAAAA,oBA6EY8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YA3EMpQ,EAAAgO,QAATiB,K,kBAFTxO,EAAAA,EAAAA,cA6EY4P,EAAAA,EAAAA,yBA5ELrH,EAAAgG,qBAAqBC,IAAK,CAE9B3F,IAAK2F,EAAMqB,GACXrB,MAAOA,EACPpJ,SAAU7F,EAAA6F,SACV,cAAa7F,EAAAuO,WACb,gBAAevO,EAAAuD,aAChBtE,MAAM,Q,wBAEN,IAkEM,CAlEKgQ,EAAMsB,cAAW,kBAA5BhR,EAAAA,EAAAA,oBAkEM,MAlENI,GAkEM,EAjEJX,EAAAA,EAAAA,oBAWM,MAXNc,GAWM,EAVJF,EAAAA,EAAAA,aAIE+I,EAAA,CAHCC,MAAO,E,aACR9H,EAAAA,EAAAA,iBAAQmO,EAAMlO,MACbtB,KAAI,GAAKwP,EAAMlO,uB,+BAGVf,EAAA6F,SAASgK,cAAW,kBAD5BpP,EAAAA,EAAAA,aAIE+P,EAAA,C,MAFClI,MAAOtI,EAAAM,GAAG,gBACXrB,MAAM,sF,sDAIVD,EAAAA,EAAAA,oBAmDM,MAnDNyR,GAmDM,CAhDIzH,EAAAyG,2BAAwB,kBADhChP,EAAAA,EAAAA,aAYEiQ,EAAA,C,MAVC7K,SAAU7F,EAAA6F,SACVT,QAASpF,EAAAoF,QACT,eAAcpF,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,gBAAehF,EAAAuD,aAChBtE,MAAM,+BACL4K,iBAAgBb,EAAA+F,eAChB4B,kBAAkB3H,EAAA0F,YAClBkC,mBAAmB5H,EAAA0F,a,gMAIdhP,EAAAoO,cAAY,wCADpBrN,EAAAA,EAAAA,aAgBOP,EAAA,C,MARJrB,KAAMmB,EAAAG,KAAK,cAAcH,EAAAuD,gBAAgBvD,EAAAuO,cAC1CtP,MAAM,iFACNQ,KAAK,uBACLW,SAAS,K,wBAET,IAEc,EAFdR,EAAAA,EAAAA,aAEciR,EAAA,CAFD1B,UAAU,QAAM,C,uBAC3B,IAAmB,EAAnBvP,EAAAA,EAAAA,aAAmBkR,EAAA,CAAb1R,KAAK,W,kFAZyHY,EAAAM,GAAE,a,+BAiBlIN,EAAA6F,SAAS4I,oBAAkB,wCADnChO,EAAAA,EAAAA,aAgBOP,EAAA,C,MARJrB,KAAMmB,EAAAG,KAAK,cAAcH,EAAAuD,gBAAgBvD,EAAAuO,mBAC1CtP,MAAM,iFACNQ,KAAK,uBACLW,SAAS,K,wBAET,IAEc,EAFdR,EAAAA,EAAAA,aAEciR,EAAA,CAFD1B,UAAU,QAAM,C,uBAC3B,IAA0B,EAA1BvP,EAAAA,EAAAA,aAA0BkR,EAAA,CAApB1R,KAAK,kB,kFAZyHY,EAAAM,GAAE,a,+KCtF1E,CAAC,SAAS,gB,qCCwB5Eb,KAAK,qBACLR,MAAM,yF,IAEDA,MAAM,mB,eAQNA,MAAM,mB,IACHA,MAAM,6C,IAWPA,MAAM,qB,UAasBA,MAAM,qB,UACGA,MAAM,Q,eAWrCA,MAAM,qB,UACiBA,MAAM,kB,eAO3BA,MAAM,a,0BAuCP8R,MAAM,GAAGC,SAAA,GAASC,SAAA,I,IA4DlChS,MAAM,4G,ukCAiDd,UACEsB,WAAY,CACV2Q,OAAMA,GAAAA,GAGRlQ,OAAQ,CACNmQ,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,IAGFpS,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZjD,WAAY,CACViD,UAAU,GAEZC,oBAAqB,CACnBrS,KAAMC,OACNmS,UAAU,GAEZ1M,YAAa,CACXxF,QAAS,IAEXyF,cAAe,CACbzF,QAAS,IAEXoS,eAAgB,CACdtS,KAAMuS,QAER3M,gBAAiB,CACf1F,QAAS,IAEXsS,YAAa,CACXtS,SAAS,IAIbhB,KAAMA,KAAA,CACJ+J,gBAAgB,EAChB5E,SAAS,EACToO,oCAAoC,EACpCC,4BAA4B,EAE5BzK,MAAO,KACP7C,aAAa,EACbuN,OAAQ,GACRC,iBAAkB,KAClBC,mBAAoB,KACpBC,mBAAmB,EACnBC,kCAAkC,IAGpClQ,OAAAA,GACE,GAAIzD,KAAK2P,gBAAgBjM,KAAKqB,cAAe,OAAO/E,KAAKO,MAAM,OACjE,EAKAqP,OAAAA,GACElM,KAAKmM,qBACP,EAEAtL,QAAOC,GAAAA,GAAA,IACFC,EAAAA,GAAAA,IAAW,CAAC,mBAAiB,IAKhCoL,mBAAAA,GACEnM,KAAKsC,aAAc,EACnBtC,KAAKkQ,qBACLlQ,KAAKmQ,iBACLnQ,KAAKoQ,WACLpQ,KAAKqQ,iBACLrQ,KAAKsQ,cACLtQ,KAAKuQ,kBACP,EAKAC,uBAAAA,GACExQ,KAAKuB,SAAU,EAEfkP,KAAKzQ,KAAK6P,QAAQ1K,IAChBA,EAAMuL,KAAO,IAAM,EAAC,GAExB,EAKAN,QAAAA,GACEpQ,KAAKmF,MAAQ,KAEb7I,KAAKsF,UACFC,IACC,aAAe7B,KAAKqB,aAAe,UAAYrB,KAAK8C,gBACpD,CACEhB,OAAQ,CACN6O,WAAW,KAIhBxO,MAAK,EAAG/F,WACP4D,KAAKmF,MAAQ/I,EACb4D,KAAKmF,MAAMkC,WACPrH,KAAK4Q,yBACL5Q,KAAK6Q,wBACT7Q,KAAKmG,gBAAiB,CAAI,GAEhC,EAKAkK,cAAAA,GACErQ,KAAK6P,OAAS,GACd7P,KAAKuB,SAAU,EAEfjF,KAAKsF,UACFC,IACC,aACE7B,KAAKqB,aACL,IACArB,KAAKqM,WACL,0BACArM,KAAKuP,oBACP,CACEzN,OAAQ,CACN2K,SAAS,EACTC,SAAU,SACV5J,gBAAiB9C,KAAK8C,mBAI3BX,MAAK,EAAG/F,WACP4D,KAAK6P,OAASzT,EAEd4D,KAAKwQ,yBAAyB,GAEpC,EAKAK,qBAAAA,CAAsBxL,EAAS,IAG7B,OAFA/I,KAAKwU,UAAUC,QAERzU,KAAKsF,UACTC,IACE,aAAY7B,KAAKqB,gBAAgBrB,KAAKqM,yBAAyBrM,KAAKuP,sBACrE,CACEzN,OAAQ,CACNuD,SACA2L,QAAShR,KAAK+P,mBACdkB,MAAOjR,KAAKiQ,iCACZiB,YAAalR,KAAKkR,YAClBpO,gBAAiB9C,KAAK8C,mBAI3BX,MAAKtG,IACJS,KAAKwU,UAAUK,OAEXnR,KAAKoR,eACPpR,KAAKiQ,kCAAmC,GAE1CjQ,KAAKqR,mBAAqBxV,EAASO,KAAKgG,UACxCpC,KAAKkR,YAAcrV,EAASO,KAAK8U,YACjClR,KAAKsC,YAAczG,EAASO,KAAKkG,WAAU,IAE5CI,OAAM1B,IACL1E,KAAKwU,UAAUK,MAAM,GAE3B,EAKAP,sBAAAA,GACEtU,KAAKsF,UACFC,IAAI,aAAe7B,KAAKuP,oBAAsB,iBAC9CpN,MAAKtG,IACJmE,KAAKsC,YAAczG,EAASO,KAAKkG,WAAU,GAEjD,EAKA,oBAAMgP,GACJtR,KAAK4P,4BAA6B,EAElC,UACQ5P,KAAKuR,gBAEXvR,KAAK4P,4BAA6B,EAClC5P,KAAKuQ,yBAECvQ,KAAKwR,gBACTlV,KAAKmV,QAAQzR,KAAK5B,GAAG,+BAEvB9B,KAAKO,MAAO,cAAamD,KAAKqB,gBAAgBrB,KAAKqM,aACrD,CAAE,MAAOtQ,GACP2V,OAAOC,SAAS,EAAG,GAEnB3R,KAAK4P,4BAA6B,EAElC5P,KAAK4R,qBAEL5R,KAAK6R,4BAA4B9V,EACnC,CACF,EAKA,4BAAM+V,GACJ9R,KAAK2P,oCAAqC,EAE1C,UACQ3P,KAAKuR,gBAEXG,OAAOC,SAAS,EAAG,GAEnB3R,KAAK+R,kCAEL/R,KAAKuQ,mBAELvQ,KAAK2P,oCAAqC,QAEpC3P,KAAKwR,gBAGXxR,KAAKmM,qBACP,CAAE,MAAOpQ,GACPiE,KAAK2P,oCAAqC,EAE1C3P,KAAK6R,4BAA4B9V,EACnC,CACF,EAEAiW,uBAAAA,GACEhS,KAAKiS,iCACLjS,KAAKuQ,mBAELvQ,KAAKkS,sBACF,cAAalS,KAAKqB,gBAAgBrB,KAAKqM,aAE5C,EAKAkF,aAAAA,GACE,OAAOjV,KAAKsF,UAAUuQ,KACpBnS,KAAKoS,mBACLpS,KAAKqS,qBACL,CACEvQ,OAAQ,CACN2K,SAAS,EACTC,SAAU,WAIlB,EAKA2F,kBAAAA,GACE,OAAOC,KAAI,IAAIC,UAAYC,IACzB/B,KAAKzQ,KAAK6P,QAAQ1K,IAChBA,EAAMuL,KAAK8B,EAAS,IAGjBxS,KAAK8P,iBAGR0C,EAASC,OAAOzS,KAAKuP,oBAAqBvP,KAAK8P,iBAAiBjB,OAFhE2D,EAASC,OAAOzS,KAAKuP,oBAAqB,IAK5CiD,EAASC,OAAOzS,KAAKuP,oBAAsB,WAAYvP,KAAKkR,aAC5DsB,EAASC,OAAO,kBAAmBzS,KAAK8C,gBAAgB,GAE5D,EAKA4P,+BAAAA,CAAgC7D,GAC9B7O,KAAK+P,mBAAqBlB,EAC1B7O,KAAK2S,wBAED3S,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK+P,mBAExD,EAKA4C,qBAAAA,GACE3S,KAAK8P,iBAAmBgD,KACtB9S,KAAKqR,oBACL0B,GAAKA,EAAElE,OAAS7O,KAAK+P,oBAEzB,EAKAiD,iBAAAA,GACEhT,KAAKkR,aAAelR,KAAKkR,YAGpBlR,KAAKoR,cACRpR,KAAK6Q,uBAET,EAKAoC,kBAAAA,GACEjT,KAAKkT,kBACP,EAEAC,iBAAAA,EAAkB,GAAE/E,IAClBpO,KAAKoT,qBACLpT,KAAK+P,mBAAqB3B,EAC1BpO,KAAKiQ,kCAAmC,EACxCjQ,KAAK6Q,wBAAwB1O,MAAK,IAAMnC,KAAK2S,yBAC/C,EAEAU,iBAAAA,GACE/W,KAAKC,MAAM,gCACXyD,KAAKgQ,mBAAoB,CAC3B,EAEAoD,kBAAAA,GACEpT,KAAKgQ,mBAAoB,EACzB1T,KAAKC,MAAM,+BACb,EAEA+W,sBAAAA,GACEtT,KAAKmQ,iBAEAnQ,KAAKoR,eACRpR,KAAKiQ,kCAAmC,EACxCjQ,KAAK6Q,wBAET,IAGFhM,SAAU,CAIRuN,kBAAAA,GACE,OAAOpS,KAAK0P,YACR,aACE1P,KAAKqB,aACL,IACArB,KAAKqM,WACL,mBACArM,KAAKuP,oBACP,aACEvP,KAAKqB,aACL,IACArB,KAAKqM,WACL,WACArM,KAAKuP,mBACb,EAKAgE,oBAAAA,GACE,GAAIvT,KAAKmF,MACP,OAAOnF,KAAKmF,MAAM6I,aAEtB,EAKAoD,YAAAA,GACE,OAAOpR,KAAKmF,MAAMkC,UACpB,EAKAmM,SAAAA,GACE,OACExT,KAAK4P,4BACL5P,KAAK2P,kCAET,EAKAzJ,YAAAA,GACE,OAAOlG,KAAK5B,GAAG,mBAAoB,CACjCuF,SAAU3D,KAAKuT,sBAEnB,EAEAE,iBAAAA,GACE,OAAO/T,QAAQM,KAAKsC,YACtB,EAEArB,kBAAAA,GACE,OAAO6R,KAAKxW,KAAKoX,OAAO,cAAc/P,GAC7BA,EAASgQ,QAAU3T,KAAKmF,MAAM9D,eACpCJ,kBACL,EAEA2S,uBAAAA,GACE,OAAO5T,KAAKmF,MAAM0O,0BAA4B7T,KAAKiB,kBACrD,IC/oBJ,IAFiC,OAAgB,GAAQ,CAAC,CAAC,S,8eDJzD1C,EAAAA,EAAAA,aAuNc8H,EAAA,CAvNA9E,QAASzD,EAAAqI,gBAAc,C,uBACnC,IAQW,CARKW,EAAAyM,uBAAoB,kBAClChV,EAAAA,EAAAA,aAMEE,EAAA,C,MALCC,MAAkBZ,EAAAM,GAAE,oB,SAA6C0I,EAAAyM,wB,oDAQtE7V,EAAAA,EAAAA,aAIE+I,EAAA,CAHA1J,MAAM,O,aACN6B,EAAAA,EAAAA,iBAAQd,EAA2DM,GAAxD,mBAAoB,CAArBuF,SAAiCmD,EAAAyM,wBAC3ChW,KAAK,kB,wBAICO,EAAAqH,QAAK,kBADb9H,EAAAA,EAAAA,oBAqMO,Q,MAnMJyW,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAwK,gBAAAxK,EAAAwK,kBAAArK,IAAc,cAC9B+M,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmM,oBAAAnM,EAAAmM,sBAAAhM,IACR,sBAAqBnJ,EAAAmW,aACtBC,aAAa,O,EAEbxW,EAAAA,EAAAA,aA2JOuK,EAAA,CA3JDlL,MAAM,QAAM,C,uBAEhB,IAkBM,CAjBES,EAAAgS,iBAAc,kBADtBnS,EAAAA,EAAAA,oBAkBM,MAlBNsB,GAkBM,EAbJ7B,EAAAA,EAAAA,oBAOM,MAPNW,GAOM,EANJX,EAAAA,EAAAA,oBAKQ,SAJLqX,IAAK3W,EAAAgS,eAAe3Q,KACrB9B,MAAM,kD,qBAEHS,EAAAgS,eAAe3Q,MAAI,EAAAjB,OAG1Bd,EAAAA,EAAAA,oBAIM,MAJNyR,GAIM,EAHJzR,EAAAA,EAAAA,oBAEO,OAFPsX,IAEOxV,EAAAA,EAAAA,iBADFpB,EAAAgS,eAAepM,SAAO,yCAI/B1F,EAAAA,EAAAA,aAkHe2W,EAAA,CAjHZlP,MAAOrH,EAAAqH,MACPmP,OAAQxW,EAAAyW,iBACR,kBAAgB,G,CAENpP,OAAKqP,EAAAA,EAAAA,UACd,IAuFM,EAvFN1X,EAAAA,EAAAA,oBAuFM,MAvFN2X,GAuFM,CArFI3W,EAAAqH,MAAMkC,aAAU,kBADxB9I,EAAAA,EAAAA,aAuDcmW,EAAA,C,MArDXnX,KAAI,GAAKO,EAAAqH,MAAM9D,4BACfsT,QAAO7W,EAAA8W,cACPC,QAAO/N,EAAAwM,uBACPwB,WAAUhX,EAAAiX,eACVC,SAAUlX,EAAAqH,MAAM6P,SAChBnG,MAAO/Q,EAAAgS,iBACP1T,KAAM0B,EAAAuT,mBACP4D,QAAQ,QACRlY,MAAM,U,CAaKmY,QAAMV,EAAAA,EAAAA,UACf,EADmBzF,WAAUmG,YAAM,EACnCpY,EAAAA,EAAAA,oBA6BM,MA7BNqY,GA6BM,CA5BOD,EAAOE,SAAM,kBAAxB/X,EAAAA,EAAAA,oBAKM,MALNgY,GAKM,EAJJvY,EAAAA,EAAAA,oBAGE,OAFCwY,IAAKJ,EAAOE,OACbrY,MAAM,8B,+CAIVD,EAAAA,EAAAA,oBAoBM,MApBNyY,GAoBM,EAnBJzY,EAAAA,EAAAA,oBAKM,OAJJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,kCAAiC,cACfoI,O,qBAErBmG,EAAO9R,SAAO,GAIXtF,EAAAqH,MAAMqQ,gBAAa,kBAD3BnY,EAAAA,EAAAA,oBAWM,O,MATJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qDAAoD,cAClCoI,M,CAEZmG,EAAOO,WAAQ,kBAA3BpY,EAAAA,EAAAA,oBAES,OAAAqY,IAAA9W,EAAAA,EAAAA,iBADPsW,EAAOO,UAAQ,wBAEjBpY,EAAAA,EAAAA,oBAES,OAAAsY,IAAA/W,EAAAA,EAAAA,iBADPd,EAAAM,GAAG,iCAAD,gD,uBArCZ,IASM,CATKN,EAAAgS,mBAAgB,kBAA3BzS,EAAAA,EAAAA,oBASM,MATNuY,GASM,CARO9X,EAAAgS,iBAAiBsF,SAAM,kBAAlC/X,EAAAA,EAAAA,oBAKM,MALNwY,GAKM,EAJJ/Y,EAAAA,EAAAA,oBAGE,OAFCwY,IAAKxX,EAAAgS,iBAAiBsF,OACvBrY,MAAM,8B,oEAEJ,KAEN6B,EAAAA,EAAAA,iBAAGd,EAAAgS,iBAAiB1M,SAAO,yC,iGAqC/B7E,EAAAA,EAAAA,aAqBgBuX,EAAA,C,MAnBd/Y,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,SAAQ,C,8BAC6C7I,EAAAyW,iBAAiBwB,IAAyBjY,EAAAqH,MAAM6Q,cAK3GzY,KAAK,oBACGwR,SAAUjR,EAAAiS,mB,mCAAAjS,EAAAiS,mBAAkBvI,GACnCwM,SAAQlN,EAAA4L,gCACRuD,QAASnY,EAAAuT,mBACTjL,MAAO,W,wBAER,IAMS,EANTtJ,EAAAA,EAAAA,oBAMS,SANToZ,IAMStX,EAAAA,EAAAA,iBAJLd,EAAAM,GAAG,mBAAoB,C,SAAkC0I,EAAAyM,wB,yDAQvDzM,EAAA8M,0BAAuB,kBAD/BrV,EAAAA,EAAAA,aAKE4X,EAAA,C,MAHCpP,QAAOD,EAAAuM,kBACRtW,MAAM,OACLQ,KAAI,GAAKO,EAAAqH,MAAM6Q,2B,+DAIpBtY,EAAAA,EAAAA,aASE0Y,EAAA,CARCC,KAAMvP,EAAA8M,yBAA2B9V,EAAAkS,kBACjCsG,cAAcxP,EAAAqM,kBACdoD,kBAAkBzP,EAAAsM,mBAClB,gBAAetV,EAAAqH,MAAM9D,aACrB,cAAa7D,EAAA6O,WACb,mBAAkB7O,EAAAsF,gBAClB,eAActF,EAAAoF,YACd,kBAAiBpF,EAAAqF,e,uIAIZ/E,EAAAwE,cAAW,kBADnB/D,EAAAA,EAAAA,aAMEiY,EAAA,C,MAJAzZ,MAAM,OACL,gBAAee,EAAAqH,MAAM9D,aACrBoV,QAAS3Y,EAAAoT,YACTyD,QAAO7N,EAAAkM,mB,8GAKdtV,EAAAA,EAAAA,aAiBc2I,EAAA,CAjBA9E,QAASzD,EAAAyD,SAAO,C,uBAEvB,IAAuB,uBAA5BlE,EAAAA,EAAAA,oBAcM8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAdepQ,EAAA+R,QAAT1K,K,kBAAZ9H,EAAAA,EAAAA,oBAcM,OAdwB+J,IAAKjC,EAAMuR,W,qBACvCnY,EAAAA,EAAAA,cAYE4P,EAAAA,EAAAA,yBAAA,QAXahJ,EAAM8H,aAAS,CAC3B,gBAAezP,EAAA6D,aACf,cAAa7D,EAAA6O,WACb,wBAAuB7O,EAAA+R,oBACvBpK,MAAOA,EACP,iBAAgBrH,EAAAmW,aAChBK,OAAQxW,EAAAyW,iBACR,eAAc/W,EAAAoF,YACd,kBAAiBpF,EAAAqF,cACjB,mBAAkBrF,EAAAsF,gBAClB,kBAAgB,G,mMAOzBhG,EAAAA,EAAAA,oBA+BM,MA/BN6Z,GA+BM,EA5BJjZ,EAAAA,EAAAA,aAKEkZ,EAAA,CAJArZ,KAAK,uBACJwJ,QAAOD,EAAAkL,wBACP5L,MAAOtI,EAAAM,GAAG,UACXgM,QAAQ,S,6BAGV1M,EAAAA,EAAAA,aAOSkZ,EAAA,CANPrZ,KAAK,mCACJwJ,SAAKgN,EAAAA,EAAAA,eAAiBjN,EAAAgL,uBAAsB,aAC5ChD,SAAUhI,EAAA0M,UACVjS,QAASzD,EAAA6R,oC,wBAEV,IAAmC,6CAAhC7R,EAAAM,GAAG,4BAAD,M,0CAGPV,EAAAA,EAAAA,aAWSkZ,EAAA,CAVP1Z,KAAK,SACLK,KAAK,gBACJuR,SAAUhI,EAAA0M,UACVjS,QAASzD,EAAA8R,4B,wBAEV,IAIE,6CAHA9R,EAAAM,GAAG,mBAAoB,C,SAA0B0I,EAAAyM,wB,yGC5Me,CAAC,SAAS,gB,qCC4B5EhW,KAAK,qBACLR,MAAM,yF,IAEDA,MAAM,mB,eAQNA,MAAM,mB,IACHA,MAAM,6C,IAyBF8R,MAAM,GAAGC,SAAA,GAASC,SAAA,I,IA6BhChS,MAAM,qF,k/BAmDd,UACEsB,WAAY,CACV2Q,OAAMA,GAAAA,GAGRlQ,OAAQ,CACNmQ,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,GACAC,GAAAA,IAGFwH,OAAAA,GACE,MAAO,CACLC,WAAY9W,KAAK8W,WAErB,EAEA7Z,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZjD,WAAY,CACViD,UAAU,GAEZC,oBAAqB,CACnBrS,KAAMC,OACNmS,UAAU,GAEZyH,kBAAmB,CACjBzH,UAAU,GAEZ1M,YAAa,CACXxF,QAAS,IAEXyF,cAAe,CACbzF,QAAS,IAEXoS,eAAgB,CACdtS,KAAMuS,QAER3M,gBAAiB,CACf1F,QAAS,IAEX4Z,WAAY,CACV5Z,QAAS,MAEXsS,YAAa,CACXtS,SAAS,IAIbhB,KAAMA,KAAA,CACJ+J,gBAAgB,EAChB5E,SAAS,EACT0V,sCAAsC,EACtCC,oCAAoC,EAEpC/R,MAAO,KACP7C,aAAa,EACbuN,OAAQ,GACRC,iBAAkB,KAClBC,mBAAoB,KACpBoH,gBAAiB,KACjBzY,MAAO,OAGTqB,OAAAA,GACE,GAAIzD,KAAK2P,gBAAgBjM,KAAKqB,cAAe,OAAO/E,KAAKO,MAAM,OACjE,EAKAqP,OAAAA,GACElM,KAAKmM,qBACP,EAEAtL,QAAOC,GAAAA,GAAA,IACFC,EAAAA,GAAAA,IAAW,CAAC,mBAAiB,IAKhC,yBAAMoL,GACJnM,KAAKsC,aAAc,EACnBtC,KAAKkQ,qBACLlQ,KAAKmQ,uBACCnQ,KAAKoQ,iBACLpQ,KAAKqQ,uBACLrQ,KAAK6Q,wBACX7Q,KAAKsQ,cAELtQ,KAAK+P,mBAAqB/P,KAAK+W,kBAE/B/W,KAAK2S,wBAEL3S,KAAKoX,iCACLpX,KAAKuQ,kBACP,EAEAuG,UAAAA,CAAWd,GACT,MAAM,aACJ3U,EAAY,WACZgL,EAAU,oBACVkD,EAAmB,kBACnBwH,EAAiB,gBACjBjU,GACE9C,KAEQ1D,KAAKsF,UAAUyV,OACxB,aAAYhW,KAAgBgL,KAAckD,KAAuBwH,WAA2Bf,qBAA6BlT,IAE9H,EAKA0N,uBAAAA,GACExQ,KAAKuB,SAAU,EAEfkP,KAAKzQ,KAAK6P,QAAQ1K,IACZA,IACFA,EAAMuL,KAAO,IAAM,GACrB,GAEJ,EAKA,cAAMN,GACJpQ,KAAKmF,MAAQ,KAEb,MAAQ/I,KAAM+I,SAAgB7I,KAAKsF,UAAUC,IAC3C,aAAe7B,KAAKqB,aAAe,UAAYrB,KAAK8C,gBACpD,CACEhB,OAAQ,CACN6O,WAAW,KAKjB3Q,KAAKmF,MAAQA,EAETnF,KAAKmF,MAAMkC,YACbrH,KAAK4Q,yBAGP5Q,KAAKmG,gBAAiB,CACxB,EAKA,oBAAMkK,GACJrQ,KAAK6P,OAAS,GAEd,MACEzT,MAAM,MAAEsC,EAAK,OAAEmR,UACPvT,KAAKsF,UACZC,IACE,aAAY7B,KAAKqB,gBAAgBrB,KAAKqM,kCAAkCrM,KAAKuP,uBAAuBvP,KAAK+W,oBAC1G,CACEjV,OAAQ,CACN2K,SAAS,EACTC,SAAU,kBACV5J,gBAAiB9C,KAAK8C,gBACtBkU,WAAYhX,KAAKgX,cAItBtU,OAAM3G,IACwB,KAAzBA,EAAMF,SAASM,QACjBG,KAAKO,MAAM,OAEb,IAGJmD,KAAKtB,MAAQA,EACbsB,KAAK6P,OAASA,EAEd7P,KAAKwQ,yBACP,EAKA,2BAAMK,CAAsBxL,EAAS,IACnC,IACE,MAAMxJ,QAAiBS,KAAKsF,UAAUC,IACnC,aAAY7B,KAAKqB,gBAAgBrB,KAAKqM,yBAAyBrM,KAAKuP,sBACrE,CACEzN,OAAQ,CACNuD,SACA2L,QAAShR,KAAK+W,kBACd9F,OAAO,EACPC,YAAalR,KAAKkR,YAClBpO,gBAAiB9C,KAAK8C,mBAK5B9C,KAAKqR,mBAAqBxV,EAASO,KAAKgG,UACxCpC,KAAKkR,YAAcrV,EAASO,KAAK8U,YACjClR,KAAKsC,YAAczG,EAASO,KAAKkG,WACnC,CAAE,MAAOvG,GAAQ,CACnB,EAKA6U,sBAAAA,GACEtU,KAAKsF,UACFC,IAAI,aAAe7B,KAAKuP,oBAAsB,iBAC9CpN,MAAKtG,IACJmE,KAAKsC,YAAczG,EAASO,KAAKkG,WAAU,GAEjD,EAKA,4BAAMgV,GACJtX,KAAKkX,oCAAqC,EAE1C,UACQlX,KAAKuX,gBAEXvX,KAAKkX,oCAAqC,EAC1ClX,KAAKuQ,yBAECvQ,KAAKwR,gBACTlV,KAAKmV,QAAQzR,KAAK5B,GAAG,8BAEvB9B,KAAKO,MAAO,cAAamD,KAAKqB,gBAAgBrB,KAAKqM,aACrD,CAAE,MAAOtQ,GACP2V,OAAOC,SAAS,EAAG,GAEnB3R,KAAKkX,oCAAqC,EAE1ClX,KAAK4R,qBAEL5R,KAAKwX,4BAA4Bzb,EACnC,CACF,EAKA,8BAAM0b,GACJzX,KAAKiX,sCAAuC,EAE5C,UACQjX,KAAKuX,gBAEX7F,OAAOC,SAAS,EAAG,GAEnB3R,KAAK+R,kCAEL/R,KAAKuQ,mBAELvQ,KAAKiX,sCAAuC,EAE5C3a,KAAKmV,QAAQzR,KAAK5B,GAAG,8BAGrB4B,KAAKmM,qBACP,CAAE,MAAOpQ,GACPiE,KAAKiX,sCAAuC,EAE5CjX,KAAKwX,4BAA4Bzb,EACnC,CACF,EAEA2b,8BAAAA,GACE1X,KAAKiS,iCACLjS,KAAKuQ,mBAELvQ,KAAKkS,sBACF,cAAalS,KAAKqB,gBAAgBrB,KAAKqM,aAE5C,EAKAkL,aAAAA,GACE,OAAOjb,KAAKsF,UAAUuQ,KACnB,aAAYnS,KAAKqB,gBAAgBrB,KAAKqM,8BAA8BrM,KAAKuP,uBAAuBvP,KAAK+W,oBACtG/W,KAAK2X,2BACL,CACE7V,OAAQ,CACN2K,SAAS,EACTC,SAAU,kBACVsK,WAAYhX,KAAKgX,aAIzB,EAKAW,wBAAAA,GACE,OAAOrF,KAAI,IAAIC,UAAYC,IACzB/B,KAAKzQ,KAAK6P,QAAQ1K,IAChBA,EAAMuL,KAAK8B,EAAS,IAGtBA,EAASC,OAAO,kBAAmBzS,KAAK8C,iBAEnC9C,KAAK8P,iBAGR0C,EAASC,OAAOzS,KAAKuP,oBAAqBvP,KAAK8P,iBAAiBjB,OAFhE2D,EAASC,OAAOzS,KAAKuP,oBAAqB,IAK5CiD,EAASC,OAAOzS,KAAKuP,oBAAsB,WAAYvP,KAAKkR,aAC5DsB,EAASC,OAAO,gBAAiBzS,KAAKmX,gBAAgB,GAE1D,EAKAzE,+BAAAA,CAAgC7D,GAC9B7O,KAAK+P,mBAAqBlB,EAC1B7O,KAAK2S,wBAED3S,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK+P,mBAExD,EAKAiD,iBAAAA,GACEhT,KAAKkR,aAAelR,KAAKkR,YAGpBlR,KAAKoR,cACRpR,KAAK6Q,uBAET,EAKA8B,qBAAAA,GACE3S,KAAK8P,iBAAmBgD,KACtB9S,KAAKqR,oBACL0B,GAAKA,EAAElE,OAAS7O,KAAK+P,oBAEzB,EAKAqH,8BAAAA,GACEpX,KAAKmX,gBAAkBS,KAAKC,OAAM,IAAIC,MAAOC,UAAY,IAC3D,EAKA9E,kBAAAA,GACEjT,KAAKkT,kBACP,IAGFrO,SAAU,CAIRuN,kBAAAA,GACE,OAAOpS,KAAK0P,YACR,aACE1P,KAAKqB,aACL,IACArB,KAAKqM,WACL,mBACArM,KAAKuP,oBACP,aACEvP,KAAKqB,aACL,IACArB,KAAKqM,WACL,WACArM,KAAKuP,mBACb,EAKAgE,oBAAAA,GACE,GAAIvT,KAAKmF,MACP,OAAOnF,KAAKmF,MAAM6I,aAEtB,EAKAoD,YAAAA,GACE,OAAOpR,KAAKmF,MAAMkC,UACpB,EAKAmM,SAAAA,GACE,OACExT,KAAKkX,oCACLlX,KAAKiX,oCAET,ICjjBJ,IAFiC,OAAgB,GAAQ,CAAC,CAAC,S,yTDJzD1Y,EAAAA,EAAAA,aAmIc8H,EAAA,CAnIA9E,QAASzD,EAAAqI,gBAAc,C,uBACnC,IASW,CATKW,EAAAyM,sBAAwBzV,EAAAY,QAAK,kBAC3CH,EAAAA,EAAAA,aAOEE,EAAA,C,MANCC,MAAkBZ,EAAAM,GAAE,qC,SAA8D0I,EAAAyM,qB,MAAyCzV,EAAAY,S,mDASpGoI,EAAAyM,sBAAwBzV,EAAAY,QAAK,kBAAzDH,EAAAA,EAAAA,aAOUkI,EAAA,C,MAPD1J,MAAM,Q,wBACb,IAKE,6CAJAe,EAAAM,GAAG,oCAAqC,C,SAAsB0I,EAAAyM,qB,MAAuCzV,EAAAY,S,6CAQjGZ,EAAAqH,QAAK,kBADb9H,EAAAA,EAAAA,oBA6GO,Q,MA3GJyW,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAwQ,wBAAAxQ,EAAAwQ,0BAAArQ,IAAsB,cACtC+M,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmM,oBAAAnM,EAAAmM,sBAAAhM,IACR,sBAAqBnJ,EAAAmW,aACtBC,aAAa,O,EAEbxW,EAAAA,EAAAA,aAmEOuK,EAAA,CAnEDlL,MAAM,QAAM,C,uBAEhB,IAkBM,CAjBES,EAAAgS,iBAAc,kBADtBnS,EAAAA,EAAAA,oBAkBM,MAlBNsB,GAkBM,EAbJ7B,EAAAA,EAAAA,oBAOM,MAPNW,GAOM,EANJX,EAAAA,EAAAA,oBAKQ,SAJLqX,IAAK3W,EAAAgS,eAAe3Q,KACrB9B,MAAM,kD,qBAEHS,EAAAgS,eAAe3Q,MAAI,EAAAjB,OAG1Bd,EAAAA,EAAAA,oBAIM,MAJNyR,GAIM,EAHJzR,EAAAA,EAAAA,oBAEO,OAFPsX,IAEOxV,EAAAA,EAAAA,iBADFpB,EAAAgS,eAAepM,SAAO,yCAI/B1F,EAAAA,EAAAA,aAyBe2W,EAAA,CAxBZlP,MAAOrH,EAAAqH,MACPmP,OAAQxW,EAAAyW,iBACR,kBAAgB,G,CAENpP,OAAKqP,EAAAA,EAAAA,UACd,IAiBgB,EAjBhB9W,EAAAA,EAAAA,aAiBgBoY,EAAA,CAhBd/Y,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,SAAQ,C,8BAE2C7I,EAAAyW,iBAAiBwB,IAAuBjY,EAAAqH,MAAM6Q,cADvGzY,KAAK,oBAMGwR,SAAUjR,EAAAiS,mB,mCAAAjS,EAAAiS,mBAAkBvI,GACnCwM,SAAQlN,EAAA4L,gCACT5D,SAAA,GACCmH,QAASnY,EAAAuT,mBACTjL,MAAO,W,wBAER,IAES,EAFTtJ,EAAAA,EAAAA,oBAES,SAFT2X,IAES7V,EAAAA,EAAAA,iBADJd,EAAAM,GAAG,gBAAiB,CAAlB+G,MAA2BrH,EAAAqH,MAAMtG,QAAI,M,iFAMlDnB,EAAAA,EAAAA,aAkBc2I,EAAA,CAlBA9E,QAASzD,EAAAyD,SAAO,C,uBAEvB,IAAuB,uBAA5BlE,EAAAA,EAAAA,oBAeM8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAfepQ,EAAA+R,QAAT1K,K,kBAAZ9H,EAAAA,EAAAA,oBAeM,gCAdJkB,EAAAA,EAAAA,cAaE4P,EAAAA,EAAAA,yBAAA,QAZehJ,EAAM8H,WAAS,CAC7B,gBAAezP,EAAA6D,aACf,cAAa7D,EAAA6O,WACblH,MAAOA,EACP,iBAAgBrH,EAAAmW,aAChBK,OAAQxW,EAAAyW,iBACR,wBAAuB/W,EAAA+R,oBACvB,sBAAqB/R,EAAAuZ,kBACrB,eAAcvZ,EAAAoF,YACd,kBAAiBpF,EAAAqF,cACjB,mBAAkBrF,EAAAsF,gBAClB,kBAAgB,G,yNAMzBhG,EAAAA,EAAAA,oBAgCM,MAhCN8Y,GAgCM,EA7BJlY,EAAAA,EAAAA,aAKEkZ,EAAA,CAJArZ,KAAK,gCACJwJ,QAAOD,EAAA4Q,+BACPtR,MAAOtI,EAAAM,GAAG,UACXgM,QAAQ,S,6BAGV1M,EAAAA,EAAAA,aAQSkZ,EAAA,CAPP7Z,MAAM,OACNQ,KAAK,qCACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAA2Q,yBAAwB,aACvC3I,SAAUhI,EAAA0M,UACVjS,QAASzD,EAAAmZ,sC,wBAEV,IAAqC,6CAAlCnZ,EAAAM,GAAG,8BAAD,M,0CAGPV,EAAAA,EAAAA,aAWSkZ,EAAA,CAVPrZ,KAAK,gBACLL,KAAK,SACJ4R,SAAUhI,EAAA0M,UACVjS,QAASzD,EAAAoZ,oC,wBAEV,IAIE,6CAHApZ,EAAAM,GAAG,mBAAoB,C,SAA0B0I,EAAAyM,wB,yGCxHe,CAAC,SAAS,wBCFtF,SAASyE,GAAmBC,EAAK/a,EAAMgb,GACrCA,EAAiBC,OAAOC,SAAQC,IAC9B,MAAMC,EAAkBJ,EAAiBG,GACnCE,EAAgBC,IACpBC,IACEJ,EACGK,MAAM,KACNC,MACAxa,QAAQ,SAAU,MAIzB8Z,EAAIhL,UACF/P,EAAOqb,EACPD,EAAgBlb,SAAWkb,EAC5B,GAEL,C,yECfA,UACEM,MAAOA,KAAA,CACLC,QAAS,QACTzL,YAAa,KACb0L,SAAU,GACVC,SAAU,GACVC,YAAa,GACb5W,UAAW,GACX6W,QAAS,MACTC,eAAe,EACfC,cAAc,EACdC,eAAe,EACfC,uBAAuB,EACvBC,cAAc,EACdC,kBAAmB,CAAC,EACpBC,0BAA2B,KAG7BC,QAAS,CACPrM,YAAasM,GAAKA,EAAEtM,YACpBuM,eAAgBD,GAAKA,EAAET,QACvBH,SAAUY,GAAKA,EAAEZ,SACjBC,SAAUW,GAAKA,EAAEX,SACjBC,YAAaU,GAAKA,EAAEV,YACpBE,cAAeQ,GAAKA,EAAER,cACtBC,aAAcO,GAAKA,EAAEP,aACrBS,2BAA4BF,GAAKA,EAAEP,eAAiBO,EAAEL,sBACtDD,cAAeM,GAAKA,EAAEN,cACtBE,aAAcI,GAAKA,EAAEJ,aACrBC,kBAAmBG,GAAKA,EAAEH,mBAG5BM,UAAW,CACTtJ,gBAAAA,CAAiBqI,GACfA,EAAMO,cAAe,CACvB,EAEAvH,kBAAAA,CAAmBgH,GACjBA,EAAMO,cAAe,CACvB,EAEAW,iBAAAA,CAAkBlB,GAChBA,EAAMQ,eAAgB,CACxB,EAEAW,mBAAAA,CAAoBnB,GAClBA,EAAMQ,eAAgB,CACxB,EAEAY,gBAAAA,CAAiBpB,GACfqB,EAAAA,QAAQC,UAAUD,EAAAA,QAAQ/V,MAC1B+V,EAAAA,QAAQE,oBAAqB,EAC7BvB,EAAMS,uBAAwB,CAChC,EAEAe,cAAAA,CAAexB,GACbA,EAAMS,uBAAwB,CAChC,EAEAgB,cAAAA,CAAezB,GACbA,EAAMM,eAAiBN,EAAMM,cAC7BoB,aAAaC,QAAQ,qBAAsB3B,EAAMM,cACnD,GAGFhW,QAAS,CACP,WAAMsX,EAAM,OAAEC,EAAM,SAAEC,IAAY,MAAEC,EAAK,SAAEC,EAAQ,SAAEC,UAC7Cve,KAAKsF,UAAUuQ,KAAK7V,KAAKwe,IAAI,UAAW,CAC5CH,QACAC,WACAC,YAEJ,EAEA,YAAME,EAAO,MAAEnC,GAASoC,GACtB,IAAInf,EAAW,KAQf,OALEA,GADGS,KAAKoX,OAAO,uBAAyBsH,QACvB1e,KAAKsF,UAAUuQ,KAAK6I,SAEpB1e,KAAKsF,UAAUuQ,KAAK7V,KAAKwe,IAAI,YAGzCjf,GAAUO,MAAMC,UAAY,IACrC,EAEA,wBAAM4e,KAAuB,SAAEtX,EAAQ,WAAE0I,IACvC,IAAIxQ,EAAW,KAEfA,QAAiBS,KAAKsF,UAAUuQ,KAAM,wBAAwB,CAC5DxO,WACA0I,eAGF,IAAIhQ,EAAWR,GAAUO,MAAMC,UAAY,KAE1B,OAAbA,EAKJC,KAAKO,MAAM,KAJTH,SAASC,KAAON,CAKpB,EAEA,uBAAM6e,KACJ,IAAIrf,EAAW,KAEfA,QAAiBS,KAAKsF,UAAUyV,OAAQ,yBAExC,IAAIhb,EAAWR,GAAUO,MAAMC,UAAY,KAE1B,OAAbA,EAKJC,KAAKO,MAAM,KAJTH,SAASC,KAAON,CAKpB,EAEA,4BAAM8e,EAAuB,MAAEvC,EAAK,SAAE8B,IACpC,IAAIhH,GAAS0H,EAAAA,EAAAA,MAAUne,MAAM4R,MAAMwM,YAAc/e,KAAKgf,WAClD,UAAElZ,EAAS,KAAEmZ,EAAI,QAAEtC,EAAO,SAAEH,EAAQ,SAAEC,GAAarF,EAEnD8H,GAAOJ,EAAAA,EAAAA,MAAUne,MAAM4R,MAAMzB,YAC7BkM,GAAe8B,EAAAA,EAAAA,MAAUne,MAAM4R,MAAMyK,aACrCN,GAAcoC,EAAAA,EAAAA,MAAUne,MAAM4R,MAAMmK,YAExC1c,KAAKgf,UAAY5H,EACjBkF,EAAMI,YAAcA,GAAe,GACnCJ,EAAMxL,YAAcoO,EACpB5C,EAAMU,aAAeA,EACrBV,EAAMxW,UAAYA,EAClBwW,EAAMC,QAAU0C,EAChB3C,EAAMK,QAAUA,EAChBL,EAAME,SAAWA,EACjBF,EAAMG,SAAWA,EAEjB2B,EAAS,kBACX,EAEA,mBAAMlJ,EAAc,MAAEoH,EAAK,SAAE8B,UACrBA,EAAS,yBACjB,EAEA,qBAAMe,EAAgB,MAAE7C,IACtB,IAAI8C,EAAe,IAAIC,gBAAgBjK,OAAOhV,SAAS2I,QAEvDuT,EAAMW,kBAAoB9J,OAAOmM,YAAYF,EAAaG,WAC1DjD,EAAMY,0BAA4BkC,EAAapP,UACjD,EAEA,uBAAMwP,EAAkB,MAAElD,GAAS/J,GACjC,IAAI6M,EAAe,IAAIC,gBAAgBjK,OAAOhV,SAAS2I,QACnDnB,EAAO+V,EAAAA,QAAQ/V,KA2BnB,OAzBAkU,KAAQvJ,GAAO,CAACkN,EAAGC,MACZC,EAAAA,GAAAA,GAAOF,GAGVL,EAAaQ,IAAIF,EAAGD,GAAK,IAFzBL,EAAarE,OAAO2E,EAGtB,IAGEpD,EAAMY,4BAA8BkC,EAAapP,aAC/CpI,EAAK4W,MAAS,GAAEpJ,OAAOhV,SAASyf,YAAYT,MAC9CxX,EAAK4W,IAAO,GAAEpJ,OAAOhV,SAASyf,YAAYT,IAE1ChK,OAAO0K,QAAQlC,UACbhW,EACA,GACC,GAAEwN,OAAOhV,SAASyf,YAAYT,MAInC9C,EAAMY,0BAA4BkC,EAAapP,YAGjDhQ,KAAKC,MAAM,uBAAwBmf,GACnC9C,EAAMW,kBAAoB9J,OAAOmM,YAAYF,EAAaG,WAEnD,IAAI5f,SAAQ,CAACogB,EAASngB,KAC3BmgB,EAAQX,EAAa,GAEzB,IC5LJ,IACE9C,MAAOA,KAAA,CACL0D,cAAe,GACfC,oBAAoB,EACpBC,qBAAqB,IAGvB/C,QAAS,CACP6C,cAAe5C,GAAKA,EAAE4C,cACtBC,mBAAoB7C,GAAKA,EAAE6C,mBAC3BC,oBAAqB9C,GAAKA,EAAE8C,qBAG9B3C,UAAW,CACT4C,mBAAAA,CAAoB7D,GAClBA,EAAM2D,oBAAsB3D,EAAM2D,mBAClCjC,aAAaC,QAAQ,qBAAsB3B,EAAM2D,mBACnD,GAGFrZ,QAAS,CACP,wBAAMwZ,EAAmB,MAAE9D,IACzB,MACExc,MAAM,cAAEkgB,EAAa,OAAEK,UACfrgB,KAAKsF,UAAUC,IAAK,gCAE9B+W,EAAM0D,cAAgBA,EACtB1D,EAAM4D,oBAAsBG,CAC9B,EAEA,8BAAMC,EAAyB,MAAEhE,EAAK,SAAE8B,GAAYtM,SAC5C9R,KAAKsF,UAAUuQ,KAAM,gCAA+B/D,YAC1DsM,EAAS,qBACX,EAEA,4BAAMmC,EAAuB,MAAEjE,EAAK,SAAE8B,GAAYtM,SAC1C9R,KAAKsF,UAAUuQ,KAAM,gCAA+B/D,UAC1DsM,EAAS,qBACX,EAEA,wBAAMoC,EAAmB,MAAElE,EAAK,SAAE8B,GAAYtM,SACtC9R,KAAKsF,UAAUyV,OAAQ,gCAA+BjJ,KAC5DsM,EAAS,qBACX,EAEA,4BAAMqC,EAAuB,MAAEnE,EAAK,SAAE8B,GAAYtM,SAC1C9R,KAAKsF,UAAUyV,OAAQ,gCAC7BqD,EAAS,qBACX,EAEA,gCAAMsC,EAA2B,MAAEpE,EAAK,SAAE8B,GAAYtM,SAC9C9R,KAAKsF,UAAUuQ,KAAM,yCAC3BuI,EAAS,qBACX,I,6lCC7CJ,UACEuC,YAAY,EAEZrE,MAAOA,KAAA,CACLtT,QAAS,GACT4X,gBAAiB,KAGnBzD,QAAS,CAIPnU,QAASsT,GAASA,EAAMtT,QAKxB4X,gBAAiBtE,GAASA,EAAMsE,gBAKhCvY,WAAYiU,GAASlZ,QAAQkZ,EAAMtT,QAAQsB,OAAS,GAKpDuW,eAAgBA,CAACvE,EAAOa,IACf2D,KAAIC,KAAOzE,EAAMtT,UAAUgY,IACzB,CACL,CAACA,EAAEvgB,OAAQugB,EAAEC,iBAQnBC,sBAAuBA,CAAC5E,EAAOa,IAC7BgE,MAAKC,EAAAA,GAAAA,GAAcC,KAAKC,UAAUnE,EAAQ0D,kBAK5CU,kBAAmBA,CAACjF,EAAOa,IAAYA,EAAQqE,kBAAoB,EAKnEA,kBAAmBA,CAAClF,EAAOa,IAClBsE,KACLnF,EAAMtT,SACN,CAAC0Y,EAAQV,KACP,MAAMW,EAAiBxE,EAAQyE,kBAAkBZ,EAAEvgB,OAC7CohB,EAA2BR,KAAKC,UACpCK,EAAeV,cAGjB,OADgCI,KAAKC,UAAUN,EAAEC,eACfY,EAC9BH,EACAA,EAAS,CAAC,GAEhB,GAOJI,UAAWxF,GAASyF,GACXvL,KAAK8F,EAAMtT,SAAS+X,GAClBA,EAAOtgB,OAASshB,IAI3BH,kBAAmBtF,GAASyF,GACnBvL,KAAK8F,EAAMsE,iBAAiBG,GAC1BA,EAAOtgB,OAASshB,IAO3BC,oBAAqBA,CAAC1F,EAAOa,IAAY4E,IACvC,MAAMhB,EAAS5D,EAAQ2E,UAAUC,GACjC,OAAOhB,EAASA,EAAOpH,QAAU,EAAE,EAMrCsI,kBAAmBA,CAAC3F,EAAOa,IAAY,CAAC4E,EAAWG,KACjD,MAAMnB,EAAS5D,EAAQ2E,UAAUC,GAEjC,OAAOvL,KAAKuK,EAAOE,cAAc,CAAC1O,EAAOzH,IAAQA,GAAOoX,GAAU,GAItEtb,QAAS,CAIP,kBAAMub,EAAa,OAAEhE,EAAM,MAAE7B,GAAS3C,GACpC,IAAI,aAAE5U,EAAY,KAAEqd,GAAO,GAAUzI,GACjC,YAAErT,EAAW,cAAEC,EAAa,gBAAEC,EAAe,iBAAEH,GACjDsT,EACEnU,EAAS,CACXA,OAAQ,CACNc,cACAC,gBACAC,kBACAH,qBAIJ,MAAM,KAAEvG,GAASsiB,QACPpiB,KAAKsF,UAAUC,IACnB,aAAeR,EAAe,SAAWqd,EAAO,WAChD5c,SAEIxF,KAAKsF,UAAUC,IACnB,aAAeR,EAAe,WAC9BS,GAGN2Y,EAAO,eAAgBre,EACzB,EAKA,sBAAMuiB,EAAiB,OAAElE,EAAM,QAAEhB,IAC/BhJ,KAAKgJ,EAAQyD,iBAAiBG,IAC5B5C,EAAO,oBAAqB,CAC1BmE,YAAavB,EAAOtgB,MACpB8R,MAAOwO,EAAOE,cACd,GAEN,EAKA,kDAAMsB,EACJ,OAAEpE,EAAM,QAAEhB,GACVzU,GAEA,GAAIA,EAAgB,CAClB,MAAM8Z,EAAiBnB,KAAKoB,MAAMC,KAAKha,IACvCyL,KAAKqO,GAAgBzB,IACnB,GACEA,EAAO4B,eAAe,UACtB5B,EAAO4B,eAAe,SAEtBxE,EAAO,oBAAqB,CAC1BmE,YAAavB,EAAOtgB,MACpB8R,MAAOwO,EAAOxO,aAGhB,IAAK,IAAIzH,KAAOiW,EACd5C,EAAO,oBAAqB,CAC1BmE,YAAaxX,EACbyH,MAAOwO,EAAOjW,IAGpB,GAEJ,CACF,GAGFyS,UAAW,CACTqF,iBAAAA,CAAkBtG,GAAO,YAAEgG,EAAW,MAAE/P,IACtC,MAAMwO,EAASvK,KAAK8F,EAAMtT,SAASgY,GAAKA,EAAEvgB,OAAS6hB,IAE/CvB,UACFA,EAAOE,aAAe1O,EAE1B,EAKAsQ,YAAAA,CAAavG,EAAOxc,GAClBwc,EAAMtT,QAAUlJ,EAChBwc,EAAMsE,gBAAkBkC,KAAUhjB,EACpC,EAKAijB,YAAAA,CAAazG,GACXA,EAAMtT,QAAU,GAChBsT,EAAMsE,gBAAkB,EAC1B,I,iIC1MG9O,GAAG,Q,IAID7Q,KAAK,W,IAENR,MAAM,2F,IAMHA,MAAM,2C,gnCCwHjB,MAAMuiB,GAAQC,EAAAA,GAAAA,MAERC,GAAetU,EAAAA,EAAAA,KAAI,OAEnB,SAAEuU,EAAQ,WAAEC,IAAeC,EAAAA,GAAAA,GAAaH,EAAc,CAC1DI,cAAc,EACdC,mBAAmB,EACnBC,mBAAmB,IAGfzF,EAAiBA,IAAMiF,EAAM7E,OAAO,kBAEpCsF,GAAsBlb,EAAAA,EAAAA,WAAS,IAAMvI,KAAKoX,OAAO,yBAEjDsM,GAA4Bnb,EAAAA,EAAAA,WAAS,IACzCvI,KAAKoX,OAAO,+BAGRwF,GAAgBrU,EAAAA,EAAAA,WAAS,IAAMya,EAAM7F,QAAQP,gBAC7C+G,GAAUpb,EAAAA,EAAAA,WAAS,IAAMvI,KAAKoX,OAAO,a,OAE3CwM,EAAAA,EAAAA,QACE,IAAMhH,EAAcrK,QACpBsR,IACE,IAAiB,IAAbA,EAGF,OAFA3kB,SAAS4kB,KAAKC,UAAUC,IAAI,0BAC5BhkB,KAAKikB,iBAIP/kB,SAAS4kB,KAAKC,UAAUG,OAAO,qBAC/BlkB,KAAKmkB,kBACLf,GAAY,KAIhBgB,EAAAA,EAAAA,kBAAgB,KACdllB,SAAS4kB,KAAKC,UAAUG,OAAO,mBAC/BlkB,KAAKmkB,kBACLf,GAAY,I,0wGCpKd,UACE7a,SAAU,CACR8b,OAAMA,IACGjP,OAAOpV,KAAKoX,OAAO,YFmBhC,IACErV,WAAY,CACVuiB,YG5B6B,OAAgB,GAAQ,CAAC,CAAC,SAAS,oBH6BhEC,QI5B6B,OAAgB,GAAQ,CAAC,CAAC,S,+CFJzDxjB,EAAAA,EAAAA,oBAGE,OAFAN,MAAM,sDACN8J,UAAQC,EAAA6Z,Q,aEEgE,CAAC,SAAS,iBJ+BpFzU,OAAAA,GACE5P,KAAKiE,IAAI,QAASP,KAAK8gB,aACvBxkB,KAAKiE,IAAI,gBAAiBP,KAAK+gB,mBACjC,EAEArgB,aAAAA,GACEpE,KAAKsE,KAAK,QAASZ,KAAK8gB,aACxBxkB,KAAKsE,KAAK,gBAAiBZ,KAAK+gB,mBAClC,EAEAlgB,QAAS,CACPigB,WAAAA,CAAYtkB,GACVF,KAAKP,MAAMS,EACb,EAEAukB,kBAAAA,GAEEzkB,KAAK0kB,SAAS3K,KAAKrW,KAAK5B,GAAG,oCAAqC,CAC9D6iB,OAAQ,CACNla,QAASA,IAAMzK,KAAKM,kBACpBskB,KAAMlhB,KAAK5B,GAAG,WAEhB+iB,SAAU,KACVjkB,KAAM,UAGRkkB,YAAW,KACT9kB,KAAKM,iBAAiB,GACrB,IACL,GAGFiI,SAAU,CACRwc,mBAAkBA,IACT/kB,KAAKoX,OAAO,wBK/DzB,IAFiC,OAAgB,GAAQ,CAAC,CAAC,S,uPLJzDrW,EAAAA,EAAAA,oBAsBM,MAtBNC,GAsBM,EArBJI,EAAAA,EAAAA,aAAc4jB,IAGdxkB,EAAAA,EAAAA,oBAiBM,MAjBN6B,GAiBM,EAhBJ7B,EAAAA,EAAAA,oBAKM,MALNW,GAKM,EADJC,EAAAA,EAAAA,aAAgD6jB,EAAA,CAAtCxkB,MAAM,QAAQ,cAAY,eAGtCD,EAAAA,EAAAA,oBAQM,MARNc,GAQM,CAPekJ,EAAAua,qBAAkB,kBAArC9iB,EAAAA,EAAAA,aAAyCijB,EAAA,CAAApa,IAAA,sCAEzC1J,EAAAA,EAAAA,aAEiB+jB,EAAA,M,uBADf,IAAQ,EAAR5jB,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,OAGVL,EAAAA,EAAAA,aAAUgkB,Q,GKf0D,CAAC,SAAS,mB,0MCwCtF,MAAM,WAAEC,IAAeC,EAAQ,OAE/BC,KAAAA,WAAsB,YAAY,SAAUnO,EAAQoO,GAClD,OAAOD,KAAAA,YACLA,KAAAA,QAAmBnO,EAAQoO,EAAaC,UAAY,aACpDF,KAAAA,QAAmBnO,EAAQ,QAE/B,IAEA,MAAMsO,GAAU,IAAIC,MAEpBvQ,OAAOwQ,cAAgBxO,GAAU,IAAIpX,GAAKoX,GAC1ChC,OAAOyQ,IAAMP,EAAQ,OAErB,MAAM,UAAEQ,GAAS,EAAEC,IAAM3Q,OAAOyQ,IAEhC,MAAM7lB,GACJgmB,WAAAA,CAAY5O,GACV1T,KAAKuiB,iBAAmB,GACxBviB,KAAKsb,UAAY5H,EACjB1T,KAAKwiB,cAAe,EAEpBxiB,KAAKyiB,MAAQ,CACX,cAAeb,EAAAA,MAAAA,EACf,cAAeA,EAAAA,OAAAA,EACf,iBAAkBA,EAAAA,MAAAA,EAClB,cAAeA,EAAAA,OAAAA,EACf,aAAcA,EAAAA,OAAAA,EACd,gBAAiBA,EAAAA,OAAAA,EACjB,gBAAiBA,EAAAA,OAAAA,EACjB,sBAAuBA,EAAAA,OAAAA,EACvB,aAAcA,EAAAA,OAAAA,EACd,YAAaA,EAAAA,OAAAA,EACb,aAAcA,EAAAA,OAAAA,EACd,iBAAkBA,EAAAA,OAAAA,EAClB,qBAAsBA,EAAAA,OAAAA,EACtB,cAAeA,EAAAA,OAAAA,EACf,sBAAuBA,EAAAA,OAAAA,GAGzB5hB,KAAKghB,SAAW,IAAI0B,GAAAA,EAAQ,CAC1BC,MAAO,OACPC,SAAUlP,EAAOmP,WAAa,cAAgB,eAC9C1B,SAAU,MAEZnhB,KAAK8Q,UAAYgS,IACjB9iB,KAAK+iB,QAAU9I,EAAAA,SAEM,IAAjBvG,EAAOsP,QACThjB,KAAKijB,SAAW,CACdC,SAAUA,IACRC,GAAAA,GAASC,gBAAkBF,CAAQ,GAI3C,CAMAG,OAAAA,CAAQC,GACNtjB,KAAKuiB,iBAAiBgB,KAAKD,EAC7B,CAKAE,IAAAA,GACExjB,KAAKsf,OC7GAmE,EAAAA,GAAAA,IAAW3iB,GAAAA,GAAC,CAAC,EACf4iB,IAAI,IACPC,QAAS,CACPD,KAAM,CACJzG,YAAY,EACZ0G,QAAS,CACPrH,cAAaA,SDyGnBtc,KAAKuiB,iBAAiBnK,SAAQkL,GAAYA,EAAStjB,KAAKiY,IAAKjY,KAAKsf,SAClEtf,KAAKuiB,iBAAmB,EAC1B,CAEAqB,MAAAA,CAAON,GACLA,EAAStjB,KAAKiY,IAAKjY,KAAKsf,MAC1B,CAEA,eAAMuE,GACJ7jB,KAAK4M,IAAI,gCAET,MAAMqT,EAAUjgB,KAAK0T,OAAO,iBAEtBoQ,EAAAA,EAAAA,IAAiB,CACrBplB,MAAOA,GAAWA,EAAmB,GAAEA,OAAWuhB,IAAxBA,EAC1B5D,QAASxd,IACP,MAAMqF,EAAQzH,IAAMuD,KAAKyiB,MAAM5jB,IAE3B+iB,EAAAA,OAAAA,EADA5hB,KAAKyiB,MAAM5jB,GAKf,OAFAqF,EAAK6f,OAAS7f,EAAK6f,QAAUC,GAEtB9f,CAAI,EAEb+f,MAAOA,EAAGC,KAAIC,MAAKlnB,QAAOmnB,aACxBpkB,KAAKqkB,QAAUH,EACflkB,KAAKiY,IAAMmK,GAAU,CAAEkC,OAAQA,IAAMjC,GAAE8B,EAAKlnB,KAE5C+C,KAAKiY,IAAInc,IAAIsoB,GACbpkB,KAAKiY,IAAInc,IAAIyoB,GAAAA,GAAa,CACxBC,iBAAiB,EACjBC,MAAM,EACNC,OAAQ,CACNpoB,KAAM,CACJqoB,QAAS,UACTC,SAAU,CAAC,SACXC,UAAU,EACVC,UAAW,SACXC,MAAM,KAGV,GAGR,CAMAC,OAAAA,GVhJK,IAAwB/M,EUiJ3BjY,KAAK4M,IAAI,qBAET5M,KAAKwjB,OAEDxjB,KAAK0T,OAAO,+BACd1T,KAAKilB,4BAA8BC,aAAY,KACzC1pB,SAAS2pB,YACXnlB,KAAKzD,MAAM,wBACb,GACCyD,KAAK0T,OAAO,iCAGjB1T,KAAKolB,uBAELplB,KAAKiY,IAAIoN,MAAMC,EAAAA,GEjLZ,WACLC,EAAAA,EAAgBC,KAAK,CACnBC,MAAO,IACPC,YAAY,EACZC,aAAa,IAGf,MAAMC,EAAsB,SAAUC,IACJ,IAA5B7lB,KAAKma,oBACPna,KAAK4lB,oBAAoBC,EAE7B,EAEA5L,EAAAA,QAAQE,oBAAqB,EAE7BF,EAAAA,QAAQ6L,oBAAsB,WAC5BpU,OAAOqU,iBAAiB,WAAYH,EAAoBI,KAAK/L,EAAAA,UAC7Dze,SAASuqB,iBACP,SACA/Q,IAASiF,EAAAA,QAAQgM,kBAAkBD,KAAK/L,EAAAA,SAAU,MAClD,EAEJ,CACF,CF4JIiM,GAEA1qB,SAASuqB,iBAAiB,kBAAkB,KACzC,WACC/lB,KAAK4M,IAAI,+CACH5M,KAAKsf,MAAM5E,SAAS,yBAC3B,EAHA,EAGG,IAGNlf,SAASuqB,iBAAiB,oBAAoB,KAC3C,WACC/lB,KAAK4M,IAAI,+CACH5M,KAAKsf,MAAM5E,SAAS,yBAC3B,EAHA,EAGG,IAGN1a,KAAKiY,IAAIoN,MAAM,CACbxkB,QAAS,CACP5C,KAAMA,CAACkoB,EAAMC,IAAepmB,KAAK8a,IAAIqL,EAAMC,MAI/CpmB,KAAKiN,UAAU,OAAQoZ,EAAAA,IACvBrmB,KAAKiN,UAAU,cAAeoZ,EAAAA,IAC9BrmB,KAAKiN,UAAU,OAAQqZ,EAAAA,IGpMpB,SAAuBrO,GAE5BA,EAAIhL,UAAU,iBAAkBsZ,GAChCtO,EAAIhL,UAAU,iBAAkBuZ,GAChCvO,EAAIhL,UAAU,iBAAkBwZ,GAChCxO,EAAIhL,UAAU,gBAAiByZ,IAC/BzO,EAAIhL,UAAU,iBAAkB0Z,IAChC1O,EAAIhL,UAAU,iBAAkB2Z,IAChC3O,EAAIhL,UAAU,yBAA0B4Z,IAGxC,MAAM3O,EAAmB0J,EAAAA,OAMzB1J,EAAiBC,OAAOC,SAAQC,IAC9B,MAAMC,EAAkBJ,EAAiBG,GAEnCE,EAAgBC,IACpBC,IACEJ,EACGK,MAAM,KACNC,MACAxa,QAAQ,SAAU,MAIzB8Z,EAAIhL,UAAUsL,EAAeD,EAAgBlb,SAAWkb,EAAgB,GAE5E,CHuKIwO,CAAc9mB,MV1LhBgY,GAD6BC,EU4LZjY,KVzLf,QACA4hB,EAAAA,QAEF5J,GACEC,EACA,SACA2J,EAAAA,QAEF5J,GACEC,EACA,OACA2J,EAAAA,OAEF5J,GACEC,EACA,SACA2J,EAAAA,QU2KA5hB,KAAKiY,IAAI8O,MAAM/mB,KAAKqkB,SAEpB,IAAI2C,EAA+BC,KAAAA,UAAoBC,aAEvDD,KAAAA,UAAoBC,aAAe,CAAClmB,EAAGmmB,EAASC,KACzCpnB,KAAKwiB,cAIHwE,EAA6BK,KAAKrnB,KAAMgB,EAAGmmB,EAASC,GAG7DH,KAAAA,OAEAjnB,KAAKsnB,aAELtnB,KAAK4M,IAAI,oBACX,CAEA8G,MAAAA,CAAOtM,GACL,OAAOpH,KAAKsb,UAAUlU,EACxB,CAOAmgB,IAAAA,CAAKnrB,GACH,OAAO,IAAIorB,GAAAA,GAAKprB,EAAM,CACpBqrB,KAAMznB,KAAK4B,WAEf,CAMAA,OAAAA,CAAQqU,GACN,IAAI9a,EAAQF,IAEZ,YAAgBysB,IAAZzR,EACK9a,EAAM8a,GAGR9a,CACT,CAKA2f,GAAAA,CAAIqL,EAAMC,GAKR,MAJa,MAATD,IACFA,EAAOnmB,KAAK0T,OAAO,gBItQV,SAAa6H,EAAM4K,EAAMC,GACtC,IAEIuB,EAFe,IAAIhM,gBAAgBiM,IAAOxB,GAAc,CAAC,EAAGyB,MAEjCvb,WAM/B,MAJY,KAARiP,GAAe4K,EAAK2B,WAAW,OACjCvM,EAAO,IAGFA,EAAO4K,GAAQwB,EAAY/gB,OAAS,EAAK,IAAG+gB,IAAgB,GACrE,CJ+PW7M,CAAI9a,KAAK0T,OAAO,QAASyS,EAAMC,EACxC,CAKA7lB,GAAAA,IAAO0G,GACL+a,GAAQ+F,MAAM9gB,EAChB,CAKA+gB,KAAAA,IAAS/gB,GACP+a,GAAQiG,QAAQhhB,EAClB,CAKArG,IAAAA,IAAQqG,GACN+a,GAAQkG,OAAOjhB,EACjB,CAKA1K,KAAAA,IAAS0K,GACP+a,GAAQmG,QAAQlhB,EAClB,CAKAgF,eAAAA,CAAgB0H,GACd,YAC+D+T,IAA7D5U,KAAK9S,KAAK0T,OAAO,cAAcX,GAAKA,EAAEY,SAAWA,GAErD,CAKAzT,WAAAA,CAAYiY,EAAMmL,GAChB2D,KAAAA,KAAe9O,EAAMmL,EACvB,CAKA3iB,eAAAA,CAAgBwX,GACd8O,KAAAA,OAAiB9O,EACnB,CAKAoI,cAAAA,GACEvgB,KAAKwiB,cAAe,CACtB,CAKA/B,eAAAA,GACEzgB,KAAKwiB,cAAe,CACtB,CAKA4C,oBAAAA,GACEplB,KAAKiY,IAAInc,IAAIkE,KAAKsf,OAElBtf,KAAK0T,OAAO,aAAa0E,SAAQzU,IAC/B3D,KAAKsf,MAAM8I,eAAezkB,EAASgQ,OAAQ0U,GAAc,GAE7D,CAKAC,OAAAA,CAAQzpB,EAAMoO,GACZjN,KAAKyiB,MAAM5jB,GAAQoO,CACrB,CAKAA,SAAAA,CAAUpO,EAAMoO,GACVxQ,IAAMuD,KAAKiY,IAAIsQ,SAASlqB,WAAWQ,KACrCmB,KAAKiY,IAAIhL,UAAUpO,EAAMoO,EAE7B,CAOAub,IAAAA,CAAKhsB,GACHwD,KAAKghB,SAAS3K,KAAK7Z,EAAS,CAAEU,KAAM,QACtC,CAOAnB,KAAAA,CAAMS,GACJwD,KAAKghB,SAAS3K,KAAK7Z,EAAS,CAAEU,KAAM,SACtC,CAOAuU,OAAAA,CAAQjV,GACNwD,KAAKghB,SAAS3K,KAAK7Z,EAAS,CAAEU,KAAM,WACtC,CAOAurB,OAAAA,CAAQjsB,GACNwD,KAAKghB,SAAS3K,KAAK7Z,EAAS,CAAEU,KAAM,WACtC,CAKAwrB,YAAAA,CAAaC,EAAQC,GK/YhB,IAAqBC,ELmZxB,MAAMC,IKnZkBD,ELiZtBrtB,SAASE,cAAc,uBAAuBC,WK/YhDktB,EAASA,EAAO1qB,QAAQ,IAAK,KAE7BsR,OAAOsZ,OAAOC,KAAiB5Q,SAAQ6Q,IACrC,IAAIpqB,EAAOoqB,EAASC,YAEhBL,IAAWhqB,GAAQgqB,IAAWhqB,EAAKsqB,OAAO,EAAG,IAC/CC,IAAAA,iBAAwBH,EAC1B,IAGFG,IAAAA,YAAmBP,IAGrBO,IAAAA,YAAmB,CACjBC,mBAAmB,IAGdD,KLgYcT,GAEnB,YAAejB,IAAXkB,EACKE,EAAIF,OAAOA,GAGbE,EAAIF,QACb,CAQAhc,GAAAA,CAAIpQ,EAASU,EAAO,OAClByP,QAAQzP,GAAO,SAASV,EAC1B,CAKAI,eAAAA,GACE,MAAMke,GACH9a,KAAK0T,OAAO,uBAAyB1T,KAAK0T,OAAO,mBAC9C1T,KAAK0T,OAAO,mBACZ1T,KAAK8a,IAAI,UAEf9a,KAAKnD,MAAM,CACTysB,QAAQ,EACRxO,OAEJ,CAKAje,KAAAA,CAAMspB,EAAMlQ,GACVA,EAAUA,GAAW,CAAC,EACtB,MAAMsT,EAAetT,GAASsT,cAAgB,KAE9C,GAAIC,KAASrD,GACXlM,EAAAA,QAAQpd,MAAMmD,KAAK8a,IAAIqL,GAAOsD,KAAKxT,EAAS,CAAC,uBAI/C,GAAIuT,KAASrD,EAAKrL,MAAQqL,EAAKlH,eAAe,UAAW,CACvD,IAAoB,IAAhBkH,EAAKmD,OAOP,aANqB,IAAjBC,EACF7X,OAAOgY,KAAKvD,EAAKrL,IAAK,UAEtBpJ,OAAOhV,SAAWypB,EAAKrL,KAM3Bb,EAAAA,QAAQpd,MAAMspB,EAAKrL,IAAK2O,KAAKxT,EAAS,CAAC,iBACzC,CACF,CAEAqR,UAAAA,GACE,MAAMqC,EAAc3pB,KAAK0T,OAAO,eAEhC,GAAIjE,OAAO0I,KAAKwR,GAAa/iB,OAAS,EAAG,CACvC,MAAMgjB,EAAQpuB,SAASquB,cAAc,SAKrC,IAAIC,EAAMra,OAAO0I,KAAKwR,GAAa5L,QAAO,CAACgM,EAAOhO,KAChD,IAAIiO,EAAaL,EAAY5N,GACzBkO,EAAatI,GAAWqI,GAE5B,GAAIC,EAAY,CACd,IAAIC,EAAcvI,GAChBwI,GAAAA,GAAgBC,OAoB5B,SAAsBF,GACpB,IAAIG,EAAQC,KACVC,MAAMC,KAAKN,EAAY9lB,MAAMgZ,KAAI,CAACrB,EAAGC,IAC5B,CAACD,EAAGmO,EAAYG,MAAMrO,YAIP0L,IAAtBwC,EAAYO,QACdJ,EAAMK,EAAIR,EAAYO,OAGxB,OAAOJ,CACT,CAhCmCM,CAAaV,KAOtC,OAAOF,EAAS,wBAAuBhO,MAJrB,GAAEmO,EAAYG,MAAMO,KAAK,UACzCV,EAAYO,UAIhB,CAEA,OAAOV,EAAS,wBAAuBhO,MAAMiO,IAAa,GACzD,IAEHJ,EAAM/iB,UAAa,UAASijB,OAE5BtuB,SAASC,KAAKgX,OAAOmX,EACvB,CACF,E,oPMveF,MAAM,GAAExrB,IAAOysB,EAAAA,EAAAA,KAER,SAASC,EAAW7tB,EAAO+kB,EAAS1C,GACzC,MAAM1G,GAAQmS,EAAAA,EAAAA,UAAS,CACrBC,SAAS,EACT1W,OAAQ,IAAItI,EAAAA,GACZif,oBAAoB,EACpBC,sBAAsB,EACtBC,kBAAmB,GACnBC,SAAUnuB,EAAMmuB,UAAa,aAAYnuB,EAAMoE,sBAC/CgqB,mBAAoB,OAGhB/hB,GAAoBzE,EAAAA,EAAAA,WAAS,IAAM5H,EAAMqM,oBAEzCgiB,GAAiBzmB,EAAAA,EAAAA,WAAS,KAC9B,GAAI+T,EAAMuS,kBACR,OAAOrY,IAAKtI,EAAWqE,OAAO6b,GAAKA,EAAE/W,SAAWiF,EAAMuS,mBACxD,IAGI3gB,GAAa3F,EAAAA,EAAAA,WAAS,IAC1B5H,EAAMiG,QAAQqoB,OAAOtuB,EAAMkG,cAAcD,SAAW,MAGhD8B,GAAiBH,EAAAA,EAAAA,WACrB,IAAMya,EAAM7F,QAAS,GAAExc,EAAMoE,wCAGzBmqB,GAAkB3mB,EAAAA,EAAAA,WAAS,IAC/B5H,EAAM6F,gBACF7F,EAAM6F,gBAAkB,UACxB7F,EAAMoE,aAAe,YAGrB0D,GAAgBF,EAAAA,EAAAA,WACpB,IAAMya,EAAM7F,QAAQF,kBAAkBiS,EAAgB3c,QAAU,KAG5D5E,GAAmBpF,EAAAA,EAAAA,WAAS,IAChC5H,EAAM6F,gBACF7F,EAAM6F,gBAAkB,WACxB7F,EAAMoE,aAAe,aAGrB4D,GAAiBJ,EAAAA,EAAAA,WACrB,IAAMya,EAAM7F,QAAQF,kBAAkBtP,EAAiB4E,QAAU,KAG7DvG,GAAmBzD,EAAAA,EAAAA,WAAS,IACzBwY,IACLpgB,EAAMiG,SACN+d,GAAU3X,EAAkBuF,MAAMjI,OAAS,IAAMqa,EAAOwK,eAItDC,GAAwB7mB,EAAAA,EAAAA,WAAS,IAChC5H,EAAMkG,aAIJka,IAAOpgB,EAAMkG,aAAaD,SAAS+d,GACD,IAAnC3X,EAAkBuF,MAAMjI,QACnBqa,EAAOwK,aALT,KAYLE,GAAkB9mB,EAAAA,EAAAA,WAAS,IAAM6mB,EAAsB7c,MAAMjI,OAAS,IAEtEglB,GAA8B/mB,EAAAA,EAAAA,WAAS,IAEzC8mB,EAAgB9c,OAChBnP,QAAQoT,IAAK7V,EAAMkG,aAAaD,SAASwnB,GAAKA,IAAMY,EAAezc,WAIjEgd,GAA2BhnB,EAAAA,EAAAA,WAAS,KACjC,CACLoc,OAAQrI,EAAMuS,kBACdW,YAAaF,EAA4B/c,MACzCxJ,OAAQN,EAAc8J,MACtBvJ,QAASN,EAAe6J,MACxBjJ,QAASX,EAAe4J,MACxBjM,YAAa3F,EAAM2F,YACnBC,cAAe5F,EAAM4F,cACrBC,gBAAiB7F,EAAM6F,oBAIrBipB,GAAiBlnB,EAAAA,EAAAA,WAAS,IACvByN,IAAI,IAAIC,UAAYC,IACzB,GAAgC,QAA5BlJ,EAAkBuF,MACpB2D,EAASC,OAAO,YAAa,WACxB,CACL,IAAIuZ,EAAW3O,IACbD,IAAI9T,EAAkBuF,OAAOlL,GAC3BsoB,IAAStoB,GAAYA,EAASyK,GAAG8d,WAAa,QAIlD1Z,EAASC,OACP,YACA2K,IAAI9T,EAAkBuF,OAAOlL,GAC3BsoB,IAAStoB,GAAYA,EAASyK,GAAGS,MAAQlL,KAKf,QAA5B2F,EAAkBuF,QACoB,IAAtC+c,EAA4B/c,OAC5Bmd,EAASplB,OAAS,GAElB4L,EAASC,OAAO,SAAUuZ,EAE9B,CAEAvb,IAAK6a,EAAezc,MAAMgB,QAAQ1K,IAChCA,EAAMuL,KAAK8B,EAAS,GACpB,MAIN,SAAS2Z,IACHb,EAAezc,MAAMud,oBACvBC,IAEAC,GAEJ,CAEA,SAASA,IACP1T,EAAMqS,oBAAqB,CAC7B,CAEA,SAASsB,IACP3T,EAAMqS,oBAAqB,CAC7B,CAEA,SAASuB,IACP5T,EAAMsS,sBAAuB,CAC/B,CAMA,SAASuB,EAAqBnJ,GAC5BtB,EAAQ,kBACR1lB,KAAKC,MAAM,mBAEa,mBAAb+mB,GACTA,GAEJ,CAEA,SAASoJ,EAA0BtwB,GACjC,GAAIA,EAAKuwB,OACP,OAAOrwB,KAAKP,MAAMK,EAAKuwB,QAGzBrwB,KAAKmV,QAAQrV,EAAKI,SAAW4B,EAAG,yCAClC,CAEA,SAASiuB,EAAclqB,GACrByW,EAAMoS,SAAU,EAChB1uB,KAAKwU,UAAUC,QAEf,IAAI6b,EAAetB,EAAezc,MAAM+d,cAAgB,OAExDtwB,KAAKsF,QAAQ,CACXirB,OAAQ,OACR/R,IAAKlC,EAAMwS,SACXtpB,OAAQ+pB,EAAyBhd,MACjCzS,KAAM2vB,EAAeld,MACrB+d,iBAECzqB,MAAK2qB,UACJP,IACAQ,EAAqBlxB,EAASO,KAAMP,EAASP,QAAS6G,EAAK,IAE5DO,OAAM3G,IACDA,EAAMF,UAAsC,MAA1BE,EAAMF,SAASM,SACd,SAAjBywB,EACF7wB,EAAMF,SAASO,KAAK8kB,OAAO/e,MAAK/F,IAC9Bwc,EAAMtE,OAAS,IAAItI,EAAAA,GAAO2R,KAAKoB,MAAM3iB,GAAMkY,OAAO,IAGpDsE,EAAMtE,OAAS,IAAItI,EAAAA,GAAOjQ,EAAMF,SAASO,KAAKkY,QAGhDhY,KAAKP,MAAMqC,EAAG,8CAChB,IAED4uB,SAAQ,KACPpU,EAAMoS,SAAU,EAChB1uB,KAAKwU,UAAUK,MAAM,GAE3B,CAEA,SAAS4b,EAAqB3wB,EAAMd,EAAS6G,GAC3C,IAAI8qB,EAAqB3xB,EAAQ,uBAEjC,KACEc,aAAgB8wB,MAChBzwB,IAAMwwB,IACQ,qBAAd7wB,EAAKc,MASP,OAAId,aAAgB8wB,KACXT,GAAqBK,UAC1B,IAAIzU,EAAW,UAEf,GAAI4U,EAAoB,CACtB,IAAIE,EAAgBF,EACjBvU,MAAM,KAAK,GACX0U,MAAM,iBACoB,IAAzBD,EAAcvmB,SAAcyR,EAAWgV,IAAKF,EAAc,GAAI,KACpE,OAEMG,EAAAA,EAAAA,WAAS,KACb,IAAIxS,EAAMpJ,OAAO6b,IAAIC,gBAAgB,IAAIN,KAAK,CAAC9wB,KAC3CqxB,EAAOjyB,SAASquB,cAAc,KAElC4D,EAAK9wB,KAAOme,EACZ2S,EAAKC,aAAa,WAAYrV,GAC9B7c,SAAS4kB,KAAKuN,YAAYF,GAC1BA,EAAKG,QACLH,EAAKjN,SAEL9O,OAAO6b,IAAIM,gBAAgB/S,EAAI,GAC/B,IAIF1e,EAAK0xB,OACPlV,EAAMyS,mBAAqBjvB,EAE3BswB,EAA0BtwB,GAEnBowB,KAGLpwB,EAAK2xB,SACAtB,GAAqBK,UAC1BJ,EAA0BtwB,SAEpBkxB,EAAAA,EAAAA,WAAS,KACb,IAAIG,EAAOjyB,SAASquB,cAAc,KAClC4D,EAAK9wB,KAAOP,EAAK2xB,SACjBN,EAAKM,SAAW3xB,EAAKyC,KACrBrD,SAAS4kB,KAAKuN,YAAYF,GAC1BA,EAAKG,QACLpyB,SAAS4kB,KAAK4N,YAAYP,EAAK,GAC/B,IAIFrxB,EAAK6xB,QACAxB,GAAqB,IAAMC,EAA0BtwB,MAG1DA,EAAKC,WACPqV,OAAOhV,SAAWN,EAAKC,UAGrBD,EAAKS,OACP6vB,EAA0BtwB,GAEnBE,KAAKO,MAAM,CAChBie,IAAKxe,KAAKwe,IAAI1e,EAAKS,MAAMspB,KAAM/pB,EAAKS,MAAMoZ,SAC1CqT,QAAQ,KAIRltB,EAAKmtB,aACAkD,GAAqB,IAC1B/a,OAAOgY,KAAKttB,EAAKmtB,aAAc,iBAInCkD,GAAqB,IAAMC,EAA0BtwB,MA/EnDA,EAAK8kB,OAAO/e,MAAK+rB,IACfnB,EAAqBpP,KAAKoB,MAAMmP,GAAiB5yB,EAAQ,GA+E/D,CAWA,MAAO,CACLgZ,QAAQzP,EAAAA,EAAAA,WAAS,IAAM+T,EAAMtE,SAC7B0W,SAASnmB,EAAAA,EAAAA,WAAS,IAAM+T,EAAMoS,UAC9BC,oBAAoBpmB,EAAAA,EAAAA,WAAS,IAAM+T,EAAMqS,qBACzCC,sBAAsBrmB,EAAAA,EAAAA,WAAS,IAAM+T,EAAMsS,uBAC3CC,mBAAmBtmB,EAAAA,EAAAA,WAAS,IAAM+T,EAAMuS,oBACxCgB,0BACAgC,qBAXF,SAA8B/mB,GAC5BwR,EAAMuS,kBAAoB/jB,CAC5B,EAUEklB,wBACAC,yBACAC,oBACA4B,mBAvKF,WACExV,EAAMsS,sBAAuB,CAC/B,EAsKEmD,kBArBF,SAA2B1a,GACzBiF,EAAMuS,kBAAoBxX,EAC1BwY,GACF,EAmBEb,iBACA9gB,aACAlC,mBACAojB,wBACAW,gBACAhB,oBAAoBxmB,EAAAA,EAAAA,WAAS,IAAM+T,EAAMyS,qBAE7C,C,8DC3UO,SAASiD,EAAenG,GAC7B,MAAMoG,GAAcrjB,EAAAA,EAAAA,MAAI,GAClBsjB,GAAQtjB,EAAAA,EAAAA,KAAI,IAWlB,MAAO,CACLqjB,cACAE,kBAXwBA,IAAOF,EAAY1f,OAAQ,EAYnD6f,kBAVwBA,IAAOH,EAAY1f,OAAQ,EAWnD8f,aATmB3tB,IACnBwtB,EAAM3f,MAAQ7N,EAAE4tB,aAAaJ,MAC7BrG,EAAK,cAAennB,EAAE4tB,aAAaJ,MAAM,EAS7C,C,+DCnBO,SAAS3D,IACd,MAAO,CACLzsB,GAAIA,CAACgJ,EAAKjJ,KAAYC,EAAAA,EAAAA,GAAGgJ,EAAKjJ,GAElC,C,uECJe,MAAM0wB,EACnBvM,WAAAA,CAAYtM,EAAWxD,GACrBxS,KAAKgW,UAAYA,EACjBhW,KAAKwS,SAAWA,EAChBxS,KAAK8uB,cAAgB,IAAIvc,QAC3B,CAEAE,MAAAA,CAAO5T,KAASoI,GACdjH,KAAK8uB,cAAcrc,OAAO5T,KAASoI,GACnCjH,KAAKwS,SAASC,OAAOzS,KAAKnB,KAAKA,MAAUoI,EAC3C,CAEAoQ,OAAOxY,GACLmB,KAAK8uB,cAAczX,OAAOxY,GAC1BmB,KAAKwS,SAAS6E,OAAOrX,KAAKnB,KAAKA,GACjC,CAEAgd,OAAAA,GACE,OAAO7b,KAAK8uB,cAAcjT,SAC5B,CAEAha,GAAAA,CAAIhD,GACF,OAAOmB,KAAK8uB,cAAcjtB,IAAIhD,EAChC,CAEAkwB,MAAAA,CAAOlwB,GACL,OAAOmB,KAAK8uB,cAAcC,OAAOlwB,EACnC,CAEAkX,GAAAA,CAAIlX,GACF,OAAOmB,KAAK8uB,cAAc/Y,IAAIlX,EAChC,CAEAsZ,IAAAA,GACE,OAAOnY,KAAK8uB,cAAc3W,MAC5B,CAEA+D,GAAAA,CAAIrd,KAASoI,GACXjH,KAAK8uB,cAAc5S,IAAIrd,KAASoI,GAChCjH,KAAKwS,SAAS0J,IAAIlc,KAAKnB,KAAKA,MAAUoI,EACxC,CAEA8hB,MAAAA,GACE,OAAO/oB,KAAK8uB,cAAc/F,QAC5B,CAEAlqB,IAAAA,CAAKmX,GACH,IAAKnX,KAASmwB,GAAUhZ,EAAU0C,MAAM,KAExC,OAAKjc,IAAMuyB,IAAWA,EAAOpoB,OAAS,EAC5B,GAAE5G,KAAKgW,aAAanX,MAASmwB,EAAOpE,KAAK,OAG3C,GAAE5qB,KAAKgW,aAAaA,IAC9B,CAEAiZ,IAAAA,CAAKjZ,GACH,MAAQ,GAAEhW,KAAKgW,aAAaA,GAC9B,E,+DC1DF,SACEnV,QAAS,CAIPzC,GAAEA,CAACgJ,EAAKjJ,KACCC,EAAAA,EAAAA,GAAGgJ,EAAKjJ,I,gXCNrB,MAAM+wB,EAAY,CAChBF,OAAQ,CACN9xB,KAAMwC,QACNtC,SAAS,GAGX+xB,sBAAuB,CACrBjyB,KAAMwC,QACNtC,SAAS,GAGXgyB,aAAc,CACZlyB,KAAMwC,QACNtC,SAAS,GAGXiyB,yBAA0B,CACxBnyB,KAAMwC,QACNtC,SAAS,GAGXiP,WAAY,CAAEnP,KAAM,CAACoyB,OAAQnyB,SAE7BkE,aAAc,CAAEnE,KAAMC,QAEtB4Z,kBAAmB,CAAE7Z,KAAM,CAACoyB,OAAQnyB,SAEpCoS,oBAAqB,CAAErS,KAAMC,QAE7BgI,MAAO,CACLjI,KAAMuS,OACNH,UAAU,GAGZ1M,YAAa,CACX1F,KAAMC,OACNmS,UAAU,GAGZzM,cAAe,CACb3F,KAAM,CAACC,OAAQmyB,QACfhgB,UAAU,GAGZxM,gBAAiB,CACf5F,KAAMC,OACNmS,UAAU,GAGZ3M,iBAAkB,CAChBzF,KAAMC,OACNC,QAAS,IAGXqC,mBAAoB,CAClBvC,KAAMwC,QACNtC,SAAS,GAGXmyB,kBAAmB,CACjBryB,KAAMwC,QACNtC,SAAS,GAGXoyB,YAAa,CACXtyB,KAAMC,OACNC,QAAS,OACTqyB,UAAWC,GAAO,CAAC,OAAQ,SAAU,SAAU,UAAUC,SAASD,IAGpEtrB,KAAM,CACJlH,KAAMC,OACNC,QAAS,OACTqyB,UAAW1T,GACT,CAAC,OAAQ,QAAS,eAAgB,qBAAqB4T,SAAS5T,KAI/D,SAASlQ,EAAS+jB,GACvB,OAAOC,IAAKX,EAAWU,EACzB,CClFA,SACEE,MAAO,CAAC,kBAER7yB,MAAO,CAAC,eAAgB,aAAc,WAAY,SAElD4D,QAAS,CAIPgM,cAAAA,GACE7M,KAAKzD,MAAM,iBACb,ICXE8oB,EAAQ,CACZxkB,QAAS,CACPkvB,oBAAAA,CAAqBlhB,GACnB,GAAImhB,UAAUC,UACZD,UAAUC,UAAUC,UAAUrhB,QACzB,GAAI6C,OAAOye,cAChBze,OAAOye,cAAcC,QAAQ,OAAQvhB,OAChC,CACL,IAAIwhB,EAAQ70B,SAASquB,cAAc,UAC9ByG,EAAWC,GAAc,CAC5B/0B,SAASg1B,gBAAgBF,UACzB90B,SAASg1B,gBAAgBD,YAE3B/0B,SAAS4kB,KAAKuN,YAAY0C,GAC1BA,EAAMxhB,MAAQA,EACdwhB,EAAMI,QACNJ,EAAMK,SACNl1B,SAASg1B,gBAAgBF,UAAYA,EACrC90B,SAASg1B,gBAAgBD,WAAaA,EACtC/0B,SAASm1B,YAAY,QACrBN,EAAM7P,QACR,CACF,IAUJ,U,ghCC5BA,SACEzgB,OAAAA,GACEC,KAAK4wB,+BAAiC3W,EAAAA,QAAQ8N,GAAG,UAAUlC,IACzD7lB,KAAK4wB,iCACL5wB,KAAK6wB,sCAAsChL,EAAM,IAGnDnU,OAAOqU,iBACL,eACA/lB,KAAK6wB,uCAGP7wB,KAAK8wB,0BAA4B,KAC/Bpf,OAAOqf,oBACL,eACA/wB,KAAK6wB,uCAGP7wB,KAAK8wB,0BAA4B,MAAQ,CAE7C,EAEA5kB,OAAAA,GACEwF,OAAOsf,WAAanL,IAClB7lB,KAAKixB,uCAAuCpL,EAAM,CAEtD,EAEAnlB,aAAAA,GACEV,KAAK8wB,2BACP,EAEAI,SAAAA,GACElxB,KAAK4wB,iCACL5wB,KAAKoa,gBACP,EAEAhe,KAAIA,KACK,CACLw0B,+BAAgC,KAChCE,0BAA2B,KAC3BK,0BAA0B,IAI9BtwB,QAAOC,EAAAA,EAAA,IACFswB,EAAAA,EAAAA,IAAa,CACd,mBACA,qBACA,mBACA,oBACA,IAKFle,gBAAAA,IAC4B,IAAtBlT,KAAKmZ,cACPnZ,KAAKga,mBAGPha,KAAK4R,oBACP,EAEAyf,8BAAAA,GACErxB,KAAKmxB,0BAA2B,CAClC,EAEApf,+BAAAA,GACE/R,KAAKmxB,0BAA2B,CAClC,EAEAG,4BAAAA,CAA6BC,EAASC,GACpC,GAAIxxB,KAAKmZ,aAEP,YADAoY,IAIa7f,OAAO+f,QACpBzxB,KAAK5B,GAAG,2DAIRmzB,IAIFC,GACF,EAEAX,qCAAAA,CAAsChL,GACpC7lB,KAAKsxB,8BACH,KACEtxB,KAAK0xB,6BACL1xB,KAAKuQ,kBAAkB,IAEzB,KACE0J,EAAAA,QAAQE,oBAAqB,EAC7B0L,EAAM8L,iBACN9L,EAAM+L,YAAc,GAEpB5xB,KAAK4wB,+BAAiC3W,EAAAA,QAAQ8N,GAAG,UAAUlC,IACzD7lB,KAAK4wB,iCACL5wB,KAAK6wB,sCAAsChL,EAAM,GACjD,GAGR,EAEAoL,sCAAAA,CAAuCpL,GACrCA,EAAMgM,2BACNhM,EAAMiM,kBAEN9xB,KAAKsxB,8BACH,KACEtxB,KAAKiS,iCACLjS,KAAKuQ,kBAAkB,IAEzB,KACEvQ,KAAKga,kBAAkB,GAG7B,EAEA/H,8BAAAA,GACEP,OAAOsf,WAAa,KACpB/W,EAAAA,QAAQE,oBAAqB,EAE7Bna,KAAK8wB,6BAEA9wB,KAAK4Z,4BAA8B5Z,KAAKmxB,0BAC3Czf,OAAO0K,QAAQ2V,MAEnB,EAEAL,0BAAAA,GACEhgB,OAAOsf,WAAa,KACpB/W,EAAAA,QAAQE,oBAAqB,EAE7Bna,KAAK8wB,2BACP,EAEA5e,qBAAAA,CAAsB4I,GAChB9a,KAAKmxB,0BAA4Bzf,OAAO0K,QAAQxV,OAAS,EAC3D8K,OAAO0K,QAAQ2V,QACL/xB,KAAKmxB,2BAA4BlV,EAAAA,EAAAA,GAAOnB,GAClDxe,KAAKO,MAAMie,EAAK,CAAE3c,SAAS,IAE3B7B,KAAKO,MAAM,IAEf,IAGFgI,SAAQ/D,EAAA,IACHoM,EAAAA,EAAAA,IAAW,CAAC,eAAgB,iC,4+BC5JnC,SACEjQ,MAAO,CACLoZ,KAAM,CAAEnZ,KAAMwC,QAAStC,SAAS,IAGlCyD,QAAOC,EAAAA,EAAA,IACFswB,EAAAA,EAAAA,IAAa,CAAC,oBAAqB,yBAAuB,IAK7DY,iBAAAA,GACEhyB,KAAK+Z,qBACP,EAEAkY,6BAAAA,CAA8BV,EAASC,GACrC,IAAIxxB,KAAKoZ,cAKT,OACE1H,OAAO+f,QACLzxB,KAAK5B,GAAG,4DAGV4B,KAAK8Z,yBACLyX,UAIFC,IAdED,GAeJ,IAGF1sB,SAAQ/D,EAAA,IACHoM,EAAAA,EAAAA,IAAW,CAAC,oB,whCCnCnB,SACErM,QAAS,CAIPqxB,eAAAA,GACElyB,KAAKmyB,iBAAkB,CACzB,EAKApnB,eAAAA,CAAgB3I,EAAWkhB,EAAW,MACpC,OAAItjB,KAAKmK,cACAnK,KAAKoyB,gBAAgBhwB,GAGvB9F,KAAKsF,QAAQ,CAClBkZ,IAAK,aAAe9a,KAAKqB,aACzBwrB,OAAQ,SACR/qB,OAAMhB,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAWkwB,EAAalwB,OAG9BD,KACCmhB,GAEI,MACEtjB,KAAKQ,cAAc,IAG1B2B,MAAK,KACJ7F,KAAKC,MAAM,oBAAoB,IAEhCywB,SAAQ,KACPhtB,KAAKmyB,iBAAkB,CAAK,GAElC,EAKAxpB,uBAAAA,GACE3I,KAAK+K,gBAAgB/K,KAAKsJ,kBAC5B,EAKAZ,0BAAAA,GACE,OAAI1I,KAAKmK,cACAnK,KAAKuyB,6BAGPj2B,KAAKsF,QAAQ,CAClBkZ,IAAK9a,KAAKwyB,mCACV3F,OAAQ,SACR/qB,OAAMhB,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAW,UAGjBD,MAAK,KACJnC,KAAKQ,cAAc,IAEpB2B,MAAK,KACJ7F,KAAKC,MAAM,oBAAoB,IAEhCywB,SAAQ,KACPhtB,KAAKmyB,iBAAkB,CAAK,GAElC,EAKAC,eAAAA,CAAgBhwB,GACd,OAAO9F,KAAKsF,QAAQ,CAClBkZ,IAAK,aAAe9a,KAAKqB,aAAe,UACxCwrB,OAAQ,SACR/qB,OAAMhB,EAAAA,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAWkwB,EAAalwB,KAC1B,CAAEmB,OAAQkvB,EAAUrwB,OAGxBD,MAAK,KACJnC,KAAKQ,cAAc,IAEpB2B,MAAK,KACJ7F,KAAKC,MAAM,qBAAqB,IAEjCywB,SAAQ,KACPhtB,KAAKmyB,iBAAkB,CAAK,GAElC,EAKAI,0BAAAA,GACE,OAAOj2B,KAAKsF,QAAQ,CAClBkZ,IAAK,aAAe9a,KAAKqB,aAAe,UACxCwrB,OAAQ,SACR/qB,OAAMhB,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAW,UAGjBD,MAAK,KACJnC,KAAKQ,cAAc,IAEpB2B,MAAK,KACJ7F,KAAKC,MAAM,qBAAqB,IAEjCywB,SAAQ,KACPhtB,KAAKmyB,iBAAkB,CAAK,GAElC,EAKAO,oBAAAA,CAAqBtwB,EAAWkhB,EAAW,MACzC,OAAOhnB,KAAKsF,QAAQ,CAClBkZ,IAAK,aAAe9a,KAAKqB,aAAe,SACxCwrB,OAAQ,SACR/qB,OAAMhB,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAWkwB,EAAalwB,OAG9BD,KACCmhB,GAEI,MACEtjB,KAAKQ,cAAc,IAG1B2B,MAAK,KACJ7F,KAAKC,MAAM,oBAAoB,IAEhCywB,SAAQ,KACPhtB,KAAKmyB,iBAAkB,CAAK,GAElC,EAKArpB,4BAAAA,GACE9I,KAAK0yB,qBAAqB1yB,KAAKsJ,kBACjC,EAKAT,+BAAAA,GACE,OAAOvM,KAAKsF,QAAQ,CAClBkZ,IAAK9a,KAAK2yB,qCACV9F,OAAQ,SACR/qB,OAAMhB,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAW,UAGjBD,MAAK,KACJnC,KAAKQ,cAAc,IAEpB2B,MAAK,KACJ7F,KAAKC,MAAM,oBAAoB,IAEhCywB,SAAQ,KACPhtB,KAAKmyB,iBAAkB,CAAK,GAElC,EAKAlnB,gBAAAA,CAAiB7I,EAAWkhB,EAAW,MACrC,OAAOhnB,KAAKsF,QAAQ,CAClBkZ,IAAK,aAAe9a,KAAKqB,aAAe,WACxCwrB,OAAQ,MACR/qB,OAAMhB,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAWkwB,EAAalwB,OAG9BD,KACCmhB,GAEI,MACEtjB,KAAKQ,cAAc,IAG1B2B,MAAK,KACJ7F,KAAKC,MAAM,qBAAqB,IAEjCywB,SAAQ,KACPhtB,KAAK4yB,kBAAmB,CAAK,GAEnC,EAKAzpB,wBAAAA,GACEnJ,KAAKiL,iBAAiBjL,KAAKsJ,kBAC7B,EAKAJ,2BAAAA,GACE,OAAO5M,KAAKsF,QAAQ,CAClBkZ,IAAK9a,KAAK6yB,oCACVhG,OAAQ,MACR/qB,OAAMhB,EAAAA,EAAA,GACDd,KAAKqyB,sBACL,CAAEjwB,UAAW,UAGjBD,MAAK,KACJnC,KAAKQ,cAAc,IAEpB2B,MAAK,KACJ7F,KAAKC,MAAM,qBAAqB,IAEjCywB,SAAQ,KACPhtB,KAAK4yB,kBAAmB,CAAK,GAEnC,GAGF/tB,SAAU,CAIR2tB,kCAAAA,GACE,OAAIxyB,KAAK0e,KACA,aAAe1e,KAAKqB,aAAe,SAAWrB,KAAK0e,KAGrD,aAAe1e,KAAKqB,YAC7B,EAKAsxB,oCAAAA,GACE,OAAI3yB,KAAK0e,KAEL,aAAe1e,KAAKqB,aAAe,SAAWrB,KAAK0e,KAAO,SAIvD,aAAe1e,KAAKqB,aAAe,QAC5C,EAKAwxB,mCAAAA,GACE,OAAI7yB,KAAK0e,KAEL,aAAe1e,KAAKqB,aAAe,SAAWrB,KAAK0e,KAAO,WAIvD,aAAe1e,KAAKqB,aAAe,UAC5C,EAKAgxB,oBAAAA,GACE,MAAO,CACLhtB,OAAQrF,KAAK+E,cACbO,QAAStF,KAAKgF,eACdY,QAAS5F,KAAKiF,eACdrC,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBAE1B,IAIJ,SAASwvB,EAAalwB,GACpB,OAAOgb,IAAIhb,GAAWuB,GAAYA,EAASyK,GAAGS,OAChD,CAEA,SAAS4jB,EAAUrwB,GACjB,OAAOib,IAAOD,IAAIhb,GAAWuB,GAAYA,EAASyK,GAAG8d,aACvD,C,2JCzSA,SACEjvB,MAAO,CACLgX,aAAc,CACZ/W,KAAMC,SAIV0D,QAAS,CACPiyB,cAAAA,CAAe9c,EAAWnH,GACxBvS,KAAKC,MAAO,GAAEyZ,UAAmBnH,IAEJ,IAAzB7O,KAAK+yB,iBACPz2B,KAAKC,MAAO,GAAEyD,KAAKiU,gBAAgB+B,UAAmBnH,EAE1D,EAEA+D,oBAAAA,CAAqBoD,EAAWnH,GAC9BvS,KAAKC,MAAO,GAAEyZ,WAAoBnH,IAEL,IAAzB7O,KAAK+yB,iBACPz2B,KAAKC,MAAO,GAAEyD,KAAKiU,gBAAgB+B,WAAoBnH,EAE3D,EAKAmkB,+BAAAA,CAAgChd,GAC9B,OAAgC,IAAzBhW,KAAK+yB,gBACP,GAAE/yB,KAAKiU,gBAAgB+B,UACvB,GAAEA,SACT,EAKAid,gCAAAA,CAAiCjd,GAC/B,OAAgC,IAAzBhW,KAAK+yB,gBACP,GAAE/yB,KAAKiU,gBAAgB+B,WACvB,GAAEA,UACT,GAGFnR,SAAU,CAIRgO,cAAAA,GACE,OAAO7S,KAAKmF,MAAM6Q,SACpB,EAKA+c,eAAAA,GACE,OAAQt2B,IAAMuD,KAAKiU,eAAuC,KAAtBjU,KAAKiU,YAC3C,EAKAif,4BAAAA,GACE,OAAOlzB,KAAKgzB,gCAAgChzB,KAAK6S,eACnD,EAKAsgB,6BAAAA,GACE,OAAOnzB,KAAKizB,iCAAiCjzB,KAAK6S,eACpD,I,2oBCpEJ,SACEugB,QAASnkB,EAEThS,M,+VAAK6D,CAAA,GACA+K,EAAS,CACV,SACA,2BACA,QACA,cACA,gBACA,kBACA,eACA,aACA,eACA,UAIJikB,MAAO,CAAC,iBAER1zB,IAAAA,GACE,MAAO,CACLyS,MAAO7O,KAAKqzB,oBAEhB,EAEAtzB,OAAAA,GACEC,KAAKszB,iBACP,EAEApnB,OAAAA,GAEElM,KAAKmF,MAAMuL,KAAO1Q,KAAK0Q,KAGvBpU,KAAKiE,IAAIP,KAAKkzB,6BAA8BlzB,KAAKuzB,qBACnD,EAEA7yB,aAAAA,GACEpE,KAAKsE,KAAKZ,KAAKkzB,6BAA8BlzB,KAAKuzB,qBACpD,EAEA1yB,QAAS,CAIPyyB,eAAAA,GACEtzB,KAAK6O,WACkB6Y,IAArB1nB,KAAKmF,MAAM0J,OAA4C,OAArB7O,KAAKmF,MAAM0J,MAE3C7O,KAAKmF,MAAM0J,MACX7O,KAAKqzB,mBACX,EAKAA,kBAAiBA,IACR,GAOT3iB,IAAAA,CAAK8B,GACHxS,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB1V,OAAO6C,KAAK6O,OAChE,EAKA2kB,aAAAA,CAAchhB,EAAUwD,EAAWnH,GAC7B7O,KAAKyzB,WACPjhB,EAASC,OAAOuD,EAAWnH,EAE/B,EAKA6kB,YAAAA,CAAa7N,GACX7lB,KAAK6O,MAAQgX,EAAM3kB,OAAO2N,MAEtB7O,KAAKmF,QACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,OACpD7O,KAAKzD,MAAM,iBAEf,EAKAo3B,YAAAA,GACE,EAGFJ,oBAAAA,CAAqB1kB,GACnB7O,KAAK6O,MAAQA,CACf,GAGFhK,SAAU,CAIR+uB,YAAAA,GACE,OAAO5zB,KAAKmF,KACd,EAKA0uB,gBAAAA,GACE,OAAO7zB,KAAK4zB,aAAaE,WAAa9zB,KAAKmF,MAAM2uB,SACnD,EAKAC,WAAAA,GACE,OAAO/zB,KAAK4zB,aAAaG,aAAe/zB,KAAKmF,MAAMtG,IACrD,EAKA40B,SAAAA,GACE,OAAOzzB,KAAKmF,MAAM6uB,OACpB,EAKAC,UAAAA,GACE,OAAOv0B,QACLM,KAAKmF,MAAM+uB,UAAYryB,IAAI7B,KAAKmF,MAAO,4BAE3C,EAKAgvB,eAAAA,GACE,MAAO,CAAC,oBAAqB,gBAAgBxE,SAAS3vB,KAAKoE,KAC7D,I,0/BCxIJ,UACEgvB,QAASgB,EAETtE,MAAO,CAAC,cAAe,gBAEvB7yB,MAAK6D,EAAAA,EAAA,GACA+K,EAAS,CACV,2BACA,QACA,cACA,gBACA,kBACA,eACA,aACA,sBACA,uBACA,IAEFwoB,aAAc,CAAEn3B,KAAMC,OAAQmS,UAAU,KAG1ClT,KAAMA,KAAA,CACJk4B,wBAAyB,KACzBpyB,UAAW,KACXqyB,cAAe,CAAC,EAChBC,cAAe,CAAC,EAChBC,YAAa,KACbC,OAAO,EACPhoB,SAAU,WAGZ3M,OAAAA,GACEC,KAAKs0B,wBAA0Btf,KAASsO,GAAYA,KAAY,GAClE,EAEApX,OAAAA,GACmC,KAA7BlM,KAAKuP,qBAA+B9S,IAAMuD,KAAKuP,qBASzB,KAApBvP,KAAKqM,YAAsB5P,IAAMuD,KAAKqM,cACxCrM,KAAK0M,SAAW,WATlB1M,KAAK00B,OAAQ,EAEkB,KAA3B10B,KAAK+W,mBAA6Bta,IAAMuD,KAAK+W,mBAG/C/W,KAAK0M,SAAW,SAFhB1M,KAAK0M,SAAW,mBAUfioB,IAAQ30B,KAAK40B,YAChBC,IAAM70B,KAAK40B,WAAW,CAACE,EAAcF,KACnC50B,KAAKw0B,cAAcI,GAAa/lB,IAC9B7O,KAAKu0B,cAAcK,GAAa/lB,EAEhC7O,KAAKs0B,yBAAwB,KAC3Bt0B,KAAKu0B,cAAcK,GAAa/lB,EAEhC7O,KAAK+0B,WAAW,GAChB,EAGJ/0B,KAAKu0B,cAAcK,GAAaE,EAEhCx4B,KAAKiE,IACHP,KAAKizB,iCAAiC2B,GACtC50B,KAAKw0B,cAAcI,GACpB,GAGP,EAEAl0B,aAAAA,GACyB,OAAnBV,KAAKkC,WAAoBlC,KAAKkC,YAE7ByyB,IAAQ30B,KAAKw0B,gBAChBK,IAAM70B,KAAKw0B,eAAe,CAAC3O,EAAO+O,KAChCt4B,KAAKsE,KAAKZ,KAAKizB,iCAAiC2B,GAAY/O,EAAM,GAGxE,EAEAhlB,QAAS,CAIPyyB,eAAAA,GACEtzB,KAAK6O,WACyB6Y,IAA5B1nB,KAAK4zB,aAAa/kB,OACU,OAA5B7O,KAAK4zB,aAAa/kB,MAEhB7O,KAAK4zB,aAAa/kB,MAClB7O,KAAK6O,KACX,EAKA2kB,aAAAA,CAAchhB,EAAUwD,EAAWnH,GAC7B7O,KAAKg1B,oBACPxiB,EAASC,OAAOuD,EAAWnH,EAE/B,EAEAkmB,SAAAA,GACyB,OAAnB/0B,KAAKkC,WAAoBlC,KAAKkC,YAElC5F,KAAKsF,UACFqzB,MACCj1B,KAAKq0B,cAAgBr0B,KAAKk1B,kBAC1Bl1B,KAAKm1B,qBACL,CACErzB,OAAQ8lB,IACN,CACEnb,SAAS,EACTC,SAAU1M,KAAK0M,SACf9J,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBqC,MAAOnF,KAAK6S,eACZ5F,UAAWjN,KAAKmF,MAAMiwB,uBAExBvN,KAEF7lB,YAAa,IAAIC,EAAAA,IAAYC,IAC3BlC,KAAKkC,UAAYA,CAAS,MAI/BC,MAAKtG,IACJ,IAAIw5B,EAAgBr1B,KAAK4zB,aAAa/kB,MAClCymB,EAAat1B,KAAKg1B,mBAEtBh1B,KAAKy0B,YAAc54B,EAASO,KAExB4D,KAAKy0B,YAAYT,UAAYsB,GAC/Bt1B,KAAKzD,OAC0B,IAA7ByD,KAAKy0B,YAAYT,QACb,cACA,eACJh0B,KAAK6S,gBAILpW,IAAMuD,KAAKy0B,YAAY5lB,OACzB7O,KAAKy0B,YAAY5lB,MAAQwmB,EAEzBr1B,KAAKszB,kBAGP,IAAIiC,GAAoBv1B,KAAKw1B,gCAE7Bx1B,KAAKy1B,gBAGHz1B,KAAKy0B,YAAYiB,iCACjBH,GAEAv1B,KAAK21B,8BACP,IAEDjzB,OAAM1B,IACL,KAAIhF,EAAAA,EAAAA,IAASgF,GAIb,MAAMA,CAAC,GAEb,EAEAy0B,aAAAA,GACE,EAGFE,4BAAAA,GACE31B,KAAK4S,qBAAqB5S,KAAKmF,MAAM6Q,UAAWhW,KAAK4zB,aAAa/kB,MACpE,EAEA2mB,6BAAAA,GACE,MAAM3mB,EAAQ7O,KAAK4zB,aAAa/kB,MAEhC,OAAIoN,EAAAA,EAAAA,GAAOpN,KACDoN,EAAAA,EAAAA,GAAOjc,KAAK6O,QAGdpS,IAAMoS,IAAUA,GAAOvC,aAAetM,KAAK6O,OAAOvC,UAC5D,GAGFzH,SAAU,CAIR+uB,YAAAA,GACE,OAAO5zB,KAAKy0B,aAAez0B,KAAKmF,KAClC,EAKA6vB,kBAAAA,GACE,OAAOh1B,KAAK4zB,aAAaI,OAC3B,EAKA4B,mBAAAA,GACE,OAAyB,OAArB51B,KAAKy0B,YACA/0B,QACLM,KAAKy0B,YAAYP,UACfryB,IAAI7B,KAAKy0B,YAAa,6BAIrB/0B,QACLM,KAAKmF,MAAM+uB,UAAYryB,IAAI7B,KAAKmF,MAAO,4BAE3C,EAEAyvB,SAAAA,GACE,OAAO50B,KAAKmF,MAAMyvB,WAAa,EACjC,EAEAiB,kBAAAA,GACE,MAAO,CACL,CAAC71B,KAAK6S,gBAAiB7S,KAAK6O,MAEhC,EAEAsmB,oBAAAA,GACE,OAAAr0B,EAAAA,EAAA,GACKd,KAAK61B,oBACL71B,KAAKu0B,cAEZ,EAEAuB,2BAAAA,GACE,OAAOrY,MAAKC,EAAAA,EAAAA,GAAcC,KAAKC,UAAU5d,KAAKm1B,uBAChD,EAEAD,iBAAAA,GACE,MAAsB,oBAAlBl1B,KAAK0M,SACC,aAAY1M,KAAKqB,gBAAgBrB,KAAKqM,kCAAkCrM,KAAKuP,uBAAuBvP,KAAK+W,oBACtF,WAAlB/W,KAAK0M,SACN,aAAY1M,KAAKqB,gBAAgBrB,KAAKqM,oCAAoCrM,KAAKuP,sBAC5D,WAAlBvP,KAAK0M,SACN,aAAY1M,KAAKqB,gBAAgBrB,KAAKqM,2BAGxC,aAAYrM,KAAKqB,8BAC3B,I,gBCtQJ,UACEpE,MAAO,CACLgX,aAAc,CACZ/W,KAAMC,SAIVf,KAAMA,KAAA,CACJmY,iBAAkB,IAAIvI,GAAAA,KAGxBnL,QAAS,CAIPk1B,mBAAAA,CAAoBh6B,QACK2rB,IAAnB3rB,EAAMF,UAAmD,KAAzBE,EAAMF,SAASM,OACjDG,KAAKP,MAAMiE,KAAK5B,GAAG,6CACe,KAAzBrC,EAAMF,SAASM,QACxB6D,KAAKuU,iBAAmB,IAAIvI,GAAAA,GAAOjQ,EAAMF,SAASO,KAAKkY,QACvDhY,KAAKP,MAAMiE,KAAK5B,GAAG,8CAEnB9B,KAAKP,MACHiE,KAAK5B,GAAG,4CACN,KACArC,EAAMF,SAASm6B,WACf,IAGR,EAKAnkB,2BAAAA,CAA4B9V,GAC1BiE,KAAK+1B,oBAAoBh6B,EAC3B,EAKAyb,2BAAAA,CAA4Bzb,GACtBA,EAAMF,UAAqC,KAAzBE,EAAMF,SAASM,OACnCG,KAAKP,MACHiE,KAAK5B,GACH,8GAIJ4B,KAAK+1B,oBAAoBh6B,EAE7B,EAKAuU,WAAAA,GACEtQ,KAAKuU,iBAAmB,IAAIvI,GAAAA,EAC9B,IC5DJ,IACE5P,KAAMA,KAAA,CAASoX,WAAW,EAAOyiB,iBAAkB,IAEnDp1B,QAAS,CAIPq1B,wBAAAA,GACEl2B,KAAKi2B,mBAEDj2B,KAAKi2B,iBAAmB,IAC1Bj2B,KAAKi2B,iBAAmB,EACxBj2B,KAAKwT,WAAY,EAErB,EAKA2iB,uBAAAA,GACEn2B,KAAKwT,WAAY,EACjBxT,KAAKi2B,kBACP,I,gBCpBJ,UACEpxB,SAAU,CAIRuxB,aAAYA,IACH95B,KAAKoX,OAAO,iBAAmBpX,KAAKoX,OAAO,YAMpD2iB,kBAAAA,GACE,IAAIxN,GAAS,IAAIyN,KAAKC,gBAAiBC,kBAAkB3N,OAEzD,OAA6B,MAAtB4N,EAAAA,GAAAA,IAAU5N,EACnB,IChBJ,IACE,aAAM9oB,GACJC,KAAKyb,iBACP,EAEA5a,SAASE,EAAAA,EAAAA,IAAW,CAAC,kBAAmB,sBACxC8D,UAAUqI,EAAAA,EAAAA,IAAW,CAAC,uB,2BCNxB,UACErI,SAAU,CAIR5E,mBAAAA,GACE,OAAO6S,KAAKxW,KAAKoX,OAAO,cAAc/P,GAC7BA,EAASgQ,SAAW3T,KAAKqB,cAEpC,EAKAq1B,sBAAAA,GACE,GAAK12B,KAAK4C,YAIV,OAAOkQ,KAAKxW,KAAKoX,OAAO,cAAc/P,GAC7BA,EAASgQ,SAAW3T,KAAK4C,aAEpC,EAKA3B,kBAAAA,GACE,QACE,CAAC,gBAAiB,kBAAkB01B,QAAQ32B,KAAK2C,mBAAqB,KAKjE3C,KAAKC,qBAAqBgB,qBAAsB,EACzD,I,SCrCJ,UACE7E,KAAMA,KAAA,CAASoI,WAAW,IAE1BzE,OAAAA,GACE,MAAM8O,EAAQyL,aAAasc,QAAQ52B,KAAK62B,iBAE1B,cAAVhoB,IACF7O,KAAKwE,UAAYmZ,KAAKoB,MAAMlQ,IAAU7O,KAAKkF,mBAE/C,EAEAgsB,SAAAA,GACE5W,aAAaC,QAAQva,KAAK62B,gBAAiB72B,KAAKwE,UAClD,EAEA3D,QAAS,CACP0D,cAAAA,GACEvE,KAAKwE,WAAaxE,KAAKwE,UACvB8V,aAAaC,QAAQva,KAAK62B,gBAAiB72B,KAAKwE,UAClD,GAGFK,SAAU,CACRiyB,YAAAA,GACE,OAA0B,IAAnB92B,KAAKwE,UAAsB,OAAS,OAC7C,EAEAlD,iBAAAA,GACE,OAAOtB,KAAKwE,SACd,EAEAqyB,eAAAA,GACE,MAAQ,mBAAkB72B,KAAK+2B,KAAK3vB,eACtC,EAEAlC,mBAAkBA,KACT,ICpCb,IACEnF,OAAAA,GACEzD,KAAKiE,IAAI,iBAAkBP,KAAKg3B,OAEhC16B,KAAKiE,IAAI,oBAAqBP,KAAKg3B,OACnC16B,KAAKiE,IAAI,qBAAsBP,KAAKg3B,OACpC16B,KAAKiE,IAAI,qBAAsBP,KAAKg3B,OAEhCh3B,KAAKi3B,KAAKC,uBACZ56B,KAAKiE,IAAI,kBAAmBP,KAAKg3B,MAErC,EAEAt2B,aAAAA,GACEpE,KAAKsE,KAAK,iBAAkBZ,KAAKg3B,OACjC16B,KAAKsE,KAAK,oBAAqBZ,KAAKg3B,OACpC16B,KAAKsE,KAAK,qBAAsBZ,KAAKg3B,OACrC16B,KAAKsE,KAAK,qBAAsBZ,KAAKg3B,OACrC16B,KAAKsE,KAAK,kBAAmBZ,KAAKg3B,MACpC,GCfF,IACElH,MAAO,CAAC,sBAAuB,wBAE/B7yB,MAAO4O,EAAS,CAAC,iBAEjB,aAAM9L,GACJ,GAAIC,KAAKmF,MAAMgyB,UAAW,CACxB,MACE/6B,MAAM,QAAEg7B,UACA96B,KAAKsF,UAAUC,IACtB,aAAY7B,KAAKqB,iCAAiCrB,KAAK6S,0BAG1D7S,KAAKo3B,QAAUA,CACjB,CACF,EAEAh7B,KAAMA,KAAA,CAASg7B,QAAS,OAExBv2B,QAAS,CAIPw2B,gBAAAA,CAAiBC,GAAM,iBAAEC,EAAgB,YAAEC,EAAW,UAAEC,IACtD,MAAMr7B,EAAO,IAAImW,SAajB,GAZAnW,EAAKqW,OAAO,eAAgB6kB,EAAKp6B,MACjCd,EAAKqW,OAAO,aAAc6kB,GAC1Bl7B,EAAKqW,OAAO,UAAWzS,KAAKo3B,SAExB36B,IAAM86B,KACRA,EAAmBA,QAGjB96B,IAAMg7B,KACRA,EAAYA,QAGVh7B,IAAM+6B,GACR,KAAM,gCAGRx3B,KAAKzD,MAAM,uBAEXD,KAAKsF,UACFuQ,KACE,aAAYnS,KAAKqB,iCAAiCrB,KAAK6S,iBACxDzW,EACA,CAAEm7B,qBAEHp1B,MAAK,EAAG/F,MAAQ0e,WACf,MAAMjf,EAAW27B,EAAY1c,GAI7B,OAFA9a,KAAKzD,MAAM,wBAEJV,CAAQ,IAEhB6G,OAAM3G,IAGL,GAFA07B,EAAU17B,GAEmB,KAAzBA,EAAMF,SAASM,OAAe,CAChC,MAAMoY,EAAmB,IAAIvI,GAAAA,GAAOjQ,EAAMF,SAASO,KAAKkY,QAExDhY,KAAKP,MACHiE,KAAK5B,GAAG,qDAAsD,CAC5DrC,MAAOwY,EAAiBtD,MAAM,gBAGpC,MACE3U,KAAKP,MAAMiE,KAAK5B,GAAG,+CACrB,GAEN,EAKAs5B,gBAAAA,CAAiBC,GACfr7B,KAAKsF,UACFyV,OACE,aAAYrX,KAAKqB,iCAAiCrB,KAAK6S,iBACxD,CAAE/Q,OAAQ,CAAE61B,mBAEbx1B,MAAKtG,QACL6G,OAAM3G,OACX,EAKA67B,gBAAAA,GACM53B,KAAKmF,MAAMgyB,WACb76B,KAAKsF,UACFyV,OACE,aAAYrX,KAAKqB,iCAAiCrB,KAAK6S,kBAAkB7S,KAAKo3B,WAEhFj1B,MAAKtG,QACL6G,OAAM3G,OAEb,EAKA87B,qBAAAA,CAAsBrlB,GACpB,IAAIwD,EAAYhW,KAAK6S,gBAEhBhU,KAASmwB,GAAUhZ,EAAU0C,MAAM,KAExC,IAAKjc,IAAMuyB,IAAWA,EAAOpoB,OAAS,EAAG,CACvC,IAAIkxB,EAAO9I,EAAOrW,MAGhB3C,EADEgZ,EAAOpoB,OAAS,EACL,GAAE/H,KAAQmwB,EAAOpE,KAAK,QAAQkN,EAAKC,MAAM,GAAI,aAE7C,GAAEl5B,KAAQi5B,EAAKC,MAAM,GAAI,YAE1C,MACE/hB,EAAa,GAAEA,WAGjBhW,KAAKwzB,cAAchhB,EAAUwD,EAAWhW,KAAKo3B,QAC/C,IC3HJ,IACEn6B,MAAO,CACLqX,OAAQ,CAAElX,QAASA,IAAM,IAAI4O,GAAAA,KAG/BgsB,OAAQ,CAAEC,MAAO,CAAE76B,QAAS,MAAQ86B,UAAW,CAAE96B,QAAS,OAE1DhB,KAAMA,KAAA,CACJ+7B,WAAY,gCAGdtzB,SAAU,CACRuzB,YAAAA,GACE,OAAOp4B,KAAKq4B,SAAW,CAACr4B,KAAKm4B,YAAc,EAC7C,EAEAtlB,cAAAA,GACE,OAAO7S,KAAKmF,MAAM6Q,SACpB,EAEAsiB,aAAAA,GACE,OAAOt4B,KAAKu4B,qBAAuBv4B,KAAKmF,MAAMmzB,aAChD,EAEAD,QAAAA,GACE,OAAOr4B,KAAKsU,OAAOyB,IAAI/V,KAAKs4B,cAC9B,EAEAE,UAAAA,GACE,GAAIx4B,KAAKq4B,SACP,OAAOr4B,KAAKsU,OAAOrD,MAAMjR,KAAKs4B,cAElC,EAEAG,eAAAA,GACE,GAAIz4B,KAAKk4B,UACP,MAAQ,GAAEl4B,KAAKk4B,aAAal4B,KAAKi4B,UAAUj4B,KAAKmF,MAAM6Q,YAE1D,EAEAuiB,mBAAAA,GACE,GAAIv4B,KAAKk4B,UACP,MAAQ,GAAEl4B,KAAKk4B,aAAal4B,KAAKi4B,gBAAgBj4B,KAAKmF,MAAM6Q,WAEhE,IC5CJ,IACE/Y,MAAO4O,EAAS,CAAC,eAAgB,oBAEjChH,SAAU,CACRgyB,eAAAA,GACE,IAAIh4B,EAAOmB,KAAKqB,aAMhB,OAJIrB,KAAK8C,kBACPjE,EAAQ,GAAEA,KAAQmB,KAAK8C,mBAGjB,kBAAiBjE,aAC3B,ICdJ,IACEzC,KAAMA,KAAA,CACJ8U,aAAa,IAGfrQ,QAAS,CAIPmS,iBAAAA,GACEhT,KAAKkR,aAAelR,KAAKkR,WAC3B,EAKAwnB,iBAAAA,GACE14B,KAAKkR,aAAc,CACrB,EAKAhB,kBAAAA,GACElQ,KAAKkR,aAAc,CACrB,ICvBJ,IACE9U,KAAMA,KAAA,CACJiJ,OAAQ,GACRyK,iBAAkB,KAClBC,mBAAoB,KACpBsB,mBAAoB,KAGtBxQ,QAAS,CAIPkU,cAAAA,CAAepR,GACb3D,KAAK8P,iBAAmBnM,EACxB3D,KAAK+P,mBAAqBpM,EAASkL,MAE/B7O,KAAKmF,QACoC,mBAAhCnF,KAA2B,qBACpCA,KAAK4S,qBACH5S,KAAK6S,eACL7S,KAAK+P,oBAGPzT,KAAKC,MAAMyD,KAAK6S,eAAiB,UAAW7S,KAAK+P,oBAGvD,EAKA4oB,mBAAAA,GACE34B,KAAKqR,mBAAqB,EAC5B,EAKAlB,cAAAA,GACEnQ,KAAK8P,iBAAmB,KACxB9P,KAAK+P,mBAAqB,KAC1B/P,KAAKqR,mBAAqB,GAEtBrR,KAAKmF,QACoC,mBAAhCnF,KAA2B,qBACpCA,KAAK4S,qBAAqB5S,KAAK6S,eAAgB,MAE/CvW,KAAKC,MAAMyD,KAAK6S,eAAiB,UAAW,MAGlD,EAKA+B,aAAAA,CAAcvP,GACZrF,KAAKqF,OAASA,EAEd,MAAMuzB,EAAgBvzB,EAAOgoB,OAIR,IAAjBuL,GAIJ54B,KAAK64B,iBAAgB,KACnB74B,KAAK6Q,sBAAsB+nB,EAAc,GACxC,IACL,EAKAC,gBAAiB7jB,KAASsO,GAAYA,KAAY,OC1EtD,IACErmB,MAAO,CACL67B,UAAW,CACT57B,KAAMwC,QACNtC,SAAS,IAIbhB,KAAMA,KAAA,CAASoK,MAAO,KAKtBzG,OAAAA,GACEC,KAAK+4B,YACP,EAEA7Y,MAAO,CACL9a,aAAAA,GACEpF,KAAK+4B,YACP,GAGFl4B,QAAS,CACP,gBAAMk4B,GAGJ,GAAI/4B,KAAK84B,UAAW,CAClB,MAAQ18B,KAAMoK,SAAgBlK,KAAKsF,UAAUC,IAAI7B,KAAKoF,cAAe,CACnEtD,OAAQ9B,KAAK+N,kBAEf/N,KAAKwG,MAAQA,CACf,CACF,GAGF3B,SAAU,CAIRyB,eAAAA,GACE,OAAOtG,KAAKwG,MAAMI,OAAS,CAC7B,EAKAqH,kBAAAA,GACE,OAAOoP,IAAOrd,KAAKwG,OAAOwyB,GAAuB,GAAlBA,EAAEC,eAAsBryB,OAAS,CAClE,EAKAmH,gBAAeA,IACN,O,wqBCtDb,UACElJ,SAAU,CACRq0B,aAAAA,GACE,MAAQ,GAAEl5B,KAAK6S,qBACjB,EAEAsmB,WAAAA,GACE,IAAIh0B,EAAS1I,IAAMuD,KAAKy0B,aAAkCz0B,KAAKmF,MAAxBnF,KAAKy0B,YAE5C,OAAIh4B,IAAM0I,EAAMg0B,aACP,GAGFh0B,EAAMg0B,WACf,EAEAC,qBAAAA,GACE,O,kWAAAt4B,CAAA,GACKu4B,KACD,CACEC,KAAMt5B,KAAKm5B,YAAYvyB,OAAS,EAAI5G,KAAKk5B,cAAgB,MAE3Dz8B,KAGN,IC1BJ,IACEQ,MAAO,CAAC,SAER4H,SAAU,CACRgO,cAAAA,GACE,OAAO7S,KAAKmF,MAAM6Q,SACpB,EAEAujB,aAAAA,GACE,OAAOtd,EAAAA,EAAAA,GAAOjc,KAAKmF,MAAM0J,MAC3B,EAEA2qB,qBAAAA,GACE,OAAOx5B,KAAKmF,MAAMq0B,wBAAyBvd,EAAAA,EAAAA,GAAOjc,KAAKmF,MAAMs0B,YAC/D,EAEAC,UAAAA,GACE,OAAK15B,KAAKw5B,uBAA0Bx5B,KAAKu5B,cAIlCp8B,OAAO6C,KAAKmF,MAAMs0B,aAAez5B,KAAKmF,MAAM0J,OAH1C,IAIX,EAEA8qB,mBAAAA,GACE,OAAO35B,KAAKmF,MAAMy0B,MACpB,ICzBJ,IACEx9B,KAAMA,KAAA,CACJqI,iBAAiB,EACjBo1B,gBAAgB,IAGlB3Z,MAAO,CACLlb,cAAAA,CAAe6J,GACbvS,KAAKC,MAAM,iBAAkB,CAACsS,GAChC,GAGFhO,QAAS,CAIP,0BAAM0H,CAAqBmW,GACrBA,QACI1e,KAAK85B,OAAOpf,SAAU,GAAE1a,KAAKqB,gCAAiC,CAClEA,aAAcrB,KAAKqB,aACnBqd,eAGI1e,KAAK85B,OAAOpf,SAAU,GAAE1a,KAAKqB,gCAAiC,CAClEA,aAAcrB,KAAKqB,eAIvBrB,KAAK8b,kBAAkB,CACrB,CAAC9b,KAAK+5B,eAAgB,EACtB,CAAC/5B,KAAKg6B,iBAAkB,KAG1B19B,KAAKC,MAAM,eACb,EAKAqM,aAAAA,IAEI5I,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,mCAELrB,KAAK65B,kBAC5B75B,KAAK65B,gBAAiB,EACtB75B,KAAK8b,kBAAkB,CACrB,CAAC9b,KAAK+5B,eAAgB,EACtB,CAAC/5B,KAAKg6B,iBAAkBh6B,KAAKgF,iBAGnC,EAKA,uBAAMN,CAAkBga,IACO,IAAzB1e,KAAKyE,kBAKTzE,KAAK85B,OAAOrf,OAAQ,GAAEza,KAAKqB,mCAErBrB,KAAK85B,OAAOpf,SACf,GAAE1a,KAAKqB,4BACRumB,IACE,CACEvmB,aAAcrB,KAAKqB,aACnBuB,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBH,iBAAkB3C,KAAK2C,iBACvB+b,QAEFmJ,YAIE7nB,KAAKi6B,gBAAgBvb,GAE3B1e,KAAKyE,iBAAkB,EACzB,EAKA,qBAAMw1B,CAAgBvb,GACpB1e,KAAKk6B,4BACKl6B,KAAK85B,OAAOpf,SACf,GAAE1a,KAAKqB,4DACRrB,KAAKk6B,6BAEDl6B,KAAK85B,OAAOpf,SAAU,GAAE1a,KAAKqB,gCAAiC,CAClEA,aAAcrB,KAAKqB,aACnBqd,QAER,GAGF7Z,SAAU,CAIRm1B,eAAAA,GACE,OAAOh6B,KAAKqB,aAAe,SAC7B,EAEA2D,cAAAA,GACE,OAAOhF,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,qCACrC,I,2BC7GJ,UACEyuB,MAAO,CAAC,cAAe,gBAEvB1zB,KAAMA,KAAA,CACJ+9B,sBAAuB,CAAC,IAG1Bp6B,OAAAA,GACE0Q,KAAKzQ,KAAK+M,MAAM8C,QAAQ1K,IACtBnF,KAAKm6B,sBAAsBh1B,EAAM6Q,WAAa7Q,EAAM6uB,OAAO,GAE/D,EAEAnzB,QAAS,CACPu5B,gBAAAA,CAAiBj1B,GACfnF,KAAKm6B,sBAAsBh1B,IAAS,EACpCnF,KAAKzD,MAAM,cAAe4I,EAC5B,EAEAk1B,iBAAAA,CAAkBl1B,GAChBnF,KAAKm6B,sBAAsBh1B,IAAS,EACpCnF,KAAKzD,MAAM,eAAgB4I,EAC7B,GAGFN,SAAU,CACRy1B,kBAAAA,GACE,OAAO7qB,OAAOoM,QACZwB,IAAOrd,KAAKm6B,uBAAuBnG,IAAuB,IAAZA,KAC9CptB,MACJ,ICjCJ,IACE/F,QAAS,CAIP05B,kBAAAA,GACEv6B,KAAK8b,kBAAkB,CAAE,CAAC9b,KAAK+5B,eAAgB/5B,KAAKiE,YAAc,GACpE,EAKAu2B,cAAAA,GACEx6B,KAAK8b,kBAAkB,CAAE,CAAC9b,KAAK+5B,eAAgB/5B,KAAKiE,YAAc,GACpE,GAGFY,SAAU,CAIRZ,WAAAA,GACE,OAAOw2B,SAASz6B,KAAKuZ,kBAAkBvZ,KAAK+5B,gBAAkB,EAChE,ICvBJ,IACE39B,KAAMA,KAAA,CAASmG,QAAS,KAExB1B,QAAS,CAIP65B,gCAAAA,GACE16B,KAAKuC,QAAUvC,KAAK2F,cACtB,EAKAg1B,cAAAA,GACE36B,KAAK8b,kBAAkB,CAAE,CAAC9b,KAAK46B,kBAAmB56B,KAAKuC,SACzD,GAGFsC,SAAU,CAIRc,cAAAA,GACE,OAAO3F,KAAKuZ,kBAAkBvZ,KAAK46B,mBAAqB,EAC1D,ICzBJ,IACEx+B,KAAMA,KAAA,CACJy+B,gBAAiB,KACjBpyB,kBAAkB,IAMpB/H,aAAAA,GACEV,KAAK8J,aACP,EAEAjJ,QAAS,CACPi6B,iBAAAA,GAIE,GAHA96B,KAAKyI,iBACHzI,KAAKyI,kBAAoBzI,KAAKqC,iBAAiB04B,QAE7C/6B,KAAKyI,kBAA6C,OAAzBzI,KAAK66B,gBAChC,OAAO76B,KAAK4J,cAEhB,EAKAG,aAAAA,GACM/J,KAAKyI,iBACPzI,KAAK8J,cAEL9J,KAAK4J,cAET,EAKAE,WAAAA,GACM9J,KAAK66B,kBACPG,cAAch7B,KAAK66B,iBACnB76B,KAAK66B,gBAAkB,MAGzB76B,KAAKyI,kBAAmB,CAC1B,EAKAmB,YAAAA,GACE5J,KAAK66B,gBAAkB3V,aAAY,KACjC,IAAI5b,EAAoBtJ,KAAKsJ,mBAAqB,GAGhD9N,SAAS2pB,YACT3pB,SAASy/B,iBAAiB,qBAAqBr0B,OAAS,GACxD0C,EAAkB1C,OAAS,GAE3B5G,KAAKQ,cACP,GACCR,KAAKk7B,iBAERl7B,KAAKyI,kBAAmB,CAC1B,EAKA7D,cAAAA,IACgC,IAA1B5E,KAAKyI,mBACPzI,KAAK8J,cACL9J,KAAK4J,eAET,GAGF/E,SAAU,CACRs2B,gBAAAA,GACE,OAAOn7B,KAAKqC,iBAAiB04B,OAC/B,EAEAG,eAAAA,GACE,OAAOl7B,KAAKqC,iBAAiB64B,eAC/B,EAKAxxB,uBAAAA,GACE,OAAK1J,KAAKqC,kBAEHrC,KAAKqC,iBAAiB+4B,oBAFM,CAGrC,I,oiCClFJ,UACEt8B,OAAQ,CAACu8B,GAAY97B,IAErBtC,MAAK6D,GAAAA,GAAA,GACA+K,EAAS,CACV,eACA,cACA,gBACA,kBACA,mBACA,uBACA,IAEF1G,MAAO,CAAEjI,KAAMuS,QACf6rB,eAAgB,CAAEp+B,KAAMoyB,OAAQhgB,UAAU,KAG5CuH,OAAAA,GACE,MAAO,CACL0kB,eAAe12B,EAAAA,GAAAA,WAAS,IAAM7E,KAAKu7B,gBACnCC,8BAA8B32B,EAAAA,GAAAA,WAC5B,IAAM7E,KAAKw7B,+BAEbC,gCAAgC52B,EAAAA,GAAAA,WAC9B,IAAM7E,KAAKy7B,iCAEbtzB,gCAAgCtD,EAAAA,GAAAA,WAC9B,IAAM7E,KAAKmI,iCAEbE,iCAAiCxD,EAAAA,GAAAA,WAC/B,IAAM7E,KAAKqI,kCAEbqzB,wBAAwB72B,EAAAA,GAAAA,WAAS,IAAM7E,KAAKsJ,kBAAkB1C,SAC9D+0B,kBAAkB92B,EAAAA,GAAAA,WAAS,IAAM7E,KAAK27B,mBACtCt4B,0BAA0BwB,EAAAA,GAAAA,WAAS,IAAM7E,KAAKqD,2BAC9Cu4B,qCAAqC/2B,EAAAA,GAAAA,WACnC,IAAM7E,KAAK47B,sCAEbC,sCAAsCh3B,EAAAA,GAAAA,WACpC,IAAM7E,KAAK67B,uCAEbC,wBAAwBj3B,EAAAA,GAAAA,WAAS,IAAM7E,KAAK87B,yBAC5CC,kBAAkBl3B,EAAAA,GAAAA,WAAS,IAAM7E,KAAK+7B,mBACtCC,2BAA2Bn3B,EAAAA,GAAAA,WAAS,IAAM7E,KAAKg8B,4BAEnD,EAEA5/B,KAAMA,KAAA,CACJ8G,QAAS,GACTW,yBAA0B,EAC1Bd,oBAAoB,EACpBb,UAAW,KACX8B,oBAAqB,KACrBmuB,iBAAiB,EACjBhsB,gBAAgB,EAChB5E,SAAS,EACTgE,QAAS,GACTE,iBAAkB,GAClBtC,aAAc,KACdo4B,eAAe,EACf93B,oBAAoB,EACpBpB,iBAAkB,KAClBb,sBAAuB,KACvBY,UAAW,GACXiD,OAAQ,GACR+D,4BAA4B,EAC5BE,kBAAmB,GACnBhH,aAAa,EACbsD,QAAS,KAGX,aAAM7F,GACJ,GAAIzD,KAAK2P,gBAAgBjM,KAAKqB,cAAe,OAAO/E,KAAKO,MAAM,QAE/D,MAAMo/B,EAAYjnB,KAChBsO,GAAYA,KACZtjB,KAAKC,oBAAoB+U,UAG3BhV,KAAKk8B,kCACLl8B,KAAK06B,mCACL16B,KAAKm8B,mCACLn8B,KAAKo8B,0CAECp8B,KAAK0E,kBAAkB1E,KAAK0e,MAAQ,YACpC1e,KAAKQ,eAENR,KAAKq8B,kBACFr8B,KAAKS,2BAGbT,KAAKiD,aAELjD,KAAKmG,gBAAiB,EAEtBnG,KAAKs8B,QACH,IAEIt8B,KAAK0e,KACL1e,KAAKqB,aACLrB,KAAKgF,eACLhF,KAAK+E,cACL/E,KAAKiE,YACLjE,KAAK2F,eACL3F,KAAKwF,eACLxF,KAAK0F,wBACL1F,KAAKiF,iBAGT,KACyB,OAAnBjF,KAAKkC,WAAoBlC,KAAKkC,YAET,IAArBlC,KAAKiE,cACPjE,KAAKgE,oBAAsB,MAG7BhE,KAAKQ,cAAc,IAIvBR,KAAKs8B,OAAO,UAAUnc,IACpBngB,KAAKqF,OAAS8a,EACd8b,GAAU,IAAMj8B,KAAK4U,iBAAgB,GAEzC,EAEAlU,aAAAA,GACyB,OAAnBV,KAAKkC,WAAoBlC,KAAKkC,WACpC,EAEArB,QAAS,CAIP4B,qBAAAA,GACEzC,KAAKuB,SAAU,EAEVvB,KAAKq8B,YAA8C,OAAhCr8B,KAAKqC,iBAAiB8B,MAG5CnE,KAAK4D,8BAFL5D,KAAK6D,yBAA2B7D,KAAKqC,iBAAiB8B,MAKxD7H,KAAKC,MACH,mBACAyD,KAAKq8B,WACD,CACEh7B,aAAcrB,KAAKqB,aACnBqd,KAAM1e,KAAK0e,KACXta,KAAM,QAER,CACE/C,aAAcrB,KAAKqB,aACnB+C,KAAMpE,KAAKqE,WAAa,UAAY,UAI5CrE,KAAK86B,mBACP,EAKAyB,kBAAAA,GACEv8B,KAAKsJ,kBAAoBtJ,KAAKoC,UAAU21B,MAAM,EAChD,EAKA33B,eAAAA,CAAgBY,GACVA,GACFA,EAAE2wB,iBAGA3xB,KAAK27B,iBACP37B,KAAK0B,0BAEL1B,KAAKu8B,qBAGPv8B,KAAKiD,YACP,EAKA5C,uBAAAA,CAAwBW,GAClBA,GACFA,EAAE2wB,iBAGC3xB,KAAKoJ,2BAIRpJ,KAAKoJ,4BAA6B,GAHlCpJ,KAAKu8B,qBACLv8B,KAAKoJ,4BAA6B,GAKpCpJ,KAAKiD,YACP,EAKAwH,qBAAAA,CAAsB9G,GACpB,GAAKgsB,KAAS3vB,KAAKsJ,kBAAmB3F,GAE/B,CACL,MAAMs0B,EAAQj4B,KAAKsJ,kBAAkBqtB,QAAQhzB,GACzCs0B,GAAS,GAAGj4B,KAAKsJ,kBAAkBkzB,OAAOvE,EAAO,EACvD,MAJEj4B,KAAKsJ,kBAAkBia,KAAK5f,GAM9B3D,KAAKoJ,4BAA6B,EAElCpJ,KAAKiD,YACP,EAKAvB,uBAAAA,GACE1B,KAAKoJ,4BAA6B,EAClCpJ,KAAKsJ,kBAAoB,EAC3B,EAKAqB,YAAAA,CAAaxF,GACX,IAAIs3B,EAA4C,OAAhCz8B,KAAK0F,wBAAmC,OAAS,MAE7D1F,KAAKwF,gBAAkBL,EAAMu3B,iBAC/BD,EAAY,OAGdz8B,KAAK8b,kBAAkB,CACrB,CAAC9b,KAAK+7B,kBAAmB52B,EAAMu3B,eAC/B,CAAC18B,KAAKg8B,2BAA4BS,GAEtC,EAKA5xB,YAAAA,CAAa1F,GACXnF,KAAK8b,kBAAkB,CACrB,CAAC9b,KAAK+7B,kBAAmB52B,EAAMu3B,eAC/B,CAAC18B,KAAKg8B,2BAA4B,MAEtC,EAKAE,+BAAAA,GACEl8B,KAAKqF,OAASrF,KAAK+E,aACrB,EAKAq3B,iCAAAA,GACEp8B,KAAKuF,QAAUvF,KAAKwF,eACpBxF,KAAKyF,iBAAmBzF,KAAK0F,uBAC/B,EAKAy2B,gCAAAA,GACEn8B,KAAK4F,QAAU5F,KAAKiF,cACtB,EAKA+E,cAAAA,CAAe2yB,GACb38B,KAAK4F,QAAU+2B,EACf38B,KAAK8b,kBAAkB,CAAE,CAAC9b,KAAKiK,kBAAmBjK,KAAK4F,SACzD,EAKAsE,oBAAAA,CAAqB3H,GACnBvC,KAAKuC,QAAUA,EACfvC,KAAK26B,gBACP,EAKAnvB,UAAAA,CAAWtH,GACTlE,KAAK8b,kBAAkB,CAAE,CAAC9b,KAAK+5B,eAAgB71B,GACjD,EAKAw2B,gCAAAA,GACE16B,KAAKuC,QACHvC,KAAKuZ,kBAAkBvZ,KAAK46B,mBAC5B56B,KAAKs7B,gBACLt7B,KAAKC,qBAAqB+I,eAAe,IACzC,IACJ,EAKAR,gBAAAA,GACExI,KAAKmyB,iBAAkB,CACzB,EAKAvd,aAAAA,GACE5U,KAAK8b,kBAAkB,CACrB,CAAC9b,KAAK+5B,eAAgB,EACtB,CAAC/5B,KAAKwrB,iBAAkBxrB,KAAKqF,QAEjC,EAEAuC,oBAAAA,GACE5H,KAAKwR,gBACLxR,KAAKQ,cACP,GAGFqE,SAAU,CAIRF,UAAAA,GACE,OAAO3E,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACrC,EAKA04B,aAAAA,GACE,OAAO/5B,KAAK8C,gBACR9C,KAAK8C,gBAAkB,QACvB9C,KAAKqB,aAAe,OAC1B,EAKAs6B,gBAAAA,GACE,OAAO37B,KAAKsJ,kBAAkB1C,QAAU5G,KAAKoC,UAAUwE,MACzD,EAKAk1B,sBAAAA,GACE,OACEp8B,QAAQM,KAAK27B,kBAAoB37B,KAAKqD,2BACtC3D,SAASM,KAAK67B,qCAElB,EAEAA,oCAAAA,GACE,OAAO77B,KAAK27B,kBAAoB37B,KAAKqD,wBACvC,EAEAu4B,mCAAAA,GACE,OAAO57B,KAAK27B,kBAAoB37B,KAAKqD,wBACvC,EAKAA,wBAAAA,GACE,OAAOrD,KAAKoJ,0BACd,EAKA9F,mBAAAA,GACE,OAAO8Z,IAAIpd,KAAKsJ,mBAAmB3F,GAAYA,EAASyK,GAAGS,OAC7D,EAKArL,gBAAAA,GACE,OAAO4Z,IACLpd,KAAKsJ,mBACL3F,GAAYA,EAASyK,GAAG8d,YAAc,MAE1C,EAKAnnB,aAAAA,GACE,OAAO/E,KAAKuZ,kBAAkBvZ,KAAKwrB,kBAAoB,EACzD,EAKAhmB,cAAAA,GACE,OAAOxF,KAAKuZ,kBAAkBvZ,KAAK+7B,mBAAqB,EAC1D,EAKAr2B,uBAAAA,GACE,OAAO1F,KAAKuZ,kBAAkBvZ,KAAKg8B,4BAA8B,IACnE,EAKA/2B,cAAAA,GACE,OAAOjF,KAAKuZ,kBAAkBvZ,KAAKiK,mBAAqB,EAC1D,EAKAE,aAAAA,GACE,MAC2B,iBAAzBnK,KAAK2C,kBACoB,eAAzB3C,KAAK2C,gBAET,EAKA0B,UAAAA,GACE,OAAO3E,QAAQM,KAAK6C,eAAiB7C,KAAK8C,gBAC5C,EAKAkF,YAAAA,GACE,OAAIhI,KAAKqE,YAAcrE,KAAKmF,OACnBy3B,EAAAA,GAAAA,IAAW58B,KAAKmF,MAAM6I,eAG3BhO,KAAKC,qBACA28B,EAAAA,GAAAA,IAAW58B,KAAKC,oBAAoB+N,oBAD7C,CAGF,EAKA6uB,YAAAA,GACE,OAAOn9B,QAAQM,KAAKoC,UAAUwE,OAAS,EACzC,EAKAk2B,SAAAA,GACE,OAAOp9B,QAAQM,KAAKJ,OAAOgH,OAAS,EACtC,EAKAN,eAAAA,GAEE,OAAO5G,QAAQM,KAAKwG,MAAMI,OAAS,IAAM5G,KAAKqE,WAChD,EAKAmF,oBAAAA,GACE,OACE9J,QAAQM,KAAK68B,eACbn9B,QAAQM,KAAKu7B,gBACb77B,QACEM,KAAKyD,oBACHzD,KAAKmI,gCACLnI,KAAK8F,kBAGb,EAKA2D,oBAAAA,GACE,OACE/J,QAAQM,KAAKsJ,kBAAkB1C,OAAS,IAAM5G,KAAK8F,iBAEvD,EAKAC,mCAAAA,GACE,OAAOrG,QACLoT,KAAK9S,KAAKsJ,mBAAmB3F,GAAYA,EAAS+J,qBAEtD,EAKA1H,wCAAAA,GACE,OAAOtG,QACLoT,KACE9S,KAAKsJ,mBACL3F,GAAYA,EAASkK,0BAG3B,EAKA2tB,4BAAAA,GACE,OACEx7B,KAAKoC,UAAUwE,OAAS,GACxBlH,QAAQM,KAAKu7B,gBACb77B,QAAQoT,KAAK9S,KAAKoC,WAAWuB,GAAYA,EAASo5B,mBAEtD,EAKAtB,8BAAAA,GACE,OACEz7B,KAAKoC,UAAUwE,OAAS,GACxBlH,QAAQM,KAAKu7B,gBACb77B,QAAQoT,KAAK9S,KAAKoC,WAAWuB,GAAYA,EAAS4I,qBAEtD,EAKApE,8BAAAA,GACE,OACEnI,KAAKoC,UAAUwE,OAAS,GACxBlH,QAAQM,KAAKu7B,gBACb77B,QAAQoT,KAAK9S,KAAKoC,WAAWuB,GAAYA,EAAS+J,qBAEtD,EAKAtF,mCAAAA,GACE,OACEpI,KAAKoC,UAAUwE,OAAS,GACxBlH,QAAQM,KAAKu7B,gBACb77B,QACEoT,KAAK9S,KAAKoC,WAAWuB,GAAYA,EAASkK,0BAGhD,EAKA5H,oCAAAA,GACE,OACEvG,QAAQM,KAAKu7B,gBACb77B,QACEoT,KAAK9S,KAAKsJ,mBAAmB3F,GAAYA,EAASiK,sBAGxD,EAKAvF,+BAAAA,GACE,OACErI,KAAKoC,UAAUwE,OAAS,GACxBlH,QAAQM,KAAKu7B,gBACb77B,QAAQoT,KAAK9S,KAAKoC,WAAWuB,GAAYA,EAASiK,sBAEtD,EAKA5I,cAAAA,GACE,OAAOhF,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,qCACrC,EAKA64B,qBAAAA,GACE,OAAOl6B,KAAKuZ,kBAAkBvZ,KAAKg6B,kBAAoB,EACzD,EAKA3uB,oBAAmBA,IACT,cAAa/O,KAAKoX,OAAO,eAAiB,UAMpDpI,WAAAA,GACE,OAAO5L,QACLM,KAAKqC,kBAAoBrC,KAAKqC,iBAAiB26B,cAEnD,EAKAzxB,eAAAA,GACE,OAAO7L,QACLM,KAAKqC,kBAAoBrC,KAAKqC,iBAAiB46B,cAEnD,EAKAxxB,UAAAA,GACE,OAAOmM,KAAKslB,KAAKl9B,KAAK6D,yBAA2B7D,KAAK2F,eACxD,EAKA+F,kBAAAA,GACE,MAAMuF,EAAQjR,KAAKuC,SAAWvC,KAAKiE,YAAc,GAEjD,OACEjE,KAAKoC,UAAUwE,QACd,GAAEtK,KAAKosB,aAAazX,EAAQ,MAAM3U,KAAKosB,aACtCzX,EAAQjR,KAAKoC,UAAUwE,WACpB5G,KAAK5B,GAAG,SAAS9B,KAAKosB,aAAa1oB,KAAK6D,2BAEjD,EAKA8B,cAAAA,GACE,OAAO3F,KAAKuC,OACd,EAKAyG,cAAAA,GACE,GAAIhJ,KAAKqC,iBACP,OAAOrC,KAAKqC,iBAAiB86B,gBAEjC,EAKAp1B,iBAAAA,GACE,OAAI/H,KAAKC,oBACAD,KAAKC,oBAAoB8H,kBAE3B/H,KAAK5B,GAAG,SACjB,EAKA2D,0BAAAA,GACE,MAAM4lB,EAAc,CAClBtiB,OAAQrF,KAAK+E,cACbO,QAAStF,KAAKgF,eACdO,QAASvF,KAAKwF,eACdC,iBAAkBzF,KAAK0F,wBACvBnD,QAASvC,KAAK2F,eACdC,QAAS5F,KAAKiF,eACdf,KAAMlE,KAAKiE,YACXrB,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtB+C,wBAAyB7F,KAAK6F,wBAC9BlD,iBAAkB3C,KAAK2C,kBAOzB,OAJK3C,KAAKo9B,WACRzV,EAA6B,gBAAI3nB,KAAK8C,iBAGjC6kB,CACT,EAKApe,wBAAAA,GACE,OAAOvJ,KAAKsJ,kBAAkB1C,OAAS,GAAK5G,KAAK+I,qBACnD,EAKAszB,UAAAA,GACE,MAAqB,KAAdr8B,KAAK0e,MAA4BgJ,MAAb1nB,KAAK0e,MAAkC,MAAb1e,KAAK0e,IAC5D,EAKAvT,oBAAAA,GACE,OAC6B,IAA3BnL,KAAKuvB,mBACLvvB,KAAKqC,mBACJrC,KAAK68B,cAAgB78B,KAAKuL,gBAE/B,EAKAI,oBAAAA,GACE,OAAO3L,KAAKoC,UAAUwE,MACxB,EAKA4kB,eAAAA,GACE,OAAOxrB,KAAK8C,gBACR9C,KAAK8C,gBAAkB,UACvB9C,KAAKqB,aAAe,SAC1B,EAKA06B,gBAAAA,GACE,OAAO/7B,KAAK8C,gBACR9C,KAAK8C,gBAAkB,SACvB9C,KAAKqB,aAAe,QAC1B,EAKA26B,yBAAAA,GACE,OAAOh8B,KAAK8C,gBACR9C,KAAK8C,gBAAkB,aACvB9C,KAAKqB,aAAe,YAC1B,EAKA4I,gBAAAA,GACE,OAAOjK,KAAK8C,gBACR9C,KAAK8C,gBAAkB,WACvB9C,KAAKqB,aAAe,UAC1B,EAKAu5B,gBAAAA,GACE,OAAO56B,KAAK8C,gBACR9C,KAAK8C,gBAAkB,YACvB9C,KAAKqB,aAAe,WAC1B,EAKA0H,qBAAAA,GACE,OAAOsU,IAAOrd,KAAKwK,YAAYkgB,IAAsB,IAAjBA,EAAEe,aAAqB7kB,OAAS,CACtE,EAKA0B,gBAAAA,GACE,OAAOtI,KAAKkD,OACd,EAKAyoB,eAAAA,GACE,OAAO3rB,KAAKmD,cAAgBnD,KAAKmD,aAAaD,QAAQ0D,OAAS,CACjE,EAKAqC,SAAAA,GACE,OAAOjJ,KAAKmD,aAAenD,KAAKmD,aAAatE,KAAO,EACtD,EAKAw+B,mBAAAA,GACE,OAAOr9B,KAAKwK,WAAW5D,OAAS,CAClC,EAKA4D,UAAAA,GACE,OAAOxK,KAAK2rB,gBACR3rB,KAAKkD,QAAQqoB,OAAOvrB,KAAKmD,aAAaD,SACtClD,KAAKkD,OACX,EAEAuE,0BAAAA,GACE,OAAOzH,KAAKwK,WAAW6S,QAAOqN,IAAsB,IAAjBA,EAAEe,YACvC,EAKA5jB,kCAAAA,GACE,OAAO7H,KAAKqD,yBAA2B,MAAQrD,KAAKsJ,iBACtD,G,gDC30BJ,SACEg0B,wBAAuBA,CAACj8B,EAAc4U,IAC7B3Z,KAAKsF,UAAUC,IAAK,aAAYR,WAAuB4U,GAGhErF,uBAAuBvP,GACd/E,KAAKsF,UAAUC,IAAK,aAAYR,kB,8BCNpC,SAASqc,EAAc6f,GAC5B,OAAOA,EAAIp/B,QACT,YACA66B,GAAK,OAAS,MAAQA,EAAEwE,aAAalxB,SAAS,KAAKyrB,OAAO,IAE9D,C,wFCHe,SAAS9b,EAAOpN,GAC7B,OAAOnP,SAASjD,IAAMoS,IAAoB,KAAVA,EAClC,C,+BCJe,SAAS,EAACga,GACvB,IAAI4N,EAAYH,KAAKC,eAAe1N,EAAQ,CAC1C4U,KAAM,YACLjH,kBAAkBC,UAErB,MAAiB,OAAbA,GAAmC,OAAbA,EACjB,GAGF,EACT,CCVe,SAASiH,EAAmBngB,EAAcogB,GACvD,OAAsB,IAAlBA,EACK,KAGLpgB,EAAeogB,GACRpgB,EAAeogB,GAAiB/lB,KAAKgmB,IAAID,GAAkB,KAE3DA,EAAgBpgB,GAAgB3F,KAAKgmB,IAAID,IAAmB,GAEzE,CCVe,SAAS,EAACE,EAAiBpY,EAAQ,KAChD,OAAOxpB,QAAQ6hC,IAAI,CACjBD,EACA,IAAI5hC,SAAQogB,IACV+E,YAAW,IAAM/E,KAAWoJ,EAAM,MAEnCtjB,MAAK6b,GAAUA,EAAO,IAC3B,C,kGCJe,SAAS+f,EAAiBlvB,EAAOmvB,GAC9C,OAAIxU,IAASwU,IAAsD,MAA3CA,EAAO5Q,MAAM,2BAC5B4Q,EACLnvB,EAAQ,GAAc,GAATA,EAAmBovB,IAAAA,UAAoBD,GACjDC,IAAAA,YAAsBD,EAC/B,C,wBCNe,SAAS,EAACE,GACvB,OAAO1lB,IAAW0lB,EACpB,C,uECFe,SAAS9/B,EAAGgJ,EAAKjJ,GAC9B,IAAIggC,EAAc7hC,KAAKoX,OAAO,gBAAgBtM,GAC1C9K,KAAKoX,OAAO,gBAAgBtM,GAC5BA,EAgCJ,OA9BAgR,IAAQja,GAAS,CAAC0Q,EAAOzH,KAGvB,GAFAA,EAAM,IAAIjK,OAAOiK,GAEH,OAAVyH,EAKF,YAJAlC,QAAQ5Q,MACL,gBAAeoiC,eAAyB/2B,mCAM7CyH,EAAQ,IAAI1R,OAAO0R,GAEnB,MAAMuvB,EAAW,CACf,IAAMh3B,EACN,IAAMA,EAAIi3B,cACV,IAAMj3B,EAAIk3B,OAAO,GAAGD,cAAgBj3B,EAAI2wB,MAAM,IAG1CwG,EAAe,CACnB1vB,EACAA,EAAMwvB,cACNxvB,EAAMyvB,OAAO,GAAGD,cAAgBxvB,EAAMkpB,MAAM,IAG9C,IAAK,IAAI/b,EAAIoiB,EAASx3B,OAAS,EAAGoV,GAAK,EAAGA,IACxCmiB,EAAcA,EAAYhgC,QAAQigC,EAASpiB,GAAIuiB,EAAaviB,GAC9D,IAGKmiB,CACT,C,qnBCSA,MAAMK,GAAsBtzB,EAAAA,EAAAA,KAAI,MAE1BoU,GAAQC,EAAAA,EAAAA,MAERyC,EAAUyc,EAEVxhC,EAAQyhC,GAmBR,OACJpqB,EAAM,mBACN2W,EAAkB,qBAClBC,EAAoB,sBACpBoB,EAAqB,uBACrBC,EAAsB,mBACtB6B,EAAkB,kBAClBC,EAAiB,eACjB/C,EAAc,qBACd6C,EAAoB,wBACpBhC,EAAuB,QACvBnB,EAAO,cACPqB,EAAa,iBACb/jB,EAAgB,sBAChBojB,EAAqB,mBACrBL,IACEP,EAAAA,EAAAA,GAAW7tB,EAAO+kB,EAAS1C,GAEzBqf,EAAwB9Y,IAC5BsI,EAAqBtI,GACrBsG,IAEAqS,EAAoB3vB,MAAM+vB,gBAAgB,EAGtCC,GAAmBh6B,EAAAA,EAAAA,WAAS,IAAM,IACnCyD,EAAiBuG,MAAMuO,KAAIsN,IAAK,CACjC7b,MAAO6b,EAAE/W,OACTvN,MAAOskB,EAAE7rB,KACTiQ,UAAgC,IAAtB4b,EAAEoU,uBAEXpT,EAAsB7c,MAAMuO,KAAIsN,IAAK,CACtCqU,MAAO9hC,EAAMgM,UACb4F,MAAO6b,EAAE/W,OACTvN,MAAOskB,EAAE7rB,KACTiQ,UAAgC,IAAtB4b,EAAEoU,uB,s2CCvGhB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,0oKCiCpE,SACEE,cAAc,EAEdn6B,SAAU,CACRo6B,KAAIA,IACKvtB,OAAOpV,KAAKoX,OAAO,UCrChC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+EDJlC5M,EAAAm4B,OAAI,kBAA3B1gC,EAAAA,EAAAA,aAAkE2gC,EAAA,C,MAApCD,KAAMn4B,EAAAm4B,KAAOliC,OAAK4J,EAAAA,EAAAA,gBAAE7I,EAAAqhC,OAAOpiC,Q,8CACzDM,EAAAA,EAAAA,oBA+BM,O,MA7BHN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAE7I,EAAAqhC,OAAOpiC,MACT,QACNqiC,QAAQ,aACRC,MAAM,8B,QCFkE,CAAC,SAAS,gB,oPCEtF,MAAMpiC,EAAQyhC,EAQRY,GAAgBz6B,EAAAA,EAAAA,WAAS,IAAM,CACnC5H,EAAMsiC,OAAS,UACftiC,EAAMuiC,SAAWviC,EAAMsiC,QAAUtiC,EAAMwiC,OAAS,UAChDxiC,EAAMwiC,OAAS,YACfxiC,EAAMyiC,SAAW,kB,6HCfnB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,e,4ECgCpE,MAAAC,EAAe,CACbX,cAAc,G,qFAzBhB,MAAM/hC,EAAQyhC,EAORkB,GAAU10B,EAAAA,EAAAA,OACV20B,EAAcA,KAClBD,EAAQ/wB,MAAQ6C,OAAOkuB,OAAO,E,OAGhCE,EAAAA,EAAAA,YAAU,KACRD,IAEArkC,SAASuqB,iBAAiB,SAAU8Z,EAAY,KAGlDnf,EAAAA,EAAAA,kBAAgB,KACdllB,SAASu1B,oBAAoB,SAAU8O,EAAY,I,uMC3BrD,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,iB,4ECSpE,SACE5iC,MAAO,CACLmJ,MAAO,CACLlJ,KAAM,CAACwC,QAASvC,QAChBmS,UAAU,GAGZywB,aAAc,CACZ7iC,KAAM,CAACqtB,MAAOptB,QACdmS,UAAU,KCjBhB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDjS,EAAAA,EAAAA,oBAQO,QAPLN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,mGACEnJ,EAAAuiC,gB,EAERliC,EAAAA,EAAAA,YAAoBC,EAAAC,OAAA,SACpBF,EAAAA,EAAAA,YAEOC,EAAAC,OAAA,cAFP,IAEO,6CADFP,EAAA4I,OAAK,S,GCF8D,CAAC,SAAS,c,qFCHlFrJ,MAAM,yKAOV,SAEA,ECNA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDM,EAAAA,EAAAA,oBAIO,OAJPC,EAIO,EADLO,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCCgE,CAAC,SAAS,oB,ujCCMtF,SACE+xB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+N,OAAQ5N,OACRyF,OAAQzF,OACRrJ,MAAO,CAAEhJ,QAAS,SAGpByD,QAAS,CACPm/B,QAAAA,CAAS9qB,GACP,OAAOA,EAAOlV,KAAKoG,QAAU,EAC/B,EAEA65B,kBAAAA,CAAmBzhB,EAAW/H,GAC5B,IACI0J,EAAOrf,EAAAA,EAAA,GADId,KAAKqd,OAAOE,cACC,IAAE,CAACiB,GAAY/H,IAE3CzW,KAAK85B,OAAOrf,OAAQ,GAAEza,KAAKqB,iCAAkC,CAC3Dud,YAAa5e,KAAKqd,OAAOtgB,MACzB8R,MAAOsR,IAGTngB,KAAKzD,MAAM,SACb,GAGFsI,SAAU,CACRq7B,SAAAA,GACE,OAIO,GAHLlgC,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,kCAC1BrB,KAAKqd,OAAOtgB,MACZiD,KAAKkV,OAAOrG,MAGlB,IC7CJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mGDJzDtQ,EAAAA,EAAAA,aAMoB4hC,EAAA,CALjB5iC,KAAI,GAAKC,EAAA0X,OAAOrG,iBAChB4H,QAAS3P,EAAAo5B,UACTvrB,QAAK3N,EAAA,KAAAA,EAAA,GAAAQ,GAAEV,EAAAm5B,mBAAmBziC,EAAA0X,OAAOrG,MAAOrH,EAAOtG,OAAOuV,W,wBAEvD,IAAmC,EAAnC3Z,EAAAA,EAAAA,oBAAmC,aAAA8B,EAAAA,EAAAA,iBAA1BkI,EAAAk5B,SAASxiC,EAAA0X,SAAM,M,6BCDgD,CAAC,SAAS,sB,2wCCgBtF,MAkBMkrB,GAASl1B,EAAAA,EAAAA,KAAI,M,OAInBm1B,EAAa,CAAE5P,MAFDA,IAAM2P,EAAOvxB,MAAM4hB,U,ojBCrCjC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,oB,wjCCUpE,SACExzB,MAAO,CACLqjC,KAAM,CACJpjC,KAAMC,OACNC,QAAS,KACTqyB,UAAWC,GAAO,CAAC,KAAM,MAAMC,SAASD,MCd9C,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sFDJzDnxB,EAAAA,EAAAA,aASOP,GATPuiC,EAAAA,EAAAA,YAAAz/B,EAAAA,EAAA,GACehD,EAAAN,QAAWM,EAAAqhC,QAAM,CAC9BpiC,MAAK,CAAC,8MAA6M,C,mBAC3K,OAAJS,EAAA8iC,K,mBAA6C,OAAJ9iC,EAAA8iC,S,wBAK7E,IAAQ,EAARziC,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,qBCJgE,CAAC,SAAS,0B,mNCetF,MAAMyiC,GAASt1B,EAAAA,EAAAA,MAAI,GAObu1B,EAAuBzrB,KAC3B,KACEwrB,EAAO3xB,OAAS2xB,EAAO3xB,MACvBuS,YAAW,IAAOof,EAAO3xB,OAAS2xB,EAAO3xB,OAAQ,IAAK,GAExD,IACA,CAAE6xB,SAAS,EAAMC,UAAU,IAGvBC,EAAcA,IAAMH,I,2iBChC1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,mB,kQCApE,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,6B,wjCCQpE,SACExjC,MAAO,CACLqjC,KAAM,CACJpjC,KAAMC,OACNC,QAAS,MAGXyjC,MAAO,CACL3jC,KAAMC,OACNC,QAAS,SACTqyB,UAAW1T,GAAK,CAAC,OAAQ,UAAU4T,SAAS5T,IAG9C9O,UAAW,CACT/P,KAAMC,OACNC,QAAS,WAIbyD,QAAS,CACP4vB,KAAAA,GACEzwB,KAAK8gC,MAAMV,OAAO3P,OACpB,IC7BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6FDJzDlyB,EAAAA,EAAAA,aAOcoQ,GAPd4xB,EAAAA,EAAAA,YAAAz/B,EAAAA,EAAA,GACehD,EAAAN,QAAWM,EAAAqhC,QAAM,CAC7BlyB,UAAWzP,EAAAyP,UACZ/B,IAAI,SACJnO,MAAM,sF,wBAEN,IAAQ,EAARc,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,yBCFgE,CAAC,SAAS,sB,2QCQtF,MAAMd,EAAQyhC,EAQRqC,GAAgBl8B,EAAAA,EAAAA,WAAS,IAAM,CACnC5H,EAAMsiC,OAAS,UACftiC,EAAMuiC,QAAU,UAChBviC,EAAMwiC,OAAS,a,uYCpBjB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,mB,sqBCApE,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,sB,uqBCApE,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,ysDCApE,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,mB,4ECOpE,SAEA,ECRA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6FDJzDlhC,EAAAA,EAAAA,aAMcoQ,GANd4xB,EAAAA,EAAAA,YACUziC,EAKIqhC,OALE,CACdlyB,UAAU,SACVlQ,MAAM,kT,wBAEN,IAAQ,EAARc,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,WCDgE,CAAC,SAAS,sB,wjCCKtF,SAEA,ECPA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sFDJzDQ,EAAAA,EAAAA,aAKOP,GALPuiC,EAAAA,EAAAA,YAAAz/B,EAAAA,EAAA,GACehD,EAAAN,QAAWM,EAAAqhC,QAAM,CAC9BpiC,MAAM,qVAAkV,C,uBAExV,IAAQ,EAARc,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,WCAgE,CAAC,SAAS,iC,ocCDtF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,qB,qFCS9DjB,EAAAA,EAAAA,oBAKQ,QAJN,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+C,UAOV,SACElR,MAAO,CAAC,gBAAiB,gBAEzB7yB,MAAO,CACLwL,iBAAkB,CAChBvL,KAAMwC,QACNtC,SAAS,IAIbyD,QAAS,CACPkJ,aAAAA,GACE,OAAO/J,KAAKyI,iBACRzI,KAAKzD,MAAM,gBACXyD,KAAKzD,MAAM,gBACjB,GAGFsI,SAAU,CACRo8B,WAAAA,GACE,OAAOjhC,KAAKyI,iBACRzI,KAAK5B,GAAG,gBACR4B,KAAK5B,GAAG,gBACd,IC1CJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+GDJzDf,EAAAA,EAAAA,oBAmBS,UAnBDN,MAAM,OAAQgK,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAiD,eAAAjD,EAAAiD,iBAAA9C,K,qBAC3B5J,EAAAA,EAAAA,oBAiBM,OAhBJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,UAAS,C,iBACqBnJ,EAAAiL,iB,oCAA+DjL,EAAAiL,oBAInGiI,KAAK,OACLwwB,OAAO,eACP9B,QAAQ,YACRC,MAAM,8B,aAVmDv4B,EAAAm6B,iBAAW,G,OAA5B,K,GCI8B,CAAC,SAAS,8B,qFCHlF/jC,KAAK,SACLH,MAAM,gIAQV,SACEE,MAAO,CACLC,KAAM,CACJA,KAAMC,OACNmS,UAAU,KCVhB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sFDJzDjS,EAAAA,EAAAA,oBAMS,SANTC,EAMS,EAFPO,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,WACIP,EAAAN,OAAI,kBAAhBqB,EAAAA,EAAAA,aAAuCqQ,EAAA,C,MAArBuyB,MAAA,GAAOjkC,KAAMM,EAAAN,M,sDCDyC,CAAC,SAAS,sB,wjCCQtF,SACED,MAAO,CACLqjC,KAAM,CACJpjC,KAAMC,OACNC,QAAS,MAGXyjC,MAAO,CACL3jC,KAAMC,OACNC,QAAS,SACTqyB,UAAW1T,GAAK,CAAC,OAAQ,UAAU4T,SAAS5T,IAG9C9O,UAAW,CACT/P,KAAMC,OACNC,QAAS,YCvBf,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4FDJzDmB,EAAAA,EAAAA,aAQa6iC,GARbb,EAAAA,EAAAA,YAAAz/B,EAAAA,EAAA,CAQaw/B,KAPD9iC,EAAA8iC,KAAIO,MAAErjC,EAAAqjC,OAAU/iC,EAAAN,QAAWM,EAAAqhC,QAAM,CAC3CjiC,KAAK,SACJ+P,UAAWzP,EAAAyP,Y,wBAEZ,IAEO,EAFPpP,EAAAA,EAAAA,YAEOC,EAAAC,OAAA,cAFP,IAEO,6CADFD,EAAAM,GAAG,WAAD,S,yBCFiE,CAAC,SAAS,qB,qFCHlFrB,MAAM,wEAOV,SAEA,ECNA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDM,EAAAA,EAAAA,oBAIM,MAJNC,EAIM,EADJO,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCCgE,CAAC,SAAS,a,2ECUtF,SACEd,MAAO,CACLg6B,KAAM,CACJ/5B,KAAMuS,OACNH,UAAU,GAGZ3L,SAAU,CACRzG,KAAMuS,OACNH,UAAU,GAGZjO,aAAc,CACZnE,KAAMC,OACNC,QAAS,IAGXiP,WAAY,CACVnP,KAAM,CAACoyB,OAAQnyB,QACfC,QAAS,IAGXshB,KAAM,CACJA,KAAMvhB,OACNC,QAAS,KAIbyH,SAAU,CAIRw8B,UAAAA,GACE,MAAO,CACLC,KAAM,iBACN,MAAO,gBACP,MAAO,gBACP,MAAO,gBACP,MAAO,gBACP,MAAO,iBACPthC,KAAKi3B,KAAKsK,MACd,EAEAC,WAAAA,GACE,MAA2B,SAApBxhC,KAAKi3B,KAAKwK,OAAoB,WAAa,EACpD,ICvDJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDljC,EAAAA,EAAAA,cAUE4P,EAAAA,EAAAA,yBANK3Q,EAAAy5B,KAAKhqB,WAAS,CAHlBlQ,OAAK4J,EAAAA,EAAAA,gBAAA,EAAGG,EAAAu6B,WAAYv6B,EAAA06B,aAEf,WADLp6B,IAAG,GAAK5J,EAAAy5B,KAAKhqB,aAAazP,EAAAy5B,KAAKtjB,SAG/BsjB,KAAMz5B,EAAAy5B,KACNtzB,SAAUnG,EAAAmG,SACVtC,aAAc7D,EAAA6D,aACdgL,WAAY7O,EAAA6O,WACZqS,KAAMlhB,EAAAkhB,M,yECLiE,CAAC,SAAS,oB,2FCM7C3hB,MAAM,8B,8CAoB/C,SACE+B,OAAQ,CAACC,EAAAA,GAET9B,MAAO,CACLuJ,MAAO+jB,MAEP5mB,SAAU,CACRzG,KAAMuS,OACNH,UAAU,GAGZjO,aAAc,CACZnE,KAAMC,OACNC,QAAS,IAGXiP,WAAY,CACVnP,KAAM,CAACoyB,OAAQnyB,QACfC,QAAS,IAGX67B,aAAc,CACZ/7B,KAAMwC,QACNtC,SAAS,GAGXshB,KAAM,CACJA,KAAMvhB,OACNC,QAAS,KAIbhB,KAAMA,KAAA,CAASoI,WAAW,IAE1BK,SAAU,CAIR68B,aAAAA,GACE,OAAI1hC,KAAKi5B,aACA5b,IAAOrd,KAAKwG,OAAOwyB,GAAuB,GAAlBA,EAAEC,eAG5B5b,IAAOrd,KAAKwG,OAAOwyB,GAAuB,GAAlBA,EAAEC,cACnC,EAEApC,eAAAA,GACE,IAAIh4B,EAAOmB,KAAKqB,aAQhB,OANI4a,EAAAA,EAAAA,GAAOjc,KAAK0e,MACd7f,EAAQ,GAAEA,KAAQmB,KAAK0e,QACdzC,EAAAA,EAAAA,GAAOjc,KAAKqM,cACrBxN,EAAQ,GAAEA,KAAQmB,KAAKqM,cAGjB,cAAaxN,aACvB,IClFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,wIDJzDxB,EAAAA,EAAAA,oBAsBM,YApBIyJ,EAAA46B,cAAc96B,OAAS,IAAH,kBAD5BvJ,EAAAA,EAAAA,oBAOS,U,MALN0J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAAyG,gBAAAzG,EAAAyG,kBAAA0C,IACRlK,MAAM,0S,EAEND,EAAAA,EAAAA,oBAAkE,aAAA8B,EAAAA,EAAAA,iBAAzDd,EAAA0G,UAAY1G,EAAAM,GAAG,cAAgBN,EAAAM,GAAG,eAAD,IAC1CV,EAAAA,EAAAA,aAAsDwJ,EAAA,CAAtCnK,MAAM,OAAQyH,UAAW1G,EAAA0G,W,yDAGhCsC,EAAA46B,cAAc96B,OAAS,IAAH,kBAA/BvJ,EAAAA,EAAAA,oBAWM,MAXNC,EAWM,uBAVJD,EAAAA,EAAAA,oBASE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAPepH,EAAA46B,eAARzK,I,wCAFT14B,EAAAA,EAAAA,aASEojC,EAAA,CANC1K,KAAMA,EACNtzB,SAAUnG,EAAAmG,SACV,gBAAenG,EAAA6D,aACf,cAAa7D,EAAA6O,WACbjF,IAAG,GAAK6vB,EAAKhqB,aAAagqB,EAAKtjB,SAC/B+K,KAAMlhB,EAAAkhB,M,6EAPE5gB,EAAA0G,e,6CCR2D,CAAC,SAAS,c,qFCJ/EzH,MAAM,oC,GACJA,MAAM,U,GAETD,EAAAA,EAAAA,oBAGI,KAHDC,MAAM,sBAAqB,4FAG9B,G,GAGOA,MAAM,0B,GACJA,MAAM,0D,cAEPD,EAAAA,EAAAA,oBAaM,OAbDC,MAAM,0CAAwC,EACjDD,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,yCACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,49B,MAONlkC,EAAAA,EAAAA,oBAII,KAJDC,MAAM,uBAAsB,yIAI/B,G,GAKDA,MAAM,iD,cAEPD,EAAAA,EAAAA,oBAaM,OAbDC,MAAM,0CAAwC,EACjDD,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,yCACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,ijB,MAONlkC,EAAAA,EAAAA,oBAII,KAJDC,MAAM,uBAAsB,uLAI/B,G,GAKDA,MAAM,0D,cAEPD,EAAAA,EAAAA,oBAaM,OAbDC,MAAM,0CAAwC,EACjDD,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,yCACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,+f,MAONlkC,EAAAA,EAAAA,oBAGI,KAHDC,MAAM,uBAAsB,0HAG/B,G,GAKDA,MAAM,iD,cAEPD,EAAAA,EAAAA,oBAaM,OAbDC,MAAM,0CAAwC,EACjDD,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,yCACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,6vB,MAONlkC,EAAAA,EAAAA,oBAII,KAJDC,MAAM,uBAAsB,6KAI/B,G,GAMJA,MAAM,wE,cAGJD,EAAAA,EAAAA,oBAaM,OAbDC,MAAM,0CAAwC,EACjDD,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,yCACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,wgB,MAONlkC,EAAAA,EAAAA,oBAII,KAJDC,MAAM,uBAAsB,uKAI/B,G,GAMJA,MAAM,+D,cAGJD,EAAAA,EAAAA,oBAaM,OAbDC,MAAM,0CAAwC,EACjDD,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,yCACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,63B,MAONlkC,EAAAA,EAAAA,oBAII,KAJDC,MAAM,uBAAsB,kIAI/B,GAWhB,SACE8B,KAAM,OAEN5B,MAAO,CACLg6B,KAAMxnB,QAGR5O,QAAS,CACP4sB,IAAAA,CAAKtH,GACH,MAAQ,iCAAgCnmB,KAAKiZ,WAAWkN,GAC1D,GAGFthB,SAAU,CACRzC,SAAAA,GACE,OAAOpC,KAAKytB,KAAK,YACnB,EACAvqB,OAAAA,GACE,OAAOlD,KAAKytB,KAAK,gCACnB,EACAnoB,OAAAA,GACE,OAAOtF,KAAKytB,KAAK,gCACnB,EACA7tB,MAAAA,GACE,OAAOI,KAAKytB,KAAK,8BACnB,EACAmU,OAAAA,GACE,OAAO5hC,KAAKytB,KAAK,gCACnB,EACAjnB,KAAAA,GACE,OAAOxG,KAAKytB,KAAK,2BACnB,EACAxU,OAAAA,GACE,MAAM4oB,EAAQvlC,KAAKoX,OAAO,WAAWgF,MAAM,KAG3C,OAFAmpB,EAAMrF,QAAQ,GAEN,GAAEqF,KACZ,IC5NJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,0HDJzDxkC,EAAAA,EAAAA,oBAuLM,MAvLNC,EAuLM,EAtLJR,EAAAA,EAAAA,oBAqLM,MArLN6B,EAqLM,EApLJjB,EAAAA,EAAAA,aAA8B+I,EAAA,M,uBAArB,IAAW,uBAAX,kB,MACThJ,GAKAC,EAAAA,EAAAA,aA6KOuK,EAAA,CA7KDlL,MAAM,QAAM,C,uBAChB,IA2KM,EA3KND,EAAAA,EAAAA,oBA2KM,MA3KNc,EA2KM,EA1KJd,EAAAA,EAAAA,oBA0BM,MA1BNyR,EA0BM,EAzBJzR,EAAAA,EAAAA,oBAwBI,KAxBAH,KAAMmK,EAAA1E,UAAWrF,MAAM,yB,CACzB0X,GAeA3X,EAAAA,EAAAA,oBAOM,aANJY,EAAAA,EAAAA,aAAuC+I,EAAA,CAA7BC,MAAO,GAAC,C,uBAAE,IAAS,uBAAT,gB,MACpBkP,KAII,QAKV9Y,EAAAA,EAAAA,oBA0BM,MA1BN+Y,EA0BM,EAzBJ/Y,EAAAA,EAAAA,oBAwBI,KAxBAH,KAAMmK,EAAA5D,QAASnG,MAAM,yB,CACvBoY,GAeArY,EAAAA,EAAAA,oBAOM,aANJY,EAAAA,EAAAA,aAAqC+I,EAAA,CAA3BC,MAAO,GAAC,C,uBAAE,IAAO,uBAAP,c,MACpB2O,KAII,QAKVvY,EAAAA,EAAAA,oBAyBM,MAzBNglC,EAyBM,EAxBJhlC,EAAAA,EAAAA,oBAuBI,KAvBAH,KAAMmK,EAAAxB,QAASvI,MAAM,yB,CACvB2Y,GAeA5Y,EAAAA,EAAAA,oBAMM,aALJY,EAAAA,EAAAA,aAAqC+I,EAAA,CAA3BC,MAAO,GAAC,C,uBAAE,IAAO,uBAAP,c,MACpBiP,KAGI,QAKV7Y,EAAAA,EAAAA,oBA0BM,MA1BNoZ,EA0BM,EAzBJpZ,EAAAA,EAAAA,oBAwBI,KAxBAH,KAAMmK,EAAAlH,OAAQ7C,MAAM,yB,CACtBglC,GAeAjlC,EAAAA,EAAAA,oBAOM,aANJY,EAAAA,EAAAA,aAAoC+I,EAAA,CAA1BC,MAAO,GAAC,C,uBAAE,IAAM,uBAAN,a,MACpBs7B,KAII,QAKVllC,EAAAA,EAAAA,oBA4BM,MA5BNmlC,EA4BM,EAzBJnlC,EAAAA,EAAAA,oBAwBI,KAxBAH,KAAMmK,EAAA86B,QAAS7kC,MAAM,yB,CACvBmlC,GAeAplC,EAAAA,EAAAA,oBAOM,aANJY,EAAAA,EAAAA,aAAqC+I,EAAA,CAA3BC,MAAO,GAAC,C,uBAAE,IAAO,uBAAP,c,MACpBy7B,KAII,QAKVrlC,EAAAA,EAAAA,oBA4BM,MA5BNslC,EA4BM,EAzBJtlC,EAAAA,EAAAA,oBAwBI,KAxBAH,KAAMmK,EAAAN,MAAOzJ,MAAM,yB,CACrBslC,GAeAvlC,EAAAA,EAAAA,oBAOM,aANJY,EAAAA,EAAAA,aAAmC+I,EAAA,CAAzBC,MAAO,GAAC,C,uBAAE,IAAK,uBAAL,Y,MACpB47B,KAII,Y,YC5KwD,CAAC,SAAS,iB,+OCOtF,MAKMna,EAAOsW,EAEP/K,EAAe1yB,GAAKmnB,EAAK,QAASnnB,G,+NCfxC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,iB,mFCH3DjE,MAAM,2CAYf,SACE+yB,MAAO,CAAC,SAER7yB,MAAO,CACLwZ,QAAS/W,QACTb,KAAM,CAAE3B,KAAMC,OAAQmS,UAAU,GAChCR,SAAU,CACR5R,KAAMwC,QACNtC,SAAS,KChBf,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,0FDJzDC,EAAAA,EAAAA,oBAQQ,QARRC,EAQQ,EAPNI,EAAAA,EAAAA,aAKE6kC,EAAA,CAJC5tB,QAAK3N,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,QAASiL,IACtBiP,QAASjZ,EAAAiZ,QACT5X,KAAMrB,EAAAqB,KACNiQ,SAAUtR,EAAAsR,U,uCAEbjR,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCHgE,CAAC,SAAS,0B,4ECGtF,SACEd,MAAO,CACLuH,UAAW,CACTtH,KAAMwC,QACNtC,SAAS,KCPf,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDmB,EAAAA,EAAAA,aAGEikC,EAAA,CAFAzlC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,YAAW,gCACyBnJ,EAAAgH,c,oBCE8B,CAAC,SAAS,uB,gtCC6CtF,SACEsrB,MAAO,CAAC,UAERkP,cAAc,EAEd/hC,MAAO,CACLo7B,SAAU,CAAEn7B,KAAMwC,QAAStC,SAAS,GACpCgJ,MAAO,CAAEhJ,QAAS,SAClB6Y,QAAS,CAAE/Y,KAAMqtB,MAAOntB,QAAS,IACjC0R,SAAU,CAAE5R,KAAMwC,QAAStC,SAAS,GACpC2R,SAAU,CAAC,EACXuxB,KAAM,CACJpjC,KAAMC,OACNC,QAAS,KACTqyB,UAAWC,GAAO,CAAC,MAAO,KAAM,KAAM,MAAMC,SAASD,KAIzD7uB,QAAS,CACPm/B,QAAAA,CAAS9qB,GACP,OAAOlV,KAAKoG,iBAAiBq8B,SACzBziC,KAAKoG,MAAM8O,GACXA,EAAOlV,KAAKoG,MAClB,EAEAs8B,SAASxtB,GACPpU,EAAAA,EAAA,GACMoU,EAAOytB,OAAS,CAAC,GAClB,CAAE9zB,MAAOqG,EAAOrG,QAIvB+zB,UAAAA,CAAW1tB,GACT,OAAOlV,KAAK+O,SAAS4nB,QAAQzhB,EAAOrG,QAAU,CAChD,EAEA6kB,YAAAA,CAAa7N,GACX,IAAI9W,EAAWqO,IACbC,IAAOwI,EAAM3kB,OAAO+U,SAASf,GAAUA,EAAOnG,YAC9CmG,GAAUA,EAAOrG,QAGnB7O,KAAKzD,MAAM,SAAUwS,EACvB,EAEA6vB,cAAAA,GACE5+B,KAAK8gC,MAAM+B,cAAcC,cAAgB,CAC3C,GAGFj+B,SAAU,CACRk+B,iBAAAA,GACE,OAAOtZ,IAAKzpB,KAAKm/B,OAAQ,CAAC,SAC5B,EAEA6D,cAAAA,GACE,OAAOC,IAAQjjC,KAAKiW,SAASf,GAAUA,EAAO6pB,OAAS,IACzD,ICtGJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzD1hC,EAAAA,EAAAA,oBAwCM,OAxCDN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,gBAAwB7I,EAAAqhC,OAAOpiC,S,EACxCD,EAAAA,EAAAA,oBAsCS,UAtCTyjC,EAAAA,EAAAA,YACUz5B,EAqCDi8B,kBArCkB,CACxB/uB,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,IACTlK,MAAK,CAAC,2EAA0E,C,cAG3C,OAAJS,EAAA8iC,K,cAA0C,OAAJ9iC,EAAA8iC,K,cAA0C,QAAJ9iC,EAAA8iC,K,8BAAuD9iC,EAAA66B,S,sBAAyC76B,EAAAsR,WAF5Mo0B,UAAU,EACXh4B,IAAI,gBAQH,gBAAe1N,EAAAsR,SAAW,OAAS,O,EAEpCjR,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,iCACRV,EAAAA,EAAAA,oBAqBW8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YArB0BpH,EAAAk8B,gBAAc,CAAjC/sB,EAAS8oB,M,2DACMA,IAAK,kBAApC1hC,EAAAA,EAAAA,oBASW,YATA+I,MAAO24B,EAAqB33B,IAAK23B,G,uBAC1C1hC,EAAAA,EAAAA,oBAOS8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YALU+H,GAAVf,K,kBAFT7X,EAAAA,EAAAA,oBAOS,UAPTkjC,EAAAA,EAAAA,YACUz5B,EAMD47B,SANUxtB,GAAM,CAEtB9N,IAAK8N,EAAOrG,MACZE,SAAUjI,EAAA87B,WAAW1tB,M,qBAEnBpO,EAAAk5B,SAAS9qB,IAAM,GAAAzX,M,mCAIpBJ,EAAAA,EAAAA,oBAOS8J,EAAAA,SAAA,CAAAC,IAAA,IAAA8G,EAAAA,EAAAA,YALU+H,GAAVf,K,kBAFT7X,EAAAA,EAAAA,oBAOS,UAPTkjC,EAAAA,EAAAA,YACUz5B,EAMD47B,SANUxtB,GAAM,CAEtB9N,IAAK8N,EAAOrG,MACZE,SAAUjI,EAAA87B,WAAW1tB,M,qBAEnBpO,EAAAk5B,SAAS9qB,IAAM,GAAAtX,M,iCC/B8C,CAAC,SAAS,2B,4tCCyDtF,SACEkyB,MAAO,CAAC,UAERkP,cAAc,EAEd/hC,MAAO,CACLo7B,SAAU,CAAEn7B,KAAMwC,QAAStC,SAAS,GACpCgJ,MAAO,CAAEhJ,QAAS,SAClB6Y,QAAS,CAAE/Y,KAAMqtB,MAAOntB,QAAS,IACjC0R,SAAU,CAAE5R,KAAMwC,QAAStC,SAAS,GACpC2R,SAAU,CAAC,EACXuxB,KAAM,CACJpjC,KAAMC,OACNC,QAAS,KACTqyB,UAAWC,GAAO,CAAC,MAAO,KAAM,KAAM,MAAMC,SAASD,KAIzD7uB,QAAS,CACPm/B,QAAAA,CAAS9qB,GACP,OAAOlV,KAAKoG,iBAAiBq8B,SACzBziC,KAAKoG,MAAM8O,GACXA,EAAOlV,KAAKoG,MAClB,EAEAs8B,SAASxtB,GACPpU,EAAAA,EAAA,GACMoU,EAAOytB,OAAS,CAAC,GAClB,CAAE9zB,MAAOqG,EAAOrG,QAIvB+zB,UAAAA,CAAW1tB,GACT,OAAOA,EAAOrG,OAAS7O,KAAK+O,QAC9B,EAEAo0B,WAAWjuB,IACkB,IAApBA,EAAOpG,SAGhB4kB,YAAAA,CAAa7N,GACX7lB,KAAKzD,MAAM,SAAUspB,EAAM3kB,OAAO2N,MACpC,EAEA+vB,cAAAA,GACE5+B,KAAK8gC,MAAM+B,cAAcC,cAAgB,CAC3C,GAGFj+B,SAAU,CACRk+B,iBAAAA,GACE,OAAOtZ,IAAKzpB,KAAKm/B,OAAQ,CAAC,SAC5B,EAEA6D,cAAAA,GACE,OAAOC,IAAQjjC,KAAKiW,SAASf,GAAUA,EAAO6pB,OAAS,IACzD,ICjHJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzD1hC,EAAAA,EAAAA,oBAqDM,OArDDN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,gBAAwB7I,EAAAqhC,OAAOpiC,S,EACxCD,EAAAA,EAAAA,oBAyCS,UAzCTyjC,EAAAA,EAAAA,YACUz5B,EAwCDi8B,kBAxCkB,CACxBl0B,MAAOrR,EAAAuR,SACPiF,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,IACTlK,MAAK,CAAC,6DAA4D,C,cAG7B,OAAJS,EAAA8iC,K,cAA0C,OAAJ9iC,EAAA8iC,K,cAA0C,QAAJ9iC,EAAA8iC,K,8BAAuD9iC,EAAA66B,S,sBAAyC76B,EAAAsR,WAF7M5D,IAAI,gBACH4D,SAAUtR,EAAAsR,SAQV,gBAAetR,EAAAsR,SAAW,OAAS,O,EAEpCjR,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,iCACRV,EAAAA,EAAAA,oBAuBW8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAvB0BpH,EAAAk8B,gBAAc,CAAjC/sB,EAAS8oB,M,2DACMA,IAAK,kBAApC1hC,EAAAA,EAAAA,oBAUW,YAVA+I,MAAO24B,EAAqB33B,IAAK23B,G,uBAC1C1hC,EAAAA,EAAAA,oBAQS8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YANU+H,GAAVf,K,kBAFT7X,EAAAA,EAAAA,oBAQS,UARTkjC,EAAAA,EAAAA,YACUz5B,EAOD47B,SAPUxtB,GAAM,CAEtB9N,IAAK8N,EAAOrG,MACZE,SAAUjI,EAAA87B,WAAW1tB,GACrBpG,SAAUhI,EAAAq8B,WAAWjuB,M,qBAEnBpO,EAAAk5B,SAAS9qB,IAAM,GAAAzX,M,mCAIpBJ,EAAAA,EAAAA,oBAQS8J,EAAAA,SAAA,CAAAC,IAAA,IAAA8G,EAAAA,EAAAA,YANU+H,GAAVf,K,kBAFT7X,EAAAA,EAAAA,oBAQS,UARTkjC,EAAAA,EAAAA,YACUz5B,EAOD47B,SAPUxtB,GAAM,CAEtB9N,IAAK8N,EAAOrG,MACZE,SAAUjI,EAAA87B,WAAW1tB,GACrBpG,SAAUhI,EAAAq8B,WAAWjuB,M,qBAEnBpO,EAAAk5B,SAAS9qB,IAAM,GAAAtX,M,4BAM1BF,EAAAA,EAAAA,aAQE8kC,EAAA,CAPAzlC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,4CAA2C,C,aACb,OAAJnJ,EAAA8iC,K,aAAyC,OAAJ9iC,EAAA8iC,K,aAAyC,OAAJ9iC,EAAA8iC,K,YAAwC,QAAJ9iC,EAAA8iC,S,wBC1CxE,CAAC,SAAS,sB,8GCgB3EvjC,MAAM,a,GA0BTA,MAAM,+G,kkCA4Cd,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CACL,mBACA,sCACA,mBACA,qBACA,oBAGFhxB,OAAQ,CACNoQ,EAAAA,GACAk0B,EAAAA,GACA9jC,EAAAA,IAGFrC,MAAK6D,EAAA,CACHsD,KAAM,CACJlH,KAAMC,OACNC,QAAS,OACTqyB,UAAWC,GAAO,CAAC,QAAS,QAAQC,SAASD,IAG/C2T,eAAgB,CACdjmC,QAAS,QAGRyO,EAAAA,EAAAA,IAAS,CACV,eACA,cACA,gBACA,kBACA,wBAIJzP,KAAMA,KAAA,CACJknC,iBAAkB,KAClB/hC,SAAS,EACTgiC,yCAAyC,EACzCC,4BAA4B,EAC5B3zB,OAAQ,GACR/D,OAAQ,KAGV,aAAM/L,GACJ,GAAIzD,KAAK2P,gBAAgBjM,KAAKqB,cAAe,OAAO/E,KAAKO,MAAM,QAI/D,GAAImD,KAAKqE,WAAY,CACnB,MAAM,KAAEjI,SAAeE,KAAKsF,UAAUC,IACpC,aAAe7B,KAAK4C,YAAc,UAAY5C,KAAK8C,gBACnD,CACEhB,OAAQ,CACNT,aAAcrB,KAAKqB,aACnBuB,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,mBAI5B9C,KAAKsjC,iBAAmBlnC,EAEpB4D,KAAKyjC,sBAAwBzjC,KAAK0jC,gBACpCpnC,KAAKP,MAAMiE,KAAK5B,GAAG,qDAEnB9B,KAAKO,MAAO,cAAamD,KAAK4C,eAAe5C,KAAK6C,kBAGhD7C,KAAK2jC,6BAA+B3jC,KAAK0jC,gBAC3CpnC,KAAKP,MACHiE,KAAK5B,GAAG,4DAGV9B,KAAKO,MAAO,cAAamD,KAAK4C,eAAe5C,KAAK6C,iBAEtD,CAEA7C,KAAK4jC,YAES,SAAd5jC,KAAKoE,KAAkBpE,KAAKuQ,mBAAqBvQ,KAAK8Z,mBACxD,EAEAjZ,QAAOC,EAAAA,EAAAA,EAAA,IACFswB,EAAAA,EAAAA,IAAa,CACd,mBACA,qBACA,oBACA,0BAECrwB,EAAAA,EAAAA,IAAW,CAAC,mBAAiB,IAKhCqL,oBAAAA,GACEpM,KAAKuB,SAAU,EAEfvB,KAAKzD,MAAM,oBAEXD,KAAKC,MAAM,kBAAmB,CAC5B8E,aAAcrB,KAAKqB,aACnBgL,WAAY,KACZjI,KAAM,UAEV,EAKA,eAAMw/B,GACJ5jC,KAAK8L,OAAS,GACd9L,KAAK6P,OAAS,GAEd,MACEzT,MAAM,OAAE0P,EAAM,OAAE+D,UACRvT,KAAKsF,UAAUC,IACtB,aAAY7B,KAAKqB,+BAClB,CACES,OAAQ,CACN2K,SAAS,EACTC,SAAU,SACVm3B,OAAQ7jC,KAAKqvB,yBACbgU,eAAgBrjC,KAAKqjC,eACrBzgC,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,mBAK5B9C,KAAK8L,OAASA,EACd9L,KAAK6P,OAASA,EAEd7P,KAAKoM,sBACP,EAEA,6BAAM03B,CAAwB9iC,GAC5BA,EAAE2wB,iBACF3xB,KAAKwjC,4BAA6B,EAClCxjC,KAAKujC,yCAA0C,QACzCvjC,KAAK+jC,gBACb,EAEA,0CAAMC,GACJhkC,KAAKujC,yCAA0C,EAC/CvjC,KAAKwjC,4BAA6B,QAC5BxjC,KAAK+jC,gBACb,EAKA,oBAAMA,GAGJ,GAFA/jC,KAAKwT,WAAY,EAEbxT,KAAK8gC,MAAMvZ,KAAK0c,iBAClB,IACE,MACE7nC,MAAM,SAAEC,EAAQ,GAAE+R,UACVpO,KAAKkkC,gBAef,GAbc,SAAdlkC,KAAKoE,KACDpE,KAAKuQ,mBACLvQ,KAAK8Z,0BAGH9Z,KAAKwR,gBAEXlV,KAAKmV,QACHzR,KAAK5B,GAAG,6BAA8B,CACpCuF,SAAU3D,KAAKC,oBAAoB+N,cAAcm2B,kBAIjDnkC,KAAKwjC,2BAcP,OAXA9xB,OAAOC,SAAS,EAAG,GAEnB3R,KAAKzD,MAAM,sCAAuC,CAAE6R,OAGpDpO,KAAK4jC,YACL5jC,KAAKsQ,cACLtQ,KAAKokC,iCAAkC,EACvCpkC,KAAKwjC,4BAA6B,OAClCxjC,KAAKwT,WAAY,GAXjBxT,KAAKzD,MAAM,mBAAoB,CAAE6R,KAAI/R,YAezC,CAAE,MAAON,GACP2V,OAAOC,SAAS,EAAG,GAEnB3R,KAAKokC,iCAAkC,EACvCpkC,KAAKwjC,4BAA6B,EAClCxjC,KAAKwT,WAAY,EAEH,SAAdxT,KAAKoE,KACDpE,KAAK4R,qBACL5R,KAAK+Z,sBAET/Z,KAAK6R,4BAA4B9V,EACnC,CAGFiE,KAAKokC,iCAAkC,EACvCpkC,KAAKwjC,4BAA6B,EAClCxjC,KAAKwT,WAAY,CACnB,EAKA0wB,aAAAA,GACE,OAAO5nC,KAAKsF,UAAUuQ,KACnB,aAAYnS,KAAKqB,eAClBrB,KAAKqkC,yBACL,CACEviC,OAAQ,CACN2K,SAAS,EACTC,SAAU,WAIlB,EAKA23B,sBAAAA,GACE,OAAO/xB,IAAI,IAAIC,UAAYC,IACzB/B,IAAKzQ,KAAK8L,QAAQiB,IAChB0D,IAAK1D,EAAM8C,QAAQ1K,IACjBA,EAAMuL,KAAK8B,EAAS,GACpB,IAGC/V,IAAMuD,KAAKqjC,iBACd7wB,EAASC,OAAO,iBAAkBzS,KAAKqjC,gBAGzC7wB,EAASC,OAAO,cAAezS,KAAK4C,aACpC4P,EAASC,OAAO,gBAAiBzS,KAAK6C,eACtC2P,EAASC,OAAO,kBAAmBzS,KAAK8C,gBAAgB,GAE5D,EAKAmQ,kBAAAA,GACEjT,KAAKzD,MAAM,qBACb,IAGFsI,SAAU,CACRy/B,6BAAAA,GACE,OAAOtkC,KAAKwT,WAAaxT,KAAKwjC,0BAChC,EAEAe,0CAAAA,GACE,OAAOvkC,KAAKwT,WAAaxT,KAAKujC,uCAChC,EAEAv7B,YAAAA,GACE,OAAIhI,KAAKsjC,iBACAtjC,KAAKsjC,iBAAiBt1B,cAGxBhO,KAAKC,oBAAoB+N,aAClC,EAEAjG,iBAAAA,GACE,OAAO/H,KAAKC,oBAAoB8H,iBAClC,EAEA1D,UAAAA,GACE,OAAO3E,QAAQM,KAAK6C,eAAiB7C,KAAK8C,gBAC5C,EAEAusB,wBAAAA,GACE,MAAqB,UAAdrvB,KAAKoE,IACd,EAEAogC,UAAAA,GACE,MAAqB,SAAdxkC,KAAKoE,IACd,EAEAqgC,mBAAAA,GACE,OAAOzkC,KAAKiB,kBACd,EAEAyiC,aAAAA,GACE,OAAO1jC,KAAKsjC,kBAAoBtjC,KAAKsjC,iBAAiBI,aACxD,EAEAD,oBAAAA,GACE,OAAOzjC,KAAKsjC,kBAAoBtjC,KAAKsjC,iBAAiBoB,kBACxD,EAEAf,2BAAAA,GACE,OACE3jC,KAAKsjC,kBAAoBtjC,KAAKsjC,iBAAiBqB,yBAEnD,EAEAC,0BAAAA,GACE,OACEllC,QAAQM,KAAKwkC,aAAexkC,KAAK0jC,iBAChChkC,QAAQM,KAAKyjC,sBAAwBzjC,KAAK2jC,4BAE/C,IClZJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iKDJzDplC,EAAAA,EAAAA,aA0Ec8H,EAAA,CA1EA9E,QAASzD,EAAAyD,SAAO,C,uBAC5B,IAQW,CARKzD,EAAA2B,oBAAsB3B,EAAAmC,sBAAmB,kBACvD1B,EAAAA,EAAAA,aAMEE,EAAA,C,MALCC,MAAkBZ,EAAAM,GAAE,oB,SAA6CN,EAAAmC,oBAAoB+N,iB,mDAUlFlQ,EAAAgO,SAAM,kBAFdzO,EAAAA,EAAAA,oBA8DO,Q,MA7DLN,MAAM,YAEL+W,SAAM9M,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAg9B,yBAAAh9B,EAAAg9B,2BAAA78B,IACR+M,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmM,oBAAAnM,EAAAmM,sBAAAhM,IACR,sBAAqBnJ,EAAAmW,aACtBC,aAAa,MACbhJ,IAAI,Q,EAEJpO,EAAAA,EAAAA,oBAsBM,MAtBN6B,EAsBM,uBArBJtB,EAAAA,EAAAA,oBAoBE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAnBgBpQ,EAAAgO,QAATiB,K,kBADTxO,EAAAA,EAAAA,cAoBE4P,EAAAA,EAAAA,yBAAA,QAjBepB,EAAME,WAAS,CAD7B7F,IAAK2F,EAAMqB,GAEXy2B,eAAe/9B,EAAAmM,mBACf6xB,oBAAqBhnC,EAAAq4B,wBACrB4O,qBAAsBjnC,EAAAo4B,yBACtB,+BAA8BpvB,EAAAuoB,yBAC9BtiB,MAAOA,EACPlO,KAAMkO,EAAMlO,KACZtB,KAAI,GAAKwP,EAAMiJ,kBACf,gBAAelY,EAAAuD,aACfwO,OAAQ9C,EAAM8C,OACd,iBAAgB/R,EAAAmW,aAChB7P,KAAM5G,EAAA4G,KACN,oBAAmBtG,EAAAyW,iBACnB,eAAczW,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,kBAAgB,G,mQAKrBhG,EAAAA,EAAAA,oBA2BM,MA3BNW,EA2BM,EAxBJC,EAAAA,EAAAA,aAMEkZ,EAAA,CALC7P,QAAKC,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,qBACd6N,QAAQ,QACPhE,MAAOtI,EAAAM,GAAG,UACV0Q,SAAUhR,EAAA0V,UACXjW,KAAK,wB,6BAICuJ,EAAA89B,6BAA0B,kBADlCrmC,EAAAA,EAAAA,aAMEqY,EAAA,C,MAJC7P,QAAOD,EAAAk9B,qCACP59B,MAAOtI,EAAAM,GAAG,wBACVmD,QAASuF,EAAAy9B,2CACVhnC,KAAK,iC,wEAGPG,EAAAA,EAAAA,aAOEkZ,EAAA,CANA1Z,KAAK,SACLK,KAAK,gBACJwJ,QAAOD,EAAAg9B,wBACP19B,MAAOU,EAAAiB,kBACP+G,SAAUhR,EAAA0V,UACVjS,QAASuF,EAAAw9B,+B,oHClEwD,CAAC,SAAS,mB,kkBCkDtF,MAAM,GAAElmC,IAAOysB,EAAAA,EAAAA,KAET5tB,EAAQyhC,EAkBRsG,GAAyBngC,EAAAA,EAAAA,WAAS,KAER,kBAA3B5H,EAAM0F,kBACsB,gBAA3B1F,EAAM0F,mBACR1F,EAAM8F,qBAIJkiC,GAAyBpgC,EAAAA,EAAAA,WAAS,IAEpC5H,EAAMgE,oBAAsBhE,EAAM8F,qBAAuB9F,EAAMymC,gBAI7DwB,GAAoBrgC,EAAAA,EAAAA,WAAS,IAC1BmgC,GAA0BC,I,+2CCtFnC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,6B,2FCQ9BloC,MAAM,wB,0pBA0B5C,SACE+B,OAAQ,CAACqmC,EAAAA,IAETloC,M,+VAAK6D,CAAA,CACHqE,MAAO,CAAEjI,KAAMuS,OAAQH,UAAU,GACjC81B,UAAW,CAAEloC,KAAMC,QACnBkoC,WAAY,CAAEnoC,KAAMwC,QAAStC,SAAS,GACtCy2B,iBAAkB,CAAE32B,KAAMwC,QAAStC,SAAS,GAC5C4iC,SAAU,CAAE5iC,QAAS,QAClByO,EAAAA,EAAAA,IAAS,CAAC,kBAGfhH,SAAU,CACRygC,mBAAAA,GAEE,MAAO,CACL,YACA,yBACA,iCACA,mCACAtlC,KAAKmF,MAAMogC,YAAcvlC,KAAKmF,MAAM0+B,SAAW7jC,KAAKmF,MAAMqgC,QAAU,OAAS,QAC7ExlC,KAAKmF,MAAMsgC,SAAW,kEAE1B,EAEAC,YAAAA,GAEE,MAAO,CACL,SACA1lC,KAAKmF,MAAMqgC,QAAU,QAAU,QAC9BxlC,KAAKmF,MAAMsgC,SAAW,yBACvBzlC,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,QAAU,0BAC3C7jC,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,QAAU,yBAC7C7jC,KAAKmF,MAAMqgC,SAAW,4BACrBxlC,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,QAAU,2BAEjD,EAEA8B,qBAAAA,GAEE,MAAO,CACL,mBACA3lC,KAAKmF,MAAMqgC,QAAU,QAAU,OAC/BxlC,KAAKmF,MAAMqgC,SAAW,2BACtBxlC,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,QAAU,0BAC3C7jC,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,QAAU,0BAC5C7jC,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,SAAW7jC,KAAKmF,MAAM2uB,WAAa,2BACtE9zB,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,SAAW7jC,KAAKmF,MAAM2uB,WAAa,4BACpE9zB,KAAKmF,MAAMsgC,UAAYzlC,KAAKmF,MAAM0+B,QAAU7jC,KAAKmF,MAAM2uB,WAAa,2BAEzE,EAKA8R,UAAAA,GAEE,MAAuB,KAAnB5lC,KAAKolC,UACA,GAGFplC,KAAKolC,WAAaplC,KAAKmF,MAAMtG,MAAQmB,KAAKmF,MAAM6I,aACzD,EAKA63B,kBAAAA,GACE,OAAO7lC,KAAKovB,cAAgBpvB,KAAKmF,MAAM2gC,UAAUl/B,OAAS,CAC5D,ICtGJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8GDJ9CpJ,EAAA2H,MAAM6uB,UAAO,kBAAxB32B,EAAAA,EAAAA,oBA+BM,O,MA/BqBN,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAAw+B,sB,CACrB9nC,EAAA2H,MAAMogC,YAAS,kBAA1BloC,EAAAA,EAAAA,oBAeM,O,MAfuBN,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA4+B,e,EAClC7nC,EAAAA,EAAAA,YAaOC,EAAAC,OAAA,cAbP,IAaO,EAZLL,EAAAA,EAAAA,aAWYqoC,EAAA,CAVT,YAAWvoC,EAAAwiC,UAAYxiC,EAAA2H,MAAMuR,UAC9B3Z,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,YAAW,QACCG,EAAA++B,uB,wBAElB,IAEO,EAFP/oC,EAAAA,EAAAA,oBAEO,aAAA8B,EAAAA,EAAAA,iBADFkI,EAAA8+B,YAAU,GAEHpoC,EAAA2H,MAAMmK,WAAQ,kBAA1BjS,EAAAA,EAAAA,oBAEO,OAFPC,GAEOsB,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,MAAD,uC,uEAMbtB,EAAAA,EAAAA,oBAYM,OAZAC,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA6+B,wB,EACX9nC,EAAAA,EAAAA,YAAqBC,EAAAC,OAAA,SAEmBP,EAAA6nC,YAAcvnC,EAAAu6B,WAAQ,kBAA9D95B,EAAAA,EAAAA,aAEWynC,EAAA,C,MAFDjpC,MAAM,mB,wBACd,IAAgB,6CAAbe,EAAA06B,YAAU,M,uCAKP1xB,EAAA++B,qBAAkB,kBAF1BtnC,EAAAA,EAAAA,aAIEynC,EAAA,C,MAHAjpC,MAAM,YAEN8J,UAAQrJ,EAAA2H,MAAM2gC,U,kGCxBsD,CAAC,SAAS,qB,4ECStF,SACEhW,MAAO,CAAC,UCVV,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sFDJzDzyB,EAAAA,EAAAA,oBASS,UARPH,KAAK,SACJ+oC,UAAOj/B,EAAA,KAAAA,EAAA,IAAAk/B,EAAAA,EAAAA,WAAAnyB,EAAAA,EAAAA,gBAAAvM,GAAgB1J,EAAAvB,MAAM,UAAD,yBAC5BwK,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAU1J,EAAAvB,MAAM,UAAD,cACrB2B,SAAS,IACTnB,MAAM,yD,EAENW,EAAAA,EAAAA,aAAmCkR,EAAA,CAA7B1R,KAAK,QAASikC,OAAO,KAC3BtjC,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,e,GCJgE,CAAC,SAAS,qB,2FCJ/EhB,MAAM,O,GAYEA,MAAM,Q,gEA4ErB,SACEsB,WAAY,CACV2Q,OAAMA,EAAAA,GAGR8gB,MAAO,CACL,QACA,oBACA,iBACA,yBACA,sBACA,qBACA,mBAGFhxB,OAAQ,CAACS,EAAAA,IAETtC,MAAO,CACL,2BACA,sBACA,iCACA,sCACA,sCACA,2CACA,kCACA,uCACA,YACA,oBACA,OACA,cACA,mBACA,iBAGFb,KAAMA,KAAA,CACJ+pC,yBAAyB,EACzBC,8BAA8B,EAC9BxT,kBAAkB,IAMpB1mB,OAAAA,GACE1Q,SAASuqB,iBAAiB,UAAW/lB,KAAKqmC,cAE1C/pC,KAAKiE,IAAI,kBAAmBP,KAAKsmC,sBACnC,EAKA5lC,aAAAA,GACElF,SAASu1B,oBAAoB,UAAW/wB,KAAKqmC,cAE7C/pC,KAAKsE,KAAK,kBAAmBZ,KAAKsmC,sBACpC,EAEAzlC,QAAS,CACP0lC,8BAAAA,GACEvmC,KAAKmmC,yBAA0B,CACjC,EAEAK,mCAAAA,GACExmC,KAAKomC,8BAA+B,CACtC,EAEAK,cAAAA,GACEzmC,KAAK4yB,kBAAmB,CAC1B,EAEA8T,wBAAAA,GACE1mC,KAAKmmC,yBAA0B,CACjC,EAEAQ,6BAAAA,GACE3mC,KAAKomC,8BAA+B,CACtC,EAEAQ,iBAAAA,GACE5mC,KAAK4yB,kBAAmB,CAC1B,EAKAjqB,uBAAAA,GACE3I,KAAKzD,MACHyD,KAAK6mC,oBAAsB,oBAAsB,iBAErD,EAKA/9B,4BAAAA,GACE9I,KAAKzD,MACHyD,KAAK6mC,oBACD,yBACA,sBAER,EAKA19B,wBAAAA,GACEnJ,KAAKzD,MACHyD,KAAK6mC,oBAAsB,qBAAuB,kBAEtD,EAKAR,YAAAA,CAAarlC,GACPhB,KAAKqW,MAAqB,IAAbrV,EAAE8lC,SACjB9mC,KAAK+mC,OAET,EAKAA,KAAAA,GACE/mC,KAAKzD,MAAM,QACb,EAKA+pC,qBAAAA,GACEtmC,KAAKmmC,yBAA0B,EAC/BnmC,KAAKomC,8BAA+B,EACpCpmC,KAAK4yB,kBAAmB,CAC1B,GAGF/tB,SAAU,CACRmiC,eAAAA,GACE,MAAwD,QAAjDhnC,KAAKuZ,kBAAkBvZ,KAAKiK,iBACrC,EAEAg9B,oBAAAA,GACE,OACEjnC,KAAKknC,sBACLlnC,KAAKmnC,uBACLnnC,KAAKonC,yBAET,EAEAF,oBAAAA,GACE,OACGlnC,KAAKgnC,iBACNtnC,QACEM,KAAK+F,qCAAuC/F,KAAK6mC,oBAGvD,EAEAM,qBAAAA,GACE,OACEnnC,KAAKsC,cACJtC,KAAKmK,gBACLnK,KAAKqnC,8BAAgCrnC,KAAK6mC,uBAC1C7mC,KAAKiG,sCAAwCjG,KAAK6mC,oBAEvD,EAEAO,yBAAAA,GACE,OACEpnC,KAAKsC,cACJtC,KAAKmK,gBACLnK,KAAKgG,0CACJhG,KAAK6mC,oBAEX,EAEAnL,sBAAAA,GACE,OAAO17B,KAAK6mC,oBACR7mC,KAAK6D,yBACL7D,KAAKsJ,kBAAkB1C,MAC7B,EAKAygC,4BAAAA,GACE,OAAO3nC,QACLoT,IAAK9S,KAAKsJ,mBAAmB3F,GAAYA,EAASgK,cAEtD,ICnRJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2ZDJlC7G,EAAAmgC,uBAAoB,kBAA3C5pC,EAAAA,EAAAA,oBAgFM,MAhFNC,EAgFM,EA/EJI,EAAAA,EAAAA,aAgDW4pC,EAAA,MAvCEC,MAAI/yB,EAAAA,EAAAA,UACb,IAoCe,EApCf9W,EAAAA,EAAAA,aAoCe8pC,EAAA,CApCDzqC,MAAM,OAAOwkC,MAAM,O,wBAC/B,IAkCM,EAlCNzkC,EAAAA,EAAAA,oBAkCM,MAlCN6B,EAkCM,CA/BImI,EAAAogC,uBAAoB,kBAD5B3oC,EAAAA,EAAAA,aASmBkpC,EAAA,C,MAPjBC,GAAG,SACH3qC,MAAM,cACNQ,KAAK,yBACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAAy/B,+BAA8B,c,wBAE9C,IAA+D,6CAA5DzoC,EAAAM,GAAGZ,EAAA2M,cAAgB,kBAAoB,oBAAqB,IAC/D,IAAAzM,EAAAA,EAAAA,aAAuDiqC,EAAA,M,uBAA1C,IAA4B,6CAAzB7gC,EAAA40B,wBAAsB,M,8DAKhC50B,EAAAqgC,wBAAqB,kBAD7B5oC,EAAAA,EAAAA,aAQmBkpC,EAAA,C,MANjBC,GAAG,SACHnqC,KAAK,0BACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAA2/B,eAAc,c,wBAE9B,IAA4B,6CAAzB3oC,EAAAM,GAAG,qBAAsB,IAC5B,IAAAV,EAAAA,EAAAA,aAAuDiqC,EAAA,M,uBAA1C,IAA4B,6CAAzB7gC,EAAA40B,wBAAsB,M,8DAKhC50B,EAAAsgC,4BAAyB,kBADjC7oC,EAAAA,EAAAA,aAQmBkpC,EAAA,C,MANjBC,GAAG,SACHnqC,KAAK,+BACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAA0/B,oCAAmC,c,wBAEnD,IAAiC,6CAA9B1oC,EAAAM,GAAG,0BAA2B,IACjC,IAAAV,EAAAA,EAAAA,aAAuDiqC,EAAA,M,uBAA1C,IAA4B,6CAAzB7gC,EAAA40B,wBAAsB,M,mGA1C9C,IAME,EANFh+B,EAAAA,EAAAA,aAMEkZ,EAAA,CALAxM,QAAQ,QACRw9B,QAAQ,QACRC,KAAK,QACL,gBAAc,eACb,aAAY/pC,EAAAM,GAAG,mB,iCA4CpBV,EAAAA,EAAAA,aAKEoqC,EAAA,CAJC1jC,KAAM5G,EAAA2M,cAAgB,SAAW,SACjCkM,KAAM7Y,EAAA8L,kBAAkB1C,OAAS,GAAK9I,EAAAqoC,wBACtC4B,QAAOjhC,EAAA4/B,yBACPsB,UAASlhC,EAAA6B,yB,+CAGZjL,EAAAA,EAAAA,aAesBoqC,EAAA,CAdnBzxB,KAAM7Y,EAAA8L,kBAAkB1C,OAAS,GAAK9I,EAAAsoC,6BACvChiC,KAAK,SACJ2jC,QAAOjhC,EAAA6/B,8BACPqB,UAASlhC,EAAAgC,8B,wBAEV,IAAoD,EAApDpL,EAAAA,EAAAA,aAAoDuqC,EAAA,C,aAAvCrpC,EAAAA,EAAAA,iBAAQd,EAA4BM,GAAzB,2B,yBACxBV,EAAAA,EAAAA,aAOewqC,EAAA,M,uBANb,IAKE,EALFprC,EAAAA,EAAAA,oBAKE,KAJAC,MAAM,iB,aACN6B,EAAAA,EAAAA,iBAAqBd,EAAAM,GAAE,mE,8DAO7BV,EAAAA,EAAAA,aAIEyqC,EAAA,CAHC9xB,KAAM7Y,EAAA8L,kBAAkB1C,OAAS,GAAK9I,EAAA80B,iBACtCmV,QAAOjhC,EAAA8/B,kBACPoB,UAASlhC,EAAAqC,0B,4EC1E4D,CAAC,SAAS,mB,qFCHlFpM,MAAM,qBACNsiC,MAAM,6BACNkC,MAAM,MACNE,OAAO,IACPrC,QAAQ,a,IAERtiC,EAAAA,EAAAA,oBAA8C,QAAxC4T,KAAK,UAAUswB,EAAE,iB,UCP3B,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCLoE,CAAC,SAAS,oB,gcCyGtFkiC,EAAe,CACbX,cAAc,G,kRA5ChB,MAAM7W,EAAOsW,GACP,GAAErgC,IAAOysB,EAAAA,EAAAA,KAET5tB,EAAQyhC,GAQR,YAAEnQ,EAAW,kBAAEE,EAAiB,kBAAEC,IACtCJ,EAAAA,EAAAA,GAAenG,GAEXkgB,GAAWn9B,EAAAA,EAAAA,KAAI,IACfo9B,GAAYp9B,EAAAA,EAAAA,OAEZ01B,EAAcA,IAAM0H,EAAUz5B,MAAM+e,QAEpCe,EAAe3tB,IACnBqnC,EAASx5B,MAAQ5R,EAAMimC,SACnBliC,EAAE4tB,aAAaJ,MACf,CAACxtB,EAAE4tB,aAAaJ,MAAM,IAE1BrG,EAAK,cAAekgB,EAASx5B,MAAM,EAG/B6kB,EAAeA,KACnB2U,EAASx5B,MAAQ5R,EAAMimC,SACnBoF,EAAUz5B,MAAM2f,MAChB,CAAC8Z,EAAUz5B,MAAM2f,MAAM,IAC3BrG,EAAK,cAAekgB,EAASx5B,OAC7By5B,EAAUz5B,MAAM2f,MAAQ,IAAI,E,moBAGTyJ,KACnB9P,EAAK,cAAe8P,GACpBqQ,EAAUz5B,MAAM2f,MAAQ,KACxB8Z,EAAUz5B,MAAMA,MAAQ,IAAI,E,44CCpG9B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,iB,mnBC8EpE8wB,EAAe,CACbX,cAAc,G,gJA9BhB,MAAM,GAAE5gC,IAAOysB,EAAAA,EAAAA,KACT1C,EAAOsW,EACPxhC,EAAQyhC,EAKR6J,GAAiB1jC,EAAAA,EAAAA,WAAS,IAC1B5H,EAAMq6B,KAAKkR,WACNpqC,EAAG,aAAe,KAAOnB,EAAMq6B,KAAKmR,SAAW,KAGjDxrC,EAAMq6B,KAAKz4B,OAGd6pC,GAAsB7jC,EAAAA,EAAAA,WAAS,IAC/B5H,EAAMq6B,KAAKkR,WACNvrC,EAAMq6B,KAAKmR,SAGb,OAGH,WAAEE,EAAU,QAAEC,GC1Eb,SAAyBtR,GAC9B,MAAMuR,EAAa,CACjB,YACA,aACA,YACA,gBACA,cAGI3rC,GAAO2H,EAAAA,EAAAA,WAAS,IACpBgkC,EAAWlZ,SAAS2H,EAAKzoB,MAAM3R,MAAQ,QAAU,UAG7CyrC,GAAa9jC,EAAAA,EAAAA,WAAS,IAC1B0oB,IAAIC,gBAAgB8J,EAAKzoB,MAAMi6B,gBAG3BF,GAAU/jC,EAAAA,EAAAA,WAAS,IAAqB,UAAf3H,EAAK2R,QAEpC,MAAO,CACLg6B,aACAD,UACA1rC,OACAyrC,aAEJ,CDiDgCI,EAAgBC,EAAAA,EAAAA,OAAM/rC,EAAO,SAEvDgsC,EAAoBA,IAAM9gB,EAAK,W,2oCE1ErC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,yB,oeC6CpE,MAAM,GAAE/pB,IAAOysB,EAAAA,EAAAA,KAET1C,EAAOsW,GAEP,YAAElQ,EAAW,kBAAEE,EAAiB,kBAAEC,EAAiB,aAAEC,IACzDL,EAAAA,EAAAA,GAAenG,G,6VAOjB,SAA2B8P,GACzB9P,EAAK,cAAe8P,EACtB,C,qtCC3DA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,4lBC0EpE,MAAM3Y,GAAQC,EAAAA,EAAAA,MAIRyC,EAAUyc,EAEVxhC,EAAQyhC,GAaR,OACJpqB,EAAM,mBACN2W,EAAkB,qBAClBC,EAAoB,sBACpBoB,EAAqB,uBACrBC,EAAsB,mBACtB6B,EAAkB,kBAClBC,EAAiB,eACjB/C,EAAc,QACdN,EAAO,cACPqB,EAAa,mBACbhB,IACEP,EAAAA,EAAAA,GAAW7tB,EAAO+kB,EAAS1C,GAEzB4pB,EAAYA,IAAM7c,GAAc,IAAMrK,EAAQ,oBAQ9CmnB,EAA6BA,KACjC/a,IACApM,EAAQ,iBAAiB,EAGrBonB,EAA2BA,KAC/Bhb,IACApM,EAAQ,iBAAiB,E,ogEAbPf,MACa,IAA3BA,EAAO6d,iBACTzQ,EAAkBpN,EAAOtN,OAC3B,E,oRChHF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,+FCqBvD5W,MAAM,Q,sgCA6FnB,SACE+yB,MAAO,CAAC,iBAAkB,mBAAoB,qBAE9CkP,cAAc,EAEdlgC,OAAQ,CAACE,EAAAA,GAAWM,EAAAA,IAEpBrC,MAAK6D,EAAA,CACH6C,SAAU,CAAEzG,KAAMuS,QAClBvM,QAAS,CAAEhG,KAAMqtB,OACjBpgB,cAAe,CAAEjN,KAAMwC,WAEpBmM,EAAAA,EAAAA,IAAS,CACV,eACA,cACA,gBACA,qBAIJzP,KAAMA,KAAA,CACJ+1B,iBAAiB,EACjBS,kBAAkB,EAClByW,sBAAsB,IAGxBxoC,QAAOC,EAAAA,EAAA,IACFC,EAAAA,EAAAA,IAAW,CAAC,wBAAsB,IAKrC,mBAAMuoC,GACJtpC,KAAK+K,gBAAgB,CAAC/K,KAAK2D,WAAW9H,IACpCS,KAAKmV,QACHzR,KAAK5B,GAAG,6BAA8B,CACpCuF,SAAU3D,KAAKC,oBAAoB+N,cAAcm2B,iBAIjDtoC,GAAYA,EAASO,MAAQP,EAASO,KAAKC,SAC7CC,KAAKO,MAAMhB,EAASO,KAAKC,UAItB2D,KAAK2D,SAASrB,aAKnBtC,KAAKwI,mBACLxI,KAAKzD,MAAM,qBALTD,KAAKO,MAAO,cAAamD,KAAKqB,eAKF,GAElC,EAKA6wB,eAAAA,GACElyB,KAAKmyB,iBAAkB,CACzB,EAKA3pB,gBAAAA,GACExI,KAAKmyB,iBAAkB,CACzB,EAKA,oBAAMsU,GACJzmC,KAAKiL,iBAAiB,CAACjL,KAAK2D,WAAW,KACrCrH,KAAKmV,QACHzR,KAAK5B,GAAG,8BAA+B,CACrCuF,SAAU3D,KAAKC,oBAAoB+N,cAAcm2B,iBAIrDnkC,KAAK4mC,oBACL5mC,KAAKzD,MAAM,oBAAoB,GAEnC,EAKAgtC,gBAAAA,GACEvpC,KAAK4yB,kBAAmB,CAC1B,EAKAgU,iBAAAA,GACE5mC,KAAK4yB,kBAAmB,CAC1B,EAKA,wBAAM4W,GACJxpC,KAAK0yB,qBAAqB,CAAC1yB,KAAK2D,WAAW9H,IACzCS,KAAKmV,QACHzR,KAAK5B,GAAG,6BAA8B,CACpCuF,SAAU3D,KAAKC,oBAAoB+N,cAAcm2B,iBAIjDtoC,GAAYA,EAASO,MAAQP,EAASO,KAAKC,SAC7CC,KAAKO,MAAMhB,EAASO,KAAKC,UAI3BC,KAAKO,MAAO,cAAamD,KAAKqB,eAAe,GAEjD,EAKAooC,oBAAAA,GACEzpC,KAAKqpC,sBAAuB,CAC9B,EAKAK,qBAAAA,GACE1pC,KAAKqpC,sBAAuB,CAC9B,IAGFxkC,UAAUqI,EAAAA,EAAAA,IAAW,CAAC,iBCvPxB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,uUDHjD1P,EAAAmG,WAAQ,kBADhBpF,EAAAA,EAAAA,aA0FiBmJ,EAAA,C,MAxFd/D,SAAUnG,EAAAmG,SACVT,QAAS1F,EAAA0F,QACT,eAAcpF,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,gBAAehF,EAAAuD,aACfsG,iBAAcX,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,mBACtB,qBAAkB,CAAGiB,EAAAmG,SAASyK,GAAGS,OACjC,yBAAsB,GAAKrR,EAAAmG,SAASyK,GAAGS,yBACvC,iBAAe,G,CAEL04B,MAAI/yB,EAAAA,EAAAA,UACb,IA0EM,CAzEahX,EAAAmG,SAAS8J,uBAAoC3P,EAAAsP,YAAYC,gBAAkB7P,EAAAmG,SAAS2J,yBAAuC9P,EAAAmG,SAAS+J,qBAAuBlQ,EAAAmG,SAASgK,aAA2BnQ,EAAAmG,SAASiK,qBAAuBpQ,EAAAmG,SAASgK,aAA0BnQ,EAAAmG,SAASkK,0BAAuB,kBADrTxQ,EAAAA,EAAAA,oBA0EM,MAAAC,EAAA,EAjEJI,EAAAA,EAAAA,aAA8DisC,EAAA,M,uBAAzC,IAAmB,6CAAhB7rC,EAAAM,GAAG,YAAD,M,OAC1BtB,EAAAA,EAAAA,oBA+DM,MA/DN6B,EA+DM,CA5DInB,EAAAmG,SAAS8J,wBAAqB,kBADtClP,EAAAA,EAAAA,aAgBmBkpC,EAAA,C,MAdhBlqC,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,yBACrBlS,KAAqBmB,EAAAG,KAAI,cAAgCH,EAAAuD,gBAAgB7D,EAAAmG,SAASyK,GAAGS,kBAAK,C,YAAkD/Q,EAAA8E,Y,cAA+B9E,EAAA+E,c,gBAAiC/E,EAAAgF,kBAU5MpE,MAAOZ,EAAAM,GAAG,c,wBAEX,IAAqB,6CAAlBN,EAAAM,GAAG,cAAD,M,iEAMgBN,EAAAsP,YAAYC,gBAAkB7P,EAAAmG,SAAS2J,0BAAuB,kBAFrF/O,EAAAA,EAAAA,aAemBkpC,EAAA,C,MAdjBC,GAAG,SAIFnqC,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,2BACrB9H,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAyB1J,EAAAmd,mBAAkB,C,SAA6Bnd,EAAAuD,a,WAA0C7D,EAAAmG,SAASyK,GAAGS,S,cAMnInQ,MAAOZ,EAAAM,GAAG,gB,wBAEX,IAAuB,6CAApBN,EAAAM,GAAG,gBAAD,M,0DAICZ,EAAAmG,SAAS+J,qBAAuBlQ,EAAAmG,SAASgK,cAAW,kBAD5DpP,EAAAA,EAAAA,aAMmBkpC,EAAA,C,MAJjBlqC,KAAK,2BACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAAorB,gBAAe,c,wBAE/B,IAA2B,6CAAxBp0B,EAAAM,GAAG,oBAAD,M,qDAKCZ,EAAAmG,SAASiK,qBAAuBpQ,EAAAmG,SAASgK,cAAW,kBAF5DpP,EAAAA,EAAAA,aAOmBkpC,EAAA,C,MANjBC,GAAG,SAEHnqC,KAAK,4BACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAAyiC,iBAAgB,c,wBAEhC,IAA4B,6CAAzBzrC,EAAAM,GAAG,qBAAD,M,qDAKCZ,EAAAmG,SAASkK,0BAAuB,kBAFxCtP,EAAAA,EAAAA,aAOmBkpC,EAAA,C,MANjBC,GAAG,SAEHnqC,KAAK,iCACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAA2iC,qBAAoB,c,wBAEpC,IAAiC,6CAA9B3rC,EAAAM,GAAG,0BAAD,M,gRAOfV,EAAAA,EAAAA,aAKEoqC,EAAA,CAJCzxB,KAAMvY,EAAAq0B,gBACP/tB,KAAK,SACJ2jC,QAAOjhC,EAAA0B,iBACPw/B,UAASlhC,EAAAwiC,e,wCAGZ5rC,EAAAA,EAAAA,aAIEyqC,EAAA,CAHC9xB,KAAMvY,EAAA80B,iBACNmV,QAAOjhC,EAAA8/B,kBACPoB,UAASlhC,EAAA2/B,gB,wCAGZ/oC,EAAAA,EAAAA,aAKEoqC,EAAA,CAJCzxB,KAAMvY,EAAAurC,qBACPjlC,KAAK,eACJ2jC,QAAOjhC,EAAA4iC,sBACP1B,UAASlhC,EAAA0iC,oB,8CCzG8D,CAAC,SAAS,6B,6GCLtF,IAAIp7B,EAAK,EACF,SAASw7B,IAGd,QAFEx7B,EAEKA,CACT,C,eCHO,SAASy7B,EAAoBC,GAClC,OAAKA,EACEA,EAASC,SAAQC,GAClBA,EAAM9sC,OAAS+sC,EAAAA,SAAiBJ,EAAoBG,EAAMF,UAEvD,CAACE,KAJY,EAMxB,C,2/BCmBA,SACEla,MAAO,CAAC,cAAe,eAEvBkP,cAAc,EAEd/hC,MAAO,CACLitC,OAAQ,CAAEhtC,KAAM,CAACoyB,OAAQnyB,QAASC,QAAS,GAC3C0nB,UAAW,CAAE5nB,KAAMC,OAAQC,QAAS,gBACpC+sC,SAAU,CAAEjtC,KAAMC,OAAQC,QAAS,YACnCG,KAAM,CAAEL,KAAMC,OAAQC,QAAS,MAC/BgtC,kBAAmB,CAAEltC,KAAMwC,QAAStC,SAAS,IAG/C6mB,KAAAA,CAAMhnB,GAAO,MAAEotC,IACb,MAAMC,GAAYp/B,EAAAA,EAAAA,MAAI,GAChBq/B,GAAar/B,EAAAA,EAAAA,KAAI,MACjBs/B,GAAgBt/B,EAAAA,EAAAA,KAAI,MACpBu/B,GAAUv/B,EAAAA,EAAAA,KAAI,OAEd,SAAEuU,EAAQ,WAAEC,IAAeC,EAAAA,EAAAA,GAAa8qB,EAAS,CACrD7qB,cAAc,EACdC,mBAAmB,IAGf6qB,GAAgBx/B,EAAAA,EAAAA,MAAI,GAEpBy/B,GAAe9lC,EAAAA,EAAAA,WAAS,KACD,IAApBylC,EAAUz7B,QAA0C,IAAxB67B,EAAc77B,QAG7C+7B,EAAwBA,KAC5BF,EAAc77B,OAAQ,CAAI,EAGtBg8B,EAAuBA,KAC3BH,EAAc77B,OAAQ,CAAG,EC7DxB,IAAuByU,IDgEZ,IAAOgnB,EAAUz7B,OAAQ,GC9D3Bi8B,EAAAA,EAAAA,KAAiBtvC,SAAU,WAAWqqB,IAC9B,WAAdA,EAAMze,KAAkBkc,GAAU,ID+DxC,MAAMynB,GAAsBlmC,EAAAA,EAAAA,WAC1B,IAAO,2BAA0B+kC,QAE7BoB,GAAYnmC,EAAAA,EAAAA,WAAS,IAAO,yBAAwB+kC,QAEpDqB,GAAoBpmC,EAAAA,EAAAA,WAAS,IAC5BvI,KAAKoX,OAAO,cAIV,CACL,aAAc,WACd,WAAY,aACZ,YAAa,UACb,UAAW,YACX,eAAgB,aAChB,aAAc,eACd,cAAe,YACf,YAAa,cACb,aAAc,WACd,WAAY,cACZzW,EAAM6nB,WAdC7nB,EAAM6nB,aAiBX,eAAEomB,IAAmBC,EAAAA,EAAAA,IAAYZ,EAAYE,EAAS,CAC1DW,qBAAsBC,EAAAA,GACtBvmB,UAAWmmB,EAAkBp8B,MAC7By8B,WAAY,EAACpB,EAAAA,EAAAA,IAAOjtC,EAAMitC,SAASzlB,EAAAA,EAAAA,OAAQ8mB,EAAAA,EAAAA,IAAM,CAAE3D,QAAS,KAAMtH,EAAAA,EAAAA,SAuBpE,OApBApgB,EAAAA,EAAAA,QACE,IAAMyqB,IACN7d,gBACQQ,EAAAA,EAAAA,YACNvR,EAAI0D,IAAaC,GAAY,KAIjCogB,EAAAA,EAAAA,YAAU,KACRxjC,KAAKiE,IAAI,qBAAsBqqC,GAC/BtuC,KAAKiE,IAAI,oBAAqBsqC,EAAqB,KAGrDnqB,EAAAA,EAAAA,kBAAgB,KACdpkB,KAAKsE,KAAK,qBAAsBgqC,GAChCtuC,KAAKsE,KAAK,oBAAqBiqC,GAE/BH,EAAc77B,OAAQ,CAAI,IAGrB,KACL,MAAMi7B,EAAWD,EAAoBQ,EAAMjtC,YACpCouC,KAAYC,GAAiB3B,EAE9B4B,GAAcC,EAAAA,EAAAA,YAAU7qC,EAAAA,EAAC,CAAC,EAC3B0qC,EAAQvuC,OACR,CACDmR,GAAI28B,EAAoBl8B,MACxB,iBAAqC,IAApBy7B,EAAUz7B,MAAiB,OAAS,QACrD,gBAAiB,OACjB,gBAAiBm8B,EAAUn8B,MAC3B9H,SAAS6kC,EAAAA,EAAAA,gBAAc,KACrBtB,EAAUz7B,OAASy7B,EAAUz7B,KAAI,GAChC,CAAC,YAIFg9B,GAASC,EAAAA,EAAAA,YAAWN,EAASE,GAKnC,IAAK,MAAMK,KAAQL,EACbK,EAAKjkB,WAAW,QAClB+jB,EAAO5uC,QAAU,CAAC,EAClB4uC,EAAO5uC,MAAM8uC,GAAQL,EAAYK,IAIrC,OAAO1pB,EAAAA,EAAAA,GAAE,MAAO,CAAE9kB,KAAMN,EAAMM,MAAQ,EACpC8kB,EAAAA,EAAAA,GAAE,OAAQ,CAAEnX,IAAKq/B,GAAcsB,IAC/BxpB,EAAAA,EAAAA,GACE2pB,EAAAA,SACA,CAAEC,GAAI,SACN5pB,EAAAA,EAAAA,GACE6pB,EAAAA,WACA,CACEC,iBAAkB,iCAClBC,eAAgB,YAChBC,aAAc,cACdC,iBAAkB,kCAClBC,eAAgB,cAChBC,aAAc,cAEhB,IAAM,CACJlC,EAAUz7B,OACNwT,EAAAA,EAAAA,GACE,MACA,CACEnX,IAAKs/B,EACLjtC,KAAM,uBAER,EACE8kB,EAAAA,EAAAA,GACE,MACA,CACEnX,IAAKu/B,EACLr8B,GAAI48B,EAAUn8B,MACd,kBAAmBk8B,EAAoBl8B,MACvC3Q,SAAU,IACVnB,MAAO,kBACP6sB,MAAOshB,EAAer8B,MACtB,iBAAkBy7B,EAAUz7B,MAC5BtR,KAAM,gBACNwJ,QAASA,IACP9J,EAAMmtC,kBACDE,EAAUz7B,OAAQ,EACnB,MAERw7B,EAAM9C,SAERllB,EAAAA,EAAAA,GAAE,MAAO,CACPtlB,MAAO,uBACPQ,KAAM,mBACNwJ,QAASA,IAAOujC,EAAUz7B,OAAQ,MAIxC,UAIV,CAEN,GEtMF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,iB,4ECOpE,SACE5R,MAAO,CACLskC,MAAO,CACLnkC,QAAS,MAIbyH,SAAU,CACR4nC,MAAAA,GACE,MAAO,CACLlL,MAAsB,SAAfvhC,KAAKuhC,MAAmB,OAAU,GAAEvhC,KAAKuhC,UAEpD,IClBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDlkC,EAAAA,EAAAA,oBAMM,OALHusB,OAAK8iB,EAAAA,EAAAA,gBAAE5lC,EAAA2lC,QACR1vC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,yHAAwH,wBAClF,SAAVnJ,EAAA+jC,U,EAElC1jC,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,GCDgE,CAAC,SAAS,qB,qFCJhFhB,MAAM,+BCAZ,MAAMqrC,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEK,KAFLC,EAEK,EADHO,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCEgE,CAAC,SAAS,4B,wjCCgBtF,SACEd,MAAO,CACLyqC,GAAI,CACFxqC,KAAMC,OACNC,QAAS,WACTqyB,UAAW1T,GAAK,CAAC,SAAU,WAAY,cAAe,QAAQ4T,SAAS5T,IAEzEjN,SAAU,CAAE5R,KAAMwC,QAAStC,SAAS,GACpCkjC,KAAM,CACJpjC,KAAMC,OACNC,QAAS,QACTqyB,UAAW1T,GAAK,CAAC,QAAS,SAAS4T,SAAS5T,KAIhDlX,SAAU,CACRoI,SAAAA,GACE,MAAO,CACLmzB,OAAQ,SACRuM,SAAU,IACVlf,KAAM,OACN,cAAe,cACfztB,KAAK0nC,GACT,EAEA3E,iBAAAA,GACE,OAAAjiC,EAAAA,EAAA,GACKd,KAAKm/B,QACL,CACDrwB,SACc,WAAZ9O,KAAK0nC,KAAqC,IAAlB1nC,KAAK8O,UAA2B,KAC1D5R,KAAkB,WAAZ8C,KAAK0nC,GAAkB,SAAW,MAG9C,ICjDJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDnpC,EAAAA,EAAAA,cAeY4P,EAAAA,EAAAA,yBAdLrH,EAAAmG,YADPszB,EAAAA,EAAAA,YAEUz5B,EAaEi8B,kBAbe,CACzBhmC,MAAK,CAAC,oFAAmF,C,iBACnD,UAAJS,EAAA8iC,K,eAA4C,UAAJ9iC,EAAA8iC,K,qEAAsG9iC,EAAAsR,S,kDAAmEtR,EAAAsR,S,4GAAqItR,EAAAsR,a,wBAUxX,IAAQ,EAARjR,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,qBCVgE,CAAC,SAAS,yB,+FCwBzEhB,MAAM,Q,qqBA2DnB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,iBAAkB,gBAE1B7yB,M,+VAAK6D,CAAA,CACH6C,SAAU,CAAEzG,KAAMuS,QAClBvM,QAAS,CAAEhG,KAAMqtB,OACjBpgB,cAAe,CAAEjN,KAAMwC,WAEpBmM,EAAAA,EAAAA,IAAS,CACV,eACA,cACA,gBACA,qBAIJhL,SAASE,EAAAA,EAAAA,IAAW,CAAC,uBAErB8D,UAAUqI,EAAAA,EAAAA,IAAW,CAAC,iBCzGxB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gODJzD3O,EAAAA,EAAAA,aA+EiBmJ,EAAA,CA9Ed/D,SAAUnG,EAAAmG,SACVT,QAAS1F,EAAA0F,QACT,eAAcpF,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,gBAAehF,EAAAuD,aACfsG,iBAAcX,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,mBACtB,qBAAkB,CAAGiB,EAAAmG,SAASyK,GAAGS,OACjC,iBAAe,G,CAEL28B,SAAOh3B,EAAAA,EAAAA,UAChB,IAIE,EAJF9W,EAAAA,EAAAA,aAIEkZ,EAAA,CAHAxM,QAAQ,SACRy9B,KAAK,sBACJtqC,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,0B,oBAIf04B,MAAI/yB,EAAAA,EAAAA,UACb,IAyDM,CAxDchX,EAAAmG,SAASo5B,kBAAoBv/B,EAAAmG,SAASipC,kBAA+BpvC,EAAAmG,SAAS8J,uBAAoC3P,EAAAsP,YAAYC,gBAAkB7P,EAAAmG,SAAS2J,0BAAuB,kBADpMjQ,EAAAA,EAAAA,oBAyDM,MAAAC,EAAA,EAlDJI,EAAAA,EAAAA,aAA8DisC,EAAA,M,uBAAzC,IAAmB,6CAAhB7rC,EAAAM,GAAG,YAAD,M,OAC1BtB,EAAAA,EAAAA,oBAgDM,MAhDN6B,EAgDM,CA7CInB,EAAAmG,SAASo5B,kBAAoBv/B,EAAAmG,SAASipC,mBAAgB,kBAD9DruC,EAAAA,EAAAA,aAQmBkpC,EAAA,C,MANhBlqC,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,uBACtB64B,GAAG,SACF3gC,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAU1J,EAAAvB,MAAM,iBAAD,cACpBmC,MAAOZ,EAAAM,GAAG,Y,wBAEX,IAAmB,6CAAhBN,EAAAM,GAAG,YAAD,M,0DAKCZ,EAAAmG,SAAS8J,wBAAqB,kBADtClP,EAAAA,EAAAA,aAgBmBkpC,EAAA,C,MAdhBlqC,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,yBACrBlS,KAAqBmB,EAAAG,KAAI,cAAgCH,EAAAuD,gBAAgB7D,EAAAmG,SAASyK,GAAGS,kBAAK,C,YAAkD/Q,EAAA8E,Y,cAA+B9E,EAAA+E,c,gBAAiC/E,EAAAgF,kBAU5MpE,MAAOZ,EAAAM,GAAG,c,wBAEX,IAAqB,6CAAlBN,EAAAM,GAAG,cAAD,M,iEAMgBN,EAAAsP,YAAYC,gBAAkB7P,EAAAmG,SAAS2J,0BAAuB,kBAFrF/O,EAAAA,EAAAA,aAemBkpC,EAAA,C,MAdjBC,GAAG,SAIFnqC,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,2BACrB9H,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAyB1J,EAAAmd,mBAAkB,C,SAA6Bnd,EAAAuD,a,WAA0C7D,EAAAmG,SAASyK,GAAGS,S,cAMnInQ,MAAOZ,EAAAM,GAAG,gB,wBAEX,IAAuB,6CAApBN,EAAAM,GAAG,gBAAD,M,4NCtE2D,CAAC,SAAS,6B,siBCyFtF,MAAMs9B,GAAyB1D,EAAAA,EAAAA,QAAO,0BAChC2D,GAAmB3D,EAAAA,EAAAA,QAAO,oBAC1B30B,GAA2B20B,EAAAA,EAAAA,QAAO,4BAClC6D,GAAuC7D,EAAAA,EAAAA,QAC3C,wCAEI4D,GAAsC5D,EAAAA,EAAAA,QAC1C,uCAEI8D,GAAyB9D,EAAAA,EAAAA,QAAO,0B,29ECnGtC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,0B,qFCEvDj7B,MAAM,2B,yBAqCnB,SACEsB,WAAY,CACV2Q,OAAM,IACN69B,KAAIA,EAAAA,GAGNzwC,KAAIA,KACK,CACLumB,MAAO,SACPmqB,SAAU,KACVC,QAASr7B,OAAOs7B,WAAW,gCAC3BtoB,OAAQ,CAAC,QAAS,UAItBxY,OAAAA,GACM5P,KAAKoX,OAAO,yBACV1T,KAAK0kB,OAAOiL,SAASrV,aAAa2yB,aACpCjtC,KAAK2iB,MAAQrI,aAAa2yB,WAG5BjtC,KAAK8sC,SAAW,KACK,WAAf9sC,KAAK2iB,OACP3iB,KAAKktC,kBACP,EAEFltC,KAAK+sC,QAAQhnB,iBAAiB,SAAU/lB,KAAK8sC,WAE7CxyB,aAAa6yB,WAAW,YAE5B,EAEAzsC,aAAAA,GACMpE,KAAKoX,OAAO,yBACd1T,KAAK+sC,QAAQhc,oBAAoB,SAAU/wB,KAAK8sC,SAEpD,EAEA5sB,MAAO,CACLyC,KAAAA,CAAMA,GACU,UAAVA,IACFrI,aAAa2yB,UAAY,QACzBzxC,SAASg1B,gBAAgBnQ,UAAUG,OAAO,SAG9B,SAAVmC,IACFrI,aAAa2yB,UAAY,OACzBzxC,SAASg1B,gBAAgBnQ,UAAUC,IAAI,SAG3B,WAAVqC,IACFrI,aAAa6yB,WAAW,aACxBntC,KAAKktC,mBAET,GAGFrsC,QAAS,CACPqsC,gBAAAA,GACM5wC,KAAKoX,OAAO,0BACVhC,OAAOs7B,WAAW,gCAAgCI,QACpD5xC,SAASg1B,gBAAgBnQ,UAAUC,IAAI,QAEvC9kB,SAASg1B,gBAAgBnQ,UAAUG,OAAO,QAGhD,EAEA6sB,gBAAAA,GACErtC,KAAK2iB,MAAQ,OACf,EAEA2qB,eAAAA,GACEttC,KAAK2iB,MAAQ,MACf,EAEA4qB,iBAAAA,GACEvtC,KAAK2iB,MAAQ,QACf,GAGF9d,SAAU,CACR2oC,qBAAoBA,IACXlxC,KAAKoX,OAAO,wBAGrB+5B,SAAAA,GAKE,MAAO,CACLC,MAAO,MACPC,KAAM,OACNC,OAAQ,oBACR5tC,KAAK2iB,MACT,EAEAkrB,UAAAA,GACE,MAAO,CACLH,MAAO,mBACPC,KAAM,wBACNC,OAAQ,IACR5tC,KAAK2iB,MACT,IC9IJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,kODJzC7b,EAAA0mC,uBAAoB,kBAApCjvC,EAAAA,EAAAA,aAoCW+oC,EAAA,C,MApC2BxiB,UAAU,c,CAGnCyiB,MAAI/yB,EAAAA,EAAAA,UACb,IA8Be,EA9Bf9W,EAAAA,EAAAA,aA8Be8pC,EAAA,CA9BDjG,MAAM,QAAM,C,uBACxB,IA4BM,EA5BNzkC,EAAAA,EAAAA,oBA4BM,MA5BNQ,EA4BM,EA3BJI,EAAAA,EAAAA,aAQmB+pC,EAAA,CAPjBC,GAAG,SACHpH,KAAK,QACLvjC,MAAM,0BACLgK,QAAOD,EAAAumC,kB,wBAER,IAAgC,EAAhC3vC,EAAAA,EAAAA,aAAgCkR,EAAA,CAA1B/P,KAAK,MAAM3B,KAAK,WACtBJ,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBd,EAAAM,GAAG,UAAD,M,qBAGbV,EAAAA,EAAAA,aAOmB+pC,EAAA,CANjBC,GAAG,SACH3qC,MAAM,0BACLgK,QAAOD,EAAAwmC,iB,wBAER,IAAiC,EAAjC5vC,EAAAA,EAAAA,aAAiCkR,EAAA,CAA3B/P,KAAK,OAAO3B,KAAK,WACvBJ,EAAAA,EAAAA,oBAA6B,aAAA8B,EAAAA,EAAAA,iBAApBd,EAAAM,GAAG,SAAD,M,qBAGbV,EAAAA,EAAAA,aAOmB+pC,EAAA,CANjBC,GAAG,SACH3qC,MAAM,0BACLgK,QAAOD,EAAAymC,mB,wBAER,IAA6C,EAA7C7vC,EAAAA,EAAAA,aAA6CkR,EAAA,CAAvC/P,KAAK,mBAAmB3B,KAAK,WACnCJ,EAAAA,EAAAA,oBAA+B,aAAA8B,EAAAA,EAAAA,iBAAtBd,EAAAM,GAAG,WAAD,M,yDA9BnB,IAAiE,EAAjEV,EAAAA,EAAAA,aAAiEkZ,EAAA,CAAzDxM,QAAQ,SAAUy9B,KAAM/gC,EAAA2mC,UAAY1wC,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA+mC,a,qECGqB,CAAC,SAAS,sB,0FCJ/C9wC,MAAM,gB,yBAOfA,MAAM,gB,0BAwBpC,SACEE,MAAO,CACL6wC,UAAW,CACT5wC,KAAMwC,QACNtC,SAAS,GAEX2wC,WAAY,CACV7wC,KAAMwC,QACNtC,SAAS,GAEXzB,QAAS,CACPuB,KAAMC,SAIVf,KAAMA,KAAA,CAAS4xC,UAAU,IAEzBntC,QAAS,CACPotC,MAAAA,GACEjuC,KAAKguC,UAAYhuC,KAAKguC,QACxB,GAGFnpC,SAAU,CACRqpC,UAAAA,GACE,MAAwB,KAAjBluC,KAAKrE,SAAmC,OAAjBqE,KAAKrE,OACrC,EAEAwyC,aAAAA,GACE,OAAQnuC,KAAKguC,SAAqChuC,KAAK5B,GAAG,gBAAlC4B,KAAK5B,GAAG,eAClC,ICzDJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6BDJ9CZ,EAAAuwC,YAAcjnC,EAAAonC,aAAU,kBAAnC7wC,EAAAA,EAAAA,oBAMM,MANNC,EAMM,EALJR,EAAAA,EAAAA,oBAIE,OAHAC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,oEAAmE,uBACxCnJ,EAAAswC,aACjCjnC,UAAQrJ,EAAA7B,S,cAGImL,EAAAonC,aAAU,kBAA1B7wC,EAAAA,EAAAA,oBAmBM,MAnBNI,EAmBM,CAjBIK,EAAAkwC,WAAQ,kBADhB3wC,EAAAA,EAAAA,oBAKE,O,MAHAN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,+EAA8E,uBACnDnJ,EAAAswC,aACjCjnC,UAAQrJ,EAAA7B,S,4CAKD6B,EAAAuwC,YAOS,iCAPC,kBAFnB1wC,EAAAA,EAAAA,oBAUS,U,MATPH,KAAK,SAEJ6J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmnC,QAAAnnC,EAAAmnC,UAAAhnC,IACRlK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,eAAc,QACF7I,EAAAkwC,YAClB,YAAU,SACV9vC,SAAS,M,qBAEN4I,EAAAqnC,eAAa,2BAGpB9wC,EAAAA,EAAAA,oBAAyB,MAAAkR,EAAb,K,GCvB8D,CAAC,SAAS,gB,4ECUtF,SAEA,ECZA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDhQ,EAAAA,EAAAA,aAUa6vC,EAAAA,WAAA,CATX,qBAAmB,mCACnB,mBAAiB,sBACjB,iBAAe,wBACf,qBAAmB,mCACnB,mBAAiB,wBACjB,iBAAe,sBACfhqC,KAAK,U,wBAEL,IAAQ,EAARvG,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,QCLgE,CAAC,SAAS,uB,4ECCtF,SACEd,MAAO,CACLwoC,QAAS,CAAEvoC,KAAMwC,QAAStC,SAAS,KCHvC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDC,EAAAA,EAAAA,oBAEM,OAFDN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,gBAAe,gBAA2BnJ,EAAAioC,Y,EACnD5nC,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,GCGgE,CAAC,SAAS,qB,qFCW1EhB,MAAM,8D,SAEwBA,MAAM,e,wBAmEhD,SACEsB,WAAY,CAAE2Q,O,SAAMA,GAEpB8gB,MAAO,CACL,iBACA,yBACA,kBACA,oBAGF7yB,MAAO,CACL6gB,kBAAmBwR,OACnBhqB,QAASilB,MACT1M,kBAAmBne,QACnBgf,KAAM,CAAExhB,KAAMC,OAAQC,QAAS,IAC/BmF,QAAS,CAACpF,OAAQmyB,QAClBtmB,eAAgBuhB,MAChBlpB,aAAclE,OACdmF,YAAa5C,QACbkG,QAAS,CAAE1I,KAAMC,OAAQsyB,UAAW1T,GAAK,CAAC,GAAI,OAAQ,QAAQ4T,SAAS5T,IACvEnZ,YAAazF,QAGf0D,QAAS,CACPwtC,mBAAAA,CAAoBtyB,GAGlB,GAAIA,EAAG,CACL,MAAM,YAAE6C,EAAW,MAAE/P,GAAUkN,EAE3B6C,IACFtiB,KAAKsQ,IAAK,yBAAwBgS,MAAgB/P,KAElD7O,KAAK85B,OAAOrf,OAAQ,GAAEza,KAAKqB,iCAAkC,CAC3Dud,cACA/P,UAGN,CAEA7O,KAAKzD,MAAM,iBACb,EAEA+xC,+BAAAA,GACEhyC,KAAKC,MAAM,uBAEX6kB,YAAW,KACTphB,KAAKzD,MAAM,yBAAyB,GACnC,IACL,GAGFsI,SAAU,CACR0pC,aAAc,CACZryB,GAAAA,CAAI2J,GACF,IAAIhX,EAAQgX,GAAO3kB,QAAQ2N,OAASgX,EAEpC7lB,KAAKzD,MAAM,kBAAmBsS,EAChC,EACAhN,GAAAA,GACE,OAAO7B,KAAK4F,OACd,GAGF4oC,aAAc,CACZtyB,GAAAA,CAAI2J,GACF,IAAIhX,EAAQgX,GAAO3kB,QAAQ2N,OAASgX,EAEpC7lB,KAAKzD,MAAM,mBAAoBsS,EACjC,EACAhN,GAAAA,GACE,OAAO7B,KAAKuC,OACd,GAMFksC,uBAAAA,GACE,OAAOrxB,IAAIpd,KAAKgJ,gBAAgBkM,IACvB,CAAErG,MAAOqG,EAAQ9O,MAAO8O,KAEnC,IClKJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mSDJzD3W,EAAAA,EAAAA,aA6EW+oC,EAAA,CA7ED/pC,KAAK,kBAAmB,wBAAsB,G,CAW3CgqC,MAAI/yB,EAAAA,EAAAA,UACb,IA+De,EA/Df9W,EAAAA,EAAAA,aA+De8pC,EAAA,CA/DDjG,MAAM,MAAMhkC,KAAK,e,wBAC7B,IA6Da,EA7DbG,EAAAA,EAAAA,aA6DagxC,EAAA,CA7DAjN,OAAQ,IAAK1kC,MAAM,6B,wBAC9B,IA2DM,EA3DND,EAAAA,EAAAA,oBA2DM,MA3DNQ,EA2DM,CAxDOE,EAAAqgB,oBAAiB,kBAA5BxgB,EAAAA,EAAAA,oBAOM,MAPNsB,EAOM,EANJ7B,EAAAA,EAAAA,oBAKS,UAJPC,MAAM,0KACLgK,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAwnC,iCAAAxnC,EAAAwnC,mCAAArnC,M,qBAELnJ,EAAAM,GAAG,kBAAD,4DAKTf,EAAAA,EAAAA,oBAWM8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAVsB1Q,EAAA8H,SAAO,CAAzB+X,EAAQ4a,M,kBADlB56B,EAAAA,EAAAA,oBAWM,OATH+J,IAAG,GAAKiW,EAAOtgB,SAASk7B,K,qBAEzB15B,EAAAA,EAAAA,cAME4P,EAAAA,EAAAA,yBALKkP,EAAOpQ,WAAS,CACpB,aAAYoQ,EAAOtgB,MACnB2hB,KAAMlhB,EAAAkhB,KACN,gBAAelhB,EAAA6D,aACf2S,SAAQlN,EAAAunC,qB,sEAKU7wC,EAAA8E,cAAW,kBAAlC/D,EAAAA,EAAAA,aAgBkBowC,EAAA,C,MAhBkBpxC,KAAK,uB,CAG5B8f,QAAM7I,EAAAA,EAAAA,UACf,IAUE,EAVF9W,EAAAA,EAAAA,aAUEoY,EAAA,CATQ/G,SAAUjI,EAAAynC,a,mCAAAznC,EAAAynC,aAAY/mC,GAC7ByO,QAAO,E,wCAA+FnY,EAAAM,GAAE,kB,mBAAgEN,EAAAM,GAAE,kBAK3Kb,KAAK,iBACL+iC,KAAK,KACJtsB,SAAMhN,EAAA,KAAAA,EAAA,GAAAQ,GAAEV,EAAAynC,aAAe/mC,I,yDAZ5B,IAAgC,EAAhC1K,EAAAA,EAAAA,oBAAgC,aAAA8B,EAAAA,EAAAA,iBAAvBd,EAAAM,GAAG,YAAD,M,uCAkBWZ,EAAAoF,a,iCAAW,kBAAnCrE,EAAAA,EAAAA,aAYkBowC,EAAA,C,MAZmBpxC,KAAK,mB,CAG7B8f,QAAM7I,EAAAA,EAAAA,UACf,IAME,EANF9W,EAAAA,EAAAA,aAMEoY,EAAA,CALQ/G,SAAUjI,EAAA0nC,a,mCAAA1nC,EAAA0nC,aAAYhnC,GAC7ByO,QAASnP,EAAA2nC,wBACVlxC,KAAK,kBACL+iC,KAAK,KACJtsB,SAAMhN,EAAA,KAAAA,EAAA,GAAAQ,GAAEV,EAAA0nC,aAAehnC,I,yDAR5B,IAAiC,EAAjC1K,EAAAA,EAAAA,oBAAiC,aAAA8B,EAAAA,EAAAA,iBAAxBd,EAAAM,GAAG,aAAD,M,qDA5DrB,IAQE,EARFV,EAAAA,EAAAA,aAQEkZ,EAAA,CAPCxM,QAAS5M,EAAAqgB,kBAAoB,QAAU,QACxCtgB,KAAK,yBACLsqC,KAAK,SACL,gBAAc,eACdD,QAAQ,QACPxhC,MAAO5I,EAAAsgB,kBAAoB,EAAItgB,EAAAsgB,kBAAoB,GACnD,aAAYhgB,EAAAM,GAAG,oB,oDCJsD,CAAC,SAAS,mB,qFCA3ErB,MAAM,kBAiBjB,SACE+yB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGR0D,QAAS,CACP6yB,YAAAA,GACE1zB,KAAKzD,MAAM,SACb,GAGFsI,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEApI,OAAAA,GACE,OAAOjW,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,oCACjCrB,KAAKqe,UAET,ICjDJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2IDJzD9f,EAAAA,EAAAA,aAiBkBowC,EAAA,MAdLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAWM,EAXN1X,EAAAA,EAAAA,oBAWM,MAXNQ,EAWM,uBAVJD,EAAAA,EAAAA,oBASE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YALiBpH,EAAAmP,SAAVf,K,kBAJT3W,EAAAA,EAAAA,aASEqwC,EAAA,CARCrxC,KAAI,GAAKuJ,EAAAuW,OAAOxe,uBAAuBqW,EAAOrG,eAC9C,gBAAerR,EAAA6D,aACf+F,IAAK8N,EAAOrG,MAEZwO,OAAQvW,EAAAuW,OACRnI,OAAQA,EACRlB,SAAQlN,EAAA4sB,aACTttB,MAAM,S,mGAZZ,IAA8B,EAA9BtJ,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,sB,mHCetF,SACEixB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGR0D,QAAS,CACP6yB,YAAAA,CAAa7N,GACX,IAAIhX,EAAQgX,GAAO3kB,QAAQ2N,OAASgX,EAEpC7lB,KAAK85B,OAAOrf,OAAQ,GAAEza,KAAKqB,iCAAkC,CAC3Dud,YAAa5e,KAAKqe,UAClBxP,UAGF7O,KAAKzD,MAAM,SACb,GAGFsI,SAAU,CACRkvB,WAAAA,GACE,OAAO/zB,KAAKqd,OAAO0W,aAAe/zB,KAAK5B,GAAG,cAC5C,EAEAyQ,KAAAA,GACE,OAAO7O,KAAKqd,OAAOE,YACrB,EAEAF,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEApI,OAAAA,GACE,OAAOjW,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,oCACjCrB,KAAKqe,UAET,IC9DJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzD9f,EAAAA,EAAAA,aAekBowC,EAAA,MAZLtxB,QAAM7I,EAAAA,EAAAA,UACf,IASE,EATF1X,EAAAA,EAAAA,oBASE,SARAC,MAAM,wEACNG,KAAK,OACJK,KAAI,GAAKuJ,EAAAuW,OAAOxe,mBACjBA,KAAK,cACLqV,aAAa,MACZrF,MAAO/H,EAAA+H,MACPklB,YAAajtB,EAAAitB,YACb/f,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,K,qCAXb,IAA8B,EAA9BnK,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,mB,qFCJ/E9B,MAAM,a,GACLA,MAAM,kD,GAILA,MAAM,aCLf,MAAMqrC,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQM,EAPJR,EAAAA,EAAAA,oBAEK,KAFL6B,EAEK,EADHd,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,cAGVjB,EAAAA,EAAAA,oBAEM,MAFNW,EAEM,EADJI,EAAAA,EAAAA,YAAsBC,EAAAC,OAAA,a,GCHgD,CAAC,SAAS,wB,wHCmBtF,SACE+xB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJyS,MAAO,KACPggC,sBAAuB,OAGzB9uC,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KACjE1zB,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK8uC,sBAChC,EAEApuC,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK8uC,sBACjC,EAEA5uB,MAAO,CACLrR,KAAAA,GACE7O,KAAK6uC,uBACP,GAGFhuC,QAAS,CACPiuC,qBAAAA,GACE9uC,KAAK6O,MAAQ7O,KAAKqd,OAAOE,YAC3B,EAEAmW,YAAAA,GACE1zB,KAAK85B,OAAOrf,OAAQ,GAAEza,KAAKqB,iCAAkC,CAC3Dud,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAK6O,QAGd7O,KAAKzD,MAAM,SACb,GAGFsI,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,IC7EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2IDJzD9f,EAAAA,EAAAA,aAgBkBowC,EAAA,MAbLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAUgB,EAVhB9W,EAAAA,EAAAA,aAUgBoY,EAAA,CATd/Y,MAAM,eACNujC,KAAK,KACJ/iC,KAAI,GAAKuJ,EAAAuW,OAAOxe,qBACTkQ,SAAUjR,EAAA+Q,M,mCAAA/Q,EAAA+Q,MAAKrH,GACtBwM,SAAMhN,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAA+Q,MAAQrH,GAChByO,QAASnP,EAAAuW,OAAOpH,QACjB7P,MAAM,S,wBAEN,IAAqE,EAArEtJ,EAAAA,EAAAA,oBAAqE,UAA7D+R,MAAM,GAAIE,SAAmB,IAATjR,EAAA+Q,Q,qBAAgB/Q,EAAAM,GAAG,MAAD,EAAAd,M,gEAZlD,IAA8B,EAA9BR,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,qB,sJCoBtF,SACEmgC,cAAc,EAEd/hC,MAAO,CACLN,KAAM,CAAEO,KAAMC,OAAQmS,UAAU,GAChCud,OAAQ,CAAE3vB,KAAMC,OAAQmS,UAAU,GAClClT,KAAM,CAAEc,KAAMuS,OAAQH,UAAU,EAAOlS,QAAS,CAAC,GACjD9B,QAAS,CAAE4B,KAAMuS,OAAQH,UAAU,EAAOlS,QAAS,MACnD6P,UAAW,CAAE/P,KAAMC,OAAQC,QAAS,WAGtCyD,QAAS,CACPkuC,YAAAA,CAAa/tC,GACPvE,IAAMuD,KAAK1E,WAIf0F,EAAE2wB,iBAEF3xB,KAAKgvC,SAASnyC,MAAMmD,KAAKrD,KAAM,CAC7BkwB,OAAQ7sB,KAAK6sB,OACbzwB,KAAM4D,KAAK5D,KACXd,QAAS0E,KAAK1E,UAElB,IC5CJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzD+B,EAAAA,EAAAA,oBAkBO,QAlBA4jB,OAAQzjB,EAAAb,KAAMkwB,OAAO,OAAQ/Y,SAAM9M,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAioC,cAAAjoC,EAAAioC,gBAAA9nC,IAAc1J,KAAK,e,uBAC7DF,EAAAA,EAAAA,oBAKE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAJuB1Q,EAAApB,MAAI,CAAnByS,EAAOzH,M,kBADjB/J,EAAAA,EAAAA,oBAKE,SAHAH,KAAK,SACJ2B,KAAMuI,EACNyH,MAAOA,G,mBAIS,SAAXrR,EAAAqvB,SAAM,kBADdxvB,EAAAA,EAAAA,oBAKE,S,MAHAH,KAAK,SACL2B,KAAK,UACJgQ,MAAOrR,EAAAqvB,Q,+DAGVtuB,EAAAA,EAAAA,cAEY4P,EAAAA,EAAAA,yBAFI3Q,EAAAyP,YAAhBszB,EAAAA,EAAAA,YAAmCziC,EAEvBqhC,OAF6B,CAAEjiC,KAAK,WAAQ,C,uBACtD,IAAQ,EAARW,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,mBCZ8D,CAAC,SAAS,mB,4FCEtF,SACEd,MAAO,CACL+iC,SAAU,CACR9iC,KAAMC,UCLZ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDE,EAAAA,EAAAA,oBAEQ,SAFA8W,IAAK3W,EAAAwiC,SAAUjjC,MAAM,8B,EAC3Bc,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,gB,GCGgE,CAAC,SAAS,kB,mFCJ/EhB,MAAM,0C,GACJA,MAAM,mB,GAEJA,MAAM,gBAAgBmO,IAAI,e,kDAsCzBA,IAAI,UACJnO,MAAM,wB,SAKJA,MAAM,6H,SAQNQ,KAAK,wBACLR,MAAM,uHACNmO,IAAI,a,GAIAnO,MAAM,oF,kCAgCGA,MAAM,uB,SAEeA,MAAM,gB,SAaxCQ,KAAK,8BACLR,MAAM,2G,GAGJA,MAAM,6D,wwBA2CtB,SACEX,KAAMA,KAAA,CACJ6yC,eAAgB,KAChB/sC,UAAW,KACXgtC,aAAa,EACb3tC,SAAS,EACT4tC,gBAAgB,EAChBC,WAAY,GACZC,QAAS,GACTtgC,SAAU,IAGZmR,MAAO,CACLkvB,UAAAA,CAAWjvB,GACc,OAAnBngB,KAAKkC,WAAoBlC,KAAKkC,YAEjB,KAAbie,GAKJngB,KAAKmvC,gBAAiB,EACtBnvC,KAAK+O,UAAY,EACjB/O,KAAKqvC,QAAU,IANbrvC,KAAKqF,QAQT,EAEA8pC,cAAAA,CAAehvB,IACI,IAAbA,EAKJ3kB,SAAS4kB,KAAKC,UAAUG,OAAO,qBAJ7BhlB,SAAS4kB,KAAKC,UAAUC,IAAI,oBAKhC,GAGFvgB,OAAAA,GACEC,KAAKivC,eAAiBj6B,KAAS8X,UAW7B,GAVA9sB,KAAKkvC,aAAc,EAEnBlvC,KAAKyB,WAAU,KACbzB,KAAKsvC,QAASC,EAAAA,EAAAA,IAAavvC,KAAK8gC,MAAM0O,YAAaxvC,KAAK8gC,MAAMuO,QAAS,CACrEvqB,UAAW,eACXqlB,SAAU,WACVsF,UAAW,CAAC,CAAE5wC,KAAM,SAAUoX,QAAS,CAAEi0B,OAAQ,CAAC,EAAG,OACrD,IAGoB,KAApBlqC,KAAKovC,WAIP,OAHApvC,KAAKkC,YACLlC,KAAKmvC,gBAAiB,OACtBnvC,KAAKqvC,QAAU,IAIjBrvC,KAAKmvC,gBAAiB,EACtBnvC,KAAKuB,SAAU,EACfvB,KAAKqvC,QAAU,GACfrvC,KAAK+O,SAAW,EAEhB,IACE,MAAQ3S,KAAMizC,SArEMhqC,EAsElBrF,KAAKovC,WAtEqBM,EAuE1BxtC,GAAclC,KAAKkC,UAAYA,EAtEhC5F,KAAKsF,UAAUC,IAAI,mBAAoB,CAC5CC,OAAQ,CAAEuD,UACVrD,YAAa,IAAIC,EAAAA,IAAYC,GAAawtC,EAAextC,QAuErDlC,KAAKqvC,QAAUA,EACfrvC,KAAKuB,SAAU,CACjB,CAAE,MAAOP,GACP,GAAIA,aAAa2uC,EAAAA,GACf,OAKF,MAFA3vC,KAAKuB,SAAU,EAETP,CACR,CApFN,IAA4BqE,EAAQqqC,CAoF9B,GACCpzC,KAAKoX,OAAO,YACjB,EAEAxH,OAAAA,GACE5P,KAAK4D,YAAY,KAAK,KACpBF,KAAK4vC,eAEE,IAEX,EAEAlvC,aAAAA,GACyB,OAAnBV,KAAKkC,WAAoBlC,KAAKkC,YAElClC,KAAKmvC,gBAAiB,EACtB7yC,KAAKqE,gBAAgB,IACvB,EAEAE,QAAS,CACP,iBAAM+uC,GACA5vC,KAAKqvC,QAAQzoC,OAAS,IACxB5G,KAAKkvC,aAAc,EACnBlvC,KAAKmvC,gBAAiB,QAChBnvC,KAAKsvC,OAAOO,UAEpB7vC,KAAK8gC,MAAMzQ,MAAMI,OACnB,EAEAqf,WAAAA,GACE9vC,KAAK8gC,MAAMzQ,MAAM0f,OACjB/vC,KAAKmvC,gBAAiB,EACtBnvC,KAAKkvC,aAAc,CACrB,EAEA7pC,MAAAA,GACErF,KAAKivC,gBACP,EAEAe,IAAAA,CAAK9F,GACH,GAAIlqC,KAAKqvC,QAAQzoC,OAAQ,CACvB,IAAIqpC,EAAWjwC,KAAK+O,SAAWm7B,EAE3B+F,EAAW,GACbjwC,KAAK+O,SAAW/O,KAAKqvC,QAAQzoC,OAAS,EACtC5G,KAAKkwC,wBACID,EAAWjwC,KAAKqvC,QAAQzoC,OAAS,GAC1C5G,KAAK+O,SAAW,EAChB/O,KAAKkwC,wBACID,GAAY,GAAKA,EAAWjwC,KAAKqvC,QAAQzoC,SAClD5G,KAAK+O,SAAWkhC,EAChBjwC,KAAKkwC,uBAET,CACF,EAEAA,oBAAAA,GACE,MAAMC,EAAYnwC,KAAK8gC,MAAM/xB,SACvBqhC,EAAYpwC,KAAK8gC,MAAMsP,UAE7BpwC,KAAKyB,WAAU,KACT0uC,IAEAA,EAAU,GAAGE,UACbD,EAAU9f,UACR8f,EAAUE,aACVH,EAAU,GAAGG,eAEfF,EAAU9f,UACR6f,EAAU,GAAGE,UACbF,EAAU,GAAGG,aACbF,EAAUE,cAEVH,EAAU,GAAGE,UAAYD,EAAU9f,YACrC8f,EAAU9f,UAAY6f,EAAU,GAAGE,WAEvC,GAEJ,EAEAE,6BAAAA,CAA8B1qB,GAC5B,IAAIA,EAAM2qB,aAAiC,MAAlB3qB,EAAMihB,SAEP,KAApB9mC,KAAKovC,WAAmB,CAC1B,MAAMzrC,EAAWmP,IACf9S,KAAKywC,gBACLC,GAAOA,EAAIzY,QAAUj4B,KAAK+O,WAG5B/O,KAAK2wC,qBAAqBhtC,GAAU,EACtC,CACF,EAEAgtC,oBAAAA,CAAqBhtC,EAAUitC,GAAiB,GACvB,OAAnB5wC,KAAKkC,WAAoBlC,KAAKkC,YAElClC,KAAK8vC,cAEL,IAAIh1B,EAAMxe,KAAKwe,IACZ,cAAanX,EAAStC,gBAAgBsC,EAAS0I,cAGzB,SAArB1I,EAASktC,UACX/1B,GAAO,SAGT81B,EACIl/B,OAAOgY,KAAK5O,EAAK,UACjBxe,KAAKO,MAAM,CAAEie,MAAKwO,QAAQ,GAChC,GAGFzkB,SAAU,CACR4rC,cAAAA,GACE,OAAOrzB,IAAIpd,KAAKqvC,SAAS,CAACtY,EAAMkB,I,+VAAKn3B,CAAA,CAAQm3B,SAAUlB,IACzD,EAEA+Z,eAAAA,GACE,OAAOC,IACL3zB,IAAIpd,KAAKywC,gBAAgB1Z,IAAG,CAC1B11B,aAAc01B,EAAK11B,aACnB2vC,cAAeja,EAAKia,kBAEtB,eAEJ,EAEAC,gBAAAA,GACE,OAAO7zB,IAAIpd,KAAK8wC,iBAAiB/R,IAAI,CACnC19B,aAAc09B,EAAM19B,aACpB2vC,cAAejS,EAAMiS,cACrBE,MAAO7zB,IACLrd,KAAKywC,gBACL1Z,GAAQA,EAAK11B,eAAiB09B,EAAM19B,kBAG1C,IC5WJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8JDJzDhE,EAAAA,EAAAA,oBAwIM,MAxINC,EAwIM,EAvIJR,EAAAA,EAAAA,oBAsIM,MAtIN6B,EAsIM,EApIJ7B,EAAAA,EAAAA,oBAyBM,MAzBNW,EAyBM,EAxBJC,EAAAA,EAAAA,aAKEkR,EAAA,CAJA1R,KAAK,SACLqkC,MAAM,KACNxkC,MAAM,8BACL6sB,MAAO,CAAAunB,IAAA,U,qBAGVr0C,EAAAA,EAAAA,oBAgBE,SAfAS,KAAK,gBACL2N,IAAI,QACH+6B,UAAO,yDAAan/B,EAAAypC,+BAAAzpC,EAAAypC,iCAAAtpC,IAA6B,8EAC/BH,EAAAgpC,aAAAhpC,EAAAgpC,eAAA7oC,IAAW,uEACPH,EAAAkpC,KAAK,IAAD,2EACNlpC,EAAAkpC,MAAM,IAAF,uB,qCAChBlyC,EAAAsxC,WAAU5nC,GAClB4pC,QAAKpqC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA8oC,aAAA9oC,EAAA8oC,eAAA3oC,IACR/J,KAAK,SACJ62B,YAAaj2B,EAAAM,GAAG,qBACjBrB,MAAM,iMACNC,KAAK,SACJ,aAAYc,EAAAM,GAAG,UACf,iBAAkC,IAAnBN,EAAAqxC,eAA0B,OAAS,QACnDkC,WAAW,S,0BARFvzC,EAAAsxC,eAAU,yBAYvB7wC,EAAAA,EAAAA,aAwGW+yC,EAAAA,SAAA,CAxGDrF,GAAG,QAAM,EACjBvuC,EAAAA,EAAAA,aAuFa0wC,EAAAA,WAAA,CAtFX,qBAAmB,mCACnB,mBAAiB,YACjB,iBAAe,cACf,qBAAmB,kCACnB,mBAAiB,cACjB,iBAAe,a,wBAEf,IA8EM,uBA9ENtxC,EAAAA,EAAAA,oBA8EM,MA9ENyR,EA8EM,CAvEIzQ,EAAAyD,UAAO,kBADflE,EAAAA,EAAAA,oBAKM,MALN+W,EAKM,EADJ1W,EAAAA,EAAAA,aAA2C6zC,EAAA,CAAnCx0C,MAAM,gBAAgBwkC,MAAM,W,+BAK9BzjC,EAAAuxC,QAAQzoC,OAAS,IAAH,kBADtBvJ,EAAAA,EAAAA,oBAkDM,MAlDNoX,EAkDM,uBA5CJpX,EAAAA,EAAAA,oBA2CM8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YA3CepH,EAAAmqC,kBAATlS,K,kBAAZ1hC,EAAAA,EAAAA,oBA2CM,OA3CkC+J,IAAK23B,EAAMiS,e,EACjDl0C,EAAAA,EAAAA,oBAIK,KAJL8Y,GAIKhX,EAAAA,EAAAA,iBADAmgC,EAAMiS,eAAa,IAGxBl0C,EAAAA,EAAAA,oBAmCK,iCAlCHO,EAAAA,EAAAA,oBAiCK8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAhCY6wB,EAAMmS,OAAdna,K,kBADT15B,EAAAA,EAAAA,oBAiCK,MA/BF+J,IAAK2vB,EAAK11B,aAAe,IAAM01B,EAAKkB,M,WACpC/sB,IAAK6rB,EAAKkB,QAAUn6B,EAAAiR,SAAW,WAAa,M,EAE7CjS,EAAAA,EAAAA,oBA2BS,UA1BNS,KAAMw5B,EAAK11B,aAAe,IAAM01B,EAAKkB,MACrClxB,QAAK,yBAAQD,EAAA6pC,qBAAqB5Z,GAAM,IAAF,mCAC1BjwB,EAAA6pC,qBAAqB5Z,GAAM,IAAF,kCACzBjwB,EAAA6pC,qBAAqB5Z,GAAM,IAAF,WACtCh6B,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qLAAoL,C,4BAC3H7I,EAAAiR,WAAagoB,EAAKkB,M,+BAA+Dn6B,EAAAiR,WAAagoB,EAAKkB,U,CAM1JlB,EAAK3hB,SAAM,kBADnB/X,EAAAA,EAAAA,oBAQE,O,MANCiY,IAAKyhB,EAAK3hB,OACXrY,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,yBAAwB,C,eACsBowB,EAAK2I,Q,SAA6C3I,EAAK2I,Y,6CAM7G5iC,EAAAA,EAAAA,oBAKM,MALNqY,EAKM,EAJJrY,EAAAA,EAAAA,oBAAuB,UAAA8B,EAAAA,EAAAA,iBAAjBm4B,EAAKr4B,OAAK,GACPq4B,EAAKya,WAAQ,kBAAtBn0C,EAAAA,EAAAA,oBAEI,IAFJgY,GAEIzW,EAAAA,EAAAA,iBADCm4B,EAAKya,UAAQ,kD,0DAWrB1zC,EAAAyD,SAA8B,IAAnBzD,EAAAuxC,QAAQzoC,QAOnB,iCAPyB,kBADlCvJ,EAAAA,EAAAA,oBAUM,MAVNykC,EAUM,EALJhlC,EAAAA,EAAAA,oBAIK,KAJLyY,GAIK3W,EAAAA,EAAAA,iBADAd,EAAAM,GAAG,sBAAD,sBA1EDN,EAAAqxC,qB,OAgFZzxC,EAAAA,EAAAA,aAaa0wC,EAAAA,WAAA,CAZX,qBAAmB,mCACnB,mBAAiB,YACjB,iBAAe,cACf,qBAAmB,kCACnB,mBAAiB,cACjB,iBAAe,a,wBAEf,IAIE,EAJF1wC,EAAAA,EAAAA,aAIE+zC,EAAA,CAHC1qC,QAAOD,EAAAgpC,YACPz5B,KAAMvY,EAAAoxC,YACPnyC,MAAM,0C,6CC/H0D,CAAC,SAAS,qB,2ECEtF,MAAM20C,EAAU,CACd,EAAG,iCACH,EAAG,yBACH,EAAG,4CACH,EAAG,2BAGL,GACEz0C,MAAO,CACLM,KAAM,CAAEL,KAAMC,OAAQC,QAAS,WAC/BsJ,MAAO,CACLtJ,QAAS,EACTF,KAAMoyB,SAIVzqB,SAAU,CACRoI,SAAAA,GACE,MAAO,IAAMjN,KAAK0G,KACpB,EACAgrC,OAAAA,GACE,OAAOA,EAAQ1xC,KAAK0G,MACtB,ICxBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDnI,EAAAA,EAAAA,cAEY4P,EAAAA,EAAAA,yBAFIrH,EAAAmG,WAAS,CAAGlQ,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA4qC,SAAUn0C,KAAMC,EAAAD,M,wBACjD,IAAQ,EAARM,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,2BCGgE,CAAC,SAAS,gB,qFCJjFhB,MAAM,aAMX,SAAiB,ECFjB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDM,EAAAA,EAAAA,oBAEI,IAFJC,EAEI,EADFO,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCGgE,CAAC,SAAS,iB,2FCJnEhB,MAAM,sC,gBAiBzB,SACEE,MAAO,CAAC,OAAQ,UCdlB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mJDJ9CO,EAAA0jB,OAAI,kBAAf7jB,EAAAA,EAAAA,oBAaM,MAbNC,EAaM,EAZJR,EAAAA,EAAAA,oBAAsC,QAAhCC,MAAM,UAAU8J,UAAQrJ,EAAA0jB,M,WAC9BxjB,EAAAA,EAAAA,aAUUi0C,EAAA,CAVA/sB,SAAU,CAAC,SAAUE,UAAU,a,CAO5BnpB,SAAO6Y,EAAAA,EAAAA,UAChB,IAAmD,EAAnD9W,EAAAA,EAAAA,aAAmDk0C,EAAA,CAAnC/qC,UAAQrJ,EAAA0jB,KAAO,YAAW1jB,EAAA+jC,O,4DAP5C,IAIE,EAJF7jC,EAAAA,EAAAA,aAIEkR,EAAA,CAHCuyB,OAAO,EACRjkC,KAAK,uBACLH,MAAM,uD,2CCF8D,CAAC,SAAS,wB,qFCHlFsiC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,gB,IAEPpkC,EAAAA,EAAAA,oBAAoC,QAA9BkkC,EAAE,2BAAyB,UACjClkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iJAA+I,UAEnJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wL,UCdR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAgBM,MAhBNC,EAgBMiR,E,GCboE,CAAC,SAAS,oC,qFCFlF8wB,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2I,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+F,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,mC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qF,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,gC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8D,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+D,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6D,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,yC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4D,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,yC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6F,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2a,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,4B,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yQ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iM,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sP,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qD,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yF,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gL,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4S,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0F,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oK,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oC,UClBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GCjBoE,CAAC,SAAS,+B,qFCDlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sJ,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wM,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iD,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gD,UClBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GCjBoE,CAAC,SAAS,iC,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2F,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iK,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6G,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iK,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kB,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iD,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iC,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,0C,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iC,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,0C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,2C,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8B,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kB,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mB,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gB,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iB,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gJ,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gK,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mK,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+C,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2F,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yC,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,ue,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oC,UCnBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GClBoE,CAAC,SAAS,4B,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0J,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oM,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0F,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4J,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2F,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,4C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+K,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mK,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8E,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wE,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,sC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yE,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qI,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAGE,QAFA,eAAa,IACbkkC,EAAE,kJ,UCVR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6G,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+E,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8G,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,yC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oK,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,0C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+J,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4H,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wI,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qD,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,0C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oC,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2H,UClBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GCjBoE,CAAC,SAAS,4B,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4S,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAGE,QAFA,eAAa,IACbkkC,EAAE,wH,UCVR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2J,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kR,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kJ,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uE,UClBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GCjBoE,CAAC,SAAS,6B,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6E,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6H,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,mC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8I,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wM,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6K,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uC,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+H,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oN,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uM,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iN,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6D,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,0C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8H,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oN,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8B,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sF,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oC,UClBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GCjBoE,CAAC,SAAS,uC,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gG,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6F,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uN,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oK,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0B,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0B,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0B,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mB,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0G,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,Y,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6C,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0I,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6I,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oC,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,sC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wH,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iD,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0H,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yN,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kP,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+P,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kP,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6J,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,mC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oG,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sC,UCnBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GClBoE,CAAC,SAAS,6B,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+D,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sF,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,6C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gL,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qP,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+Q,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6J,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,2C,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sK,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+G,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4C,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2J,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6E,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+F,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oJ,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,iBAAe,QACf,eAAa,IACbkkC,EAAE,yK,UCXR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMG,E,GCVoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,+C,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qG,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6B,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4J,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yO,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kM,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qM,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,0C,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,8C,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gD,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gD,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4G,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0M,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2W,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,6B,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uQ,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,6I,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sC,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sE,UClBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBMM,E,GCjBoE,CAAC,SAAS,6B,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yJ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oK,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oD,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,yC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oD,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAGE,QAFA,eAAa,IACbkkC,EAAE,4F,UCVR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,8B,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gI,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wM,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,4N,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wO,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,gC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oH,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,gI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,mFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mC,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kC,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAGE,QAFA4T,KAAK,OACLswB,EAAE,mE,UAEJlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2P,UChBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAkBM,MAlBNC,EAkBMM,E,GCfoE,CAAC,SAAS,8B,qFCFlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wF,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qI,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0Q,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,oF,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iH,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yO,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,oFCDlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,sI,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0M,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wQ,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,oFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,qN,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mC,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAME,QALA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,iIACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wC,UCnBR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAqBM,MArBNC,EAqBMM,E,GClBoE,CAAC,SAAS,kC,qFCDlFyhC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,0L,UCbR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCZoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,2I,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wB,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,0B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,wE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,yE,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACN3uB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,eACPK,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,uD,UCZR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMG,E,GCXoE,CAAC,SAAS,gC,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,yfAAuf,UCR/f,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iQAA+P,UCPvQ,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6JACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,iC,oFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAA+C,QAAzCkkC,EAAE,sCAAoC,UAC5ClkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yFACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,8B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uJACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,sC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6JACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,sC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6JACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,uC,mFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6JACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,2IACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,gC,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,2IACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,sC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wIACF,YAAU,W,UCRhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,sC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,2IACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,2IACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qZACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oTACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kiBACF,YAAU,W,UCRhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8HACF,YAAU,W,UCRhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,0B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0VACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sIAAoI,UCP5I,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8OAA4O,UCNpP,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCLoE,CAAC,SAAS,+B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAA6D,QAAvDkkC,EAAE,oDAAkD,UCN9D,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAMM,MANNC,EAMMG,E,GCJoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wFACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+MACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sGAAoG,UCb5G,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAeM,MAfNC,EAeMM,E,GCZoE,CAAC,SAAS,gC,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6lBACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qbACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yJACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,+B,oFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6MACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oJACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sMAAoM,UCR5M,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAAiD,QAA3CkkC,EAAE,wCAAsC,UAC9ClkC,EAAAA,EAAAA,oBAAyD,QAAnDkkC,EAAE,gDAA8C,UCR1D,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBASM,MATNC,EASMM,E,GCNoE,CAAC,SAAS,+B,oFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6KACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6KACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uHACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,6EAA2E,UAE/ElkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,6GAA2G,UCVnH,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,+B,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qHACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+NACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+NACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uHACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oHACF,YAAU,W,UCfhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAiBM,MAjBNC,EAiBMM,E,GCdoE,CAAC,SAAS,yC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8NACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,sC,mFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qHACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,mC,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,gC,oFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAA2B,QAArBkkC,EAAE,kBAAgB,UACxBlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yOACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,2B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAA2D,QAArDkkC,EAAE,kDAAgD,UACxDlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8FAA4F,UCPpG,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBASM,MATNC,EASMM,E,GCNoE,CAAC,SAAS,gC,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAA8C,QAAxCkkC,EAAE,qCAAmC,UAC3ClkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,gMACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,qC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAA8C,QAAxCkkC,EAAE,qCAAmC,UAC3ClkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,0NAAwN,UCThO,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCRoE,CAAC,SAAS,oC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAA8C,QAAxCkkC,EAAE,qCAAmC,UAC3ClkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sOACF,YAAU,W,UCXhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,oC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8EAA4E,UCRpF,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qOACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,oC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,kLAAgL,UAEpLlkC,EAAAA,EAAAA,oBAAuC,QAAjCkkC,EAAE,8BAA4B,UCTxC,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBASM,MATNC,EASMM,E,GCPoE,CAAC,SAAS,kC,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oTACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+fACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,0B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sJAAoJ,UCR5J,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8MACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAAqD,QAA/CkkC,EAAE,4CAA0C,UAClDlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0HACF,YAAU,W,UCXhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,iC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,kUAAgU,UCRxU,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,01BACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,sC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mKACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,0C,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8OAA4O,UAEhPlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,udACF,YAAU,W,UCZhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCXoE,CAAC,SAAS,qC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,ugBACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uMACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,oC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,2PACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,gQACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+aACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,gFAA8E,UAElFlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,6EAA2E,UAE/ElkC,EAAAA,EAAAA,oBAA2E,QAArEkkC,EAAE,kEAAgE,UCb5E,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAcM,MAdNC,EAcMiR,E,GCXoE,CAAC,SAAS,+B,qFCDlF8wB,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wKACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,sC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iGACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,mC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iGACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sGACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6KACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wNACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,qGAAmG,UAEvGlkC,EAAAA,EAAAA,oBAAiE,QAA3DkkC,EAAE,wDAAsD,UCVlE,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCRoE,CAAC,SAAS,wC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0NACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,qC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,+GAA6G,UAEjHlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sHACF,YAAU,W,UCZhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCXoE,CAAC,SAAS,qC,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qLACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,4EACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2C,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,kGAAgG,UCRxG,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,qC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,gGAA8F,UCPtG,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAA4E,QAAtEkkC,EAAE,mEAAiE,UACzElkC,EAAAA,EAAAA,oBAAgE,QAA1DkkC,EAAE,uDAAqD,UCRjE,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBASM,MATNC,EASMM,E,GCNoE,CAAC,SAAS,gC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kMACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oNACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,wC,oFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sGAAoG,UAExGlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,wFAAsF,UCV9F,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,mC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAA4C,QAAtCkkC,EAAE,mCAAiC,UACzClkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0IACF,YAAU,W,UCXhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,0B,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+PACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,+IAA6I,UCZrJ,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCXoE,CAAC,SAAS,6B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,wIAAsI,UCR9I,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,kC,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8LACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qPACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0GACF,YAAU,W,UCpBhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAsBM,MAtBNC,EAsBMiR,E,GCnBoE,CAAC,SAAS,kC,oFCFlF8wB,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0cACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qGACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,yEAAuE,UCP/E,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,yEAAuE,UAE3ElkC,EAAAA,EAAAA,oBAME,QALAokC,OAAO,OACP,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbF,EAAE,kB,UCfR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAiBM,MAjBNC,EAiBMM,E,GCdoE,CAAC,SAAS,gC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,yEAAuE,UAE3ElkC,EAAAA,EAAAA,oBAME,QALAokC,OAAO,OACP,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbF,EAAE,4B,UCfR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAiBM,MAjBNC,EAiBMM,E,GCdoE,CAAC,SAAS,qC,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,gFACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sEAAoE,UCZ5E,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCXoE,CAAC,SAAS,iC,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,yEAAuE,UAE3ElkC,EAAAA,EAAAA,oBAME,QALAokC,OAAO,OACP,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbF,EAAE,W,UCdR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAeM,MAfNC,EAeMM,E,GCboE,CAAC,SAAS,mC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,gKACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAAqE,QAA/DkkC,EAAE,4DAA0D,UCZtE,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,2B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oSACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qrBACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,+B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kKACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sTACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,gHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,oMAAkM,UCP1M,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yRACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iGACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,4HAA0H,UAE9HlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,qHAAmH,UCX3H,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,8B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,wC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sIACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,0B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,4OACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,qYAAmY,UCR3Y,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,gC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mHACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iTACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8FACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yGACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,+IAA6I,UCRrJ,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6KACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,0EAAwE,UAE5ElkC,EAAAA,EAAAA,oBAAoE,QAA9DkkC,EAAE,2DAAyD,UCVrE,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCRoE,CAAC,SAAS,2B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,gOACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,0B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kJACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iJACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,+B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iJACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kJACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kGACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wKACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kDACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qEACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,qEAAmE,UCR3E,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,uMAAqM,UCP7M,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,gC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6FACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAAwD,QAAlDkkC,EAAE,+CAA6C,UCXzD,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,gC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,qC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,6JAA2J,UCPnK,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,2IACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,2HAAyH,UCPjI,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iFAA+E,UAEnFlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yFACF,YAAU,W,UCXhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,gC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iNAA+M,UCRvN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,0IAAwI,UAE5IlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iNAA+M,UCVvN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,oC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iNAA+M,UAEnNlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sMAAoM,UCX5M,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,sC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8KAA4K,UAEhLlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iNAA+M,UCXvN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,oC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6FACF,YAAU,W,UCRhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0GACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wFACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6GACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,oQACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,2C,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uSACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4C,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iKACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,+QAA6Q,UCRrR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,6OACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8SAA4S,UCbpT,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAeM,MAfNC,EAeMM,E,GCZoE,CAAC,SAAS,6B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yLACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,yC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uNACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0NACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uSACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sKACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8IAA4I,UCPpJ,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8EAA4E,UAEhFlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,uGAAqG,UCV7G,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,0B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sMAAoM,UCR5M,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,qMAAmM,UAEvMlkC,EAAAA,EAAAA,oBAA+D,QAAzDkkC,EAAE,sDAAoD,UCThE,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBASM,MATNC,EASMM,E,GCPoE,CAAC,SAAS,6B,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mkBACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kOACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,oFAAkF,UCb1F,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAeM,MAfNC,EAeMM,E,GCZoE,CAAC,SAAS,+B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAA2C,QAArCkkC,EAAE,kCAAgC,UACxClkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wHACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMM,E,GCToE,CAAC,SAAS,mC,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iOACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mMACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,6B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,0JAAwJ,UCRhK,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kRACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8OACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,wC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0MACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,2RAAyR,UCRjS,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,mC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,+NAA6N,UCPrO,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,6NAA2N,UCRnO,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0VACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iIACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,4VAA0V,UCRlW,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,0hBAAwhB,UCNhiB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCLoE,CAAC,SAAS,oC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+aACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mGACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,ufACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,0B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sgBACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,wOAAsO,UCP9O,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,uC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,0OAAwO,UCNhP,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCLoE,CAAC,SAAS,qC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qJACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,uJACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,0B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,uMAAqM,UCP7M,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,wNACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,4OAA0O,UCRlP,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,2OAAyO,UCRjP,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,iGAA+F,UCRvG,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,ujBACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,gC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8MACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,4B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0KACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,mC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,2KACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,uFAAqF,UAEzFlkC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,mMAAiM,UCXzM,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCVoE,CAAC,SAAS,4B,qFCDlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,yLACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,6B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,sDACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,2B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,2IAAyI,UCPjJ,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,8B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+JACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,uPAAqP,UCR7P,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,gC,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8FAA4F,UCPpG,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAQM,MARNC,EAQMG,E,GCNoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,oLAAkL,UCR1L,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,4B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,olBACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,8JAA4J,UCRpK,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sMAAoM,UCR5M,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,iC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,wQAAsQ,UCR9Q,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,6RAA2R,UCRnS,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCPoE,CAAC,SAAS,kC,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,+LACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,+B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,kUACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,gC,oFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,gdACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,+B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,8VACF,YAAU,W,UCThB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAUM,MAVNC,EAUMG,E,GCRoE,CAAC,SAAS,2B,qFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,qMACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,wB,oFCFlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,0NACF,YAAU,W,UCVhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAYM,MAZNC,EAYMG,E,GCToE,CAAC,SAAS,8B,qFCDlF4hC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,gB,IAEL5T,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,uFAAqF,UAEzFlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mHACF,YAAU,W,UCZhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDFzD/qC,EAAAA,EAAAA,oBAaM,MAbNC,EAaMM,E,GCXoE,CAAC,SAAS,6B,qFCFlFyhC,MAAM,6BACND,QAAQ,YACR1uB,KAAK,eACL6wB,MAAM,KACNE,OAAO,M,IAEP3kC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,mHACF,YAAU,W,UAEZlkC,EAAAA,EAAAA,oBAIE,QAHA,YAAU,UACVkkC,EAAE,iDACF,YAAU,W,UCfhB,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAiBM,MAjBNC,EAiBMM,E,GCdoE,CAAC,SAAS,8B,qFCE5Eb,MAAM,Q,ogCAShB,SACEE,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+N,OAAQ5N,OACRyF,OAAQzF,OACRrJ,MAAO,CAAEhJ,QAAS,SAGpByD,QAAS,CACPm/B,QAAAA,CAAS9qB,GACP,OAAOA,EAAOlV,KAAKoG,QAAU,EAC/B,EAEA65B,kBAAAA,CAAmBzhB,EAAW/H,GAC5B,IACI0J,EAAOrf,EAAAA,EAAA,GADId,KAAKqd,OAAOE,cACC,IAAE,CAACiB,GAAY/H,IAE3CzW,KAAK85B,OAAOrf,OAAQ,GAAEza,KAAKqB,iCAAkC,CAC3Dud,YAAa5e,KAAKqd,OAAOtgB,MACzB8R,MAAOsR,IAGTngB,KAAKzD,MAAM,SACb,GAGFsI,SAAU,CACR0Y,YAAAA,GACE,IAAI1O,EAAQ7O,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,kCACtCrB,KAAKqd,OAAOtgB,MACZiD,KAAKkV,OAAOrG,OAGd,OAAQpS,IAAMoS,GAAiB,KAARA,CACzB,EAEAqxB,SAAAA,GACE,OAA4B,GAArBlgC,KAAKud,YACd,EAEAs0B,SAAAA,GACE,IAAIhjC,EAAQ7O,KAAKud,aAEjB,OAAc,IAAV1O,KAEiB,IAAVA,GACF,KAIX,IC/DJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6FDJzDxR,EAAAA,EAAAA,oBAQM,OAPJN,MAAM,oBACLgK,QAAKC,EAAA,KAAAA,EAAA,GAAAQ,GAAEV,EAAAm5B,mBAAmBziC,EAAA0X,OAAOrG,MAAO/H,EAAA+qC,a,EAEzCn0C,EAAAA,EAAAA,aAAsDo0C,EAAA,CAAxCjjC,MAAO/H,EAAAyW,aAAew0B,UAAU,G,mBAC9Cj1C,EAAAA,EAAAA,oBAEO,OAFPQ,GAEOsB,EAAAA,EAAAA,iBADFkI,EAAAk5B,SAASxiC,EAAA0X,SAAM,I,GCFoD,CAAC,SAAS,0B,gbCDtF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,iB,qFCH7DmqB,MAAM,6BAA6BD,QAAQ,a,IAC9CtiC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,oHAAkH,UCF1H,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAIM,MAJNC,EAIMG,E,GCDoE,CAAC,SAAS,iB,qFCH/E4hC,MAAM,6BAA6BD,QAAQ,a,IAC9CtiC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,sOAAoO,UCF5O,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAIM,MAJNC,EAIMG,E,GCDoE,CAAC,SAAS,uB,qFCH/E4hC,MAAM,6BAA6BD,QAAQ,a,IAC9CtiC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,uIAAqI,UCF7I,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAIM,MAJNC,EAIMG,E,GCDoE,CAAC,SAAS,kB,qFCH/E4hC,MAAM,6BAA6BD,QAAQ,a,IAC9CtiC,EAAAA,EAAAA,oBAA4D,QAAtDkkC,EAAE,mDAAiD,UCD7D,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEM,MAFNC,EAEMG,E,GCCoE,CAAC,SAAS,mB,qFCH/E4hC,MAAM,6BAA6BD,QAAQ,a,IAC9CtiC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,mPAAiP,UCFzP,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAIM,MAJNC,EAIMG,E,GCDoE,CAAC,SAAS,iB,oFCH/E4hC,MAAM,6BAA6BD,QAAQ,e,6oPCAlD,MAAMgJ,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAqOM,MArONC,EAqOMG,E,GClOoE,CAAC,SAAS,sB,4ECQtF,SACER,MAAO,CACLC,KAAM,CACJA,KAAMC,OACNC,QAAS,UAEX+jC,MAAO,CACLjkC,KAAMwC,QACNtC,SAAS,IAIbyH,SAAU,CACR+kB,KAAAA,GACE,OAAO5pB,KAAKmhC,MAAQ,QAAU,SAChC,EAEA6Q,QAAAA,GACE,MAAQ,aAAYhyC,KAAK4pB,SAAS5pB,KAAK9C,MACzC,EAEAkiC,OAAAA,GACE,OAAOp/B,KAAKmhC,MAAQ,YAAc,WACpC,EAEAI,KAAAA,GACE,OAAOvhC,KAAKmhC,MAAQ,GAAK,EAC3B,EAEAM,MAAAA,GACE,OAAOzhC,KAAKmhC,MAAQ,GAAK,EAC3B,ICtCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzD5iC,EAAAA,EAAAA,cAOE4P,EAAAA,EAAAA,yBALKrH,EAAAkrC,UAAQ,CADbj1C,MAAM,eAENC,KAAK,eACJukC,MAAOz6B,EAAAy6B,MACPE,OAAQ36B,EAAA26B,OACRrC,QAASt4B,EAAAs4B,S,uCCF8D,CAAC,SAAS,a,qFCHlF4B,EAAE,qFCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,gB,qFCFlFP,MAAM,yBACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,IACPrC,QAAQ,Y,IAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,mR,UCTR,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAWM,MAXNC,EAWMG,E,GCRoE,CAAC,SAAS,kB,4ECwBtF,SACER,MAAO,CACL4R,MAAO,CACL3R,KAAMwC,QACNtC,SAAS,GAGXgiC,QAAS,CACPhiC,QAAS,aAGXqkC,OAAQ,CACNrkC,QAAS,IAGXmkC,MAAO,CACLnkC,QAAS,IAGX20C,SAAU,CACR70C,KAAMwC,QACNtC,SAAS,KC5Cf,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,oEDHjDI,EAAAqR,QAAK,kBADbtQ,EAAAA,EAAAA,aAOEqQ,EAAA,C,MALCwwB,QAAS5hC,EAAA4hC,QACTmC,MAAO/jC,EAAA+jC,MACPE,OAAQjkC,EAAAikC,OACTvkC,KAAK,eACLH,MAAM,kB,sCAGKS,EAAAu0C,UAAqB,MAATv0C,EAAAqR,QAAK,kBAD9BtQ,EAAAA,EAAAA,aAOEqQ,EAAA,C,MALCwwB,QAAS5hC,EAAA4hC,QACTmC,MAAO/jC,EAAA+jC,MACPE,OAAQjkC,EAAAikC,OACTvkC,KAAK,eACLH,MAAM,oC,0DAERwB,EAAAA,EAAAA,aAOEqQ,EAAA,C,MALCwwB,QAAS5hC,EAAA4hC,QACTmC,MAAO/jC,EAAA+jC,MACPE,OAAQjkC,EAAAikC,OACTvkC,KAAK,WACLH,MAAM,gB,wCClBkE,CAAC,SAAS,oB,qFCHlFikC,EAAE,2KCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,wB,qFCFlF,YAAU,UACV0jC,EAAE,qPCFN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAGE,OAHFC,E,GCG0E,CAAC,SAAS,mB,qFCFlF0jC,EAAE,iMCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,qB,oFCFlF0jC,EAAE,+OCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,iB,qFCFlF,YAAU,UACV0jC,EAAE,wQCFN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAGE,OAHFC,E,GCG0E,CAAC,SAAS,mB,qFCFlF,YAAU,UACV0jC,EAAE,oOCFN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAGE,OAHFC,E,GCG0E,CAAC,SAAS,wB,qFCHjFoT,KAAK,OAAO,YAAU,W,IACvB5T,EAAAA,EAAAA,oBAAyD,UAAjDC,MAAM,eAAek1C,GAAG,MAAMC,GAAG,MAAMn/B,EAAE,O,UACjDjW,EAAAA,EAAAA,oBAIA,QAHEkkC,EAAE,w2BACFtwB,KAAK,OACL,YAAU,W,UCLhB,MAAM03B,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAMM,IANNC,EAMMM,E,GCHoE,CAAC,SAAS,iB,qFCFlFojC,EAAE,sHCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,iB,qFCFlF0jC,EAAE,2MCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,iB,qFCFlF,YAAU,UACV0jC,EAAE,yECFN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAGE,OAHFC,E,GCG0E,CAAC,SAAS,iB,qFCFlF0jC,EAAE,4NCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,oB,qFCFlF0jC,EAAE,uRCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,oB,qFCFlF,YAAU,UACV0jC,EAAE,0HCFN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAGE,OAHFC,E,GCG0E,CAAC,SAAS,mB,oFCFlF0jC,EAAE,8RCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,iB,qFCFlF0jC,EAAE,uRCDN,MAAMoH,EAAS,CAAC,EAKhB,GAFiC,E,SAAA,GAAgBA,EAAQ,CAAC,CAAC,S,uCDHzD/qC,EAAAA,EAAAA,oBAEE,OAFFC,E,GCG0E,CAAC,SAAS,oB,o8CCAtF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,e,wmCCmDpEqiC,EAAe,CACbX,cAAc,G,oPAjChB,MAAM,GAAE5gC,IAAOysB,EAAAA,EAAAA,KAET5tB,EAAQyhC,EAWRyT,GAASjnC,EAAAA,EAAAA,MAAI,GACbnP,GAAQmP,EAAAA,EAAAA,MAAI,GAEZknC,EAAaA,IAAOD,EAAOtjC,OAAQ,EACnCiS,EAAcA,KAClB/kB,EAAM8S,OAAQ,EACdvS,KAAKsQ,IAAK,GAAExO,EAAG,sCAAsCnB,EAAMqY,MAAM,EAG7Do8B,GAAU7sC,EAAAA,EAAAA,WAAS,IAAM,CAAC5H,EAAMyiC,SAAW,kBAE3C+M,GAAS5nC,EAAAA,EAAAA,WAAS,IAAA/D,EAAAA,EAAC,CACvB,YAAc,GAAE7D,EAAMo1C,cACD,kBAAjBp1C,EAAMq1C,QAA8B,CAAE/Q,MAAQ,GAAEtkC,EAAMo1C,eACrC,kBAAjBp1C,EAAMq1C,QAA8B,CAAE7Q,OAAS,GAAExkC,EAAMo1C,iB,6hBC9C7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,oB,+8CC6CpE,MAAM,GAAEj0C,IAAOysB,EAAAA,EAAAA,KAET5tB,EAAQyhC,EAYR6T,GAAmB1tC,EAAAA,EAAAA,WACvB,IAAMogC,EAAuBp2B,OAASm2B,EAAuBn2B,QAGzDm2B,GAAyBngC,EAAAA,EAAAA,WAAS,KAER,kBAA3B5H,EAAM0F,kBACsB,gBAA3B1F,EAAM0F,mBACR1F,EAAM8F,qBAIJkiC,GAAyBpgC,EAAAA,EAAAA,WAAS,IAEpC5H,EAAMgE,oBAAsBhE,EAAM8F,qBAAuB9F,EAAMymC,gBAI7D8O,GAA4B3tC,EAAAA,EAAAA,WAAS,IAClCmgC,EAAuBn2B,MAC1BzQ,EAAG,mBAAoB,CAAEuF,SAAU1G,EAAM+K,eACzC/K,EAAM8K,oBAGN0qC,GAAY5tC,EAAAA,EAAAA,WAAS,IACrBmgC,EAAuBn2B,MAClBvS,KAAKwe,IACT,cAAa7d,EAAM2F,eAAe3F,EAAM4F,wBAAwB5F,EAAMoE,eACvE,CACEyB,gBAAiB7F,EAAM6F,gBACvB4M,YAAwC,gBAA3BzS,EAAM0F,iBAAqC,IAAM,MAGzDsiC,EAAuBp2B,MACzBvS,KAAKwe,IAAK,cAAa7d,EAAMoE,mBAAoB,CACtDuB,YAAa3F,EAAM2F,YACnBC,cAAe5F,EAAM4F,cACrBC,gBAAiB7F,EAAM6F,gBACvBH,iBAAkB1F,EAAM0F,wBALrB,I,myBC5FT,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,yB,qFCFhE7F,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,gDACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,wwB,MAIFjkC,MAAM,8BAoBd,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,SAER7yB,MAAO,CACL0G,SAAU,CACRzG,KAAMuS,OACNH,UAAU,KCxChB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yHDJzD/Q,EAAAA,EAAAA,aA4BO0J,EAAA,CA5BDlL,MAAM,uDAAqD,C,uBAC/D,IAWM,CAXNO,GAaAR,EAAAA,EAAAA,oBAMK,KANL6B,GAMKC,EAAAA,EAAAA,iBAJDd,EAAAM,GAAG,4BAA6B,C,SAAsBN,EAAAM,GAAE,GAAIZ,EAAAmG,SAASyC,Y,IAMzE1I,EAAAA,EAAAA,aAKEkZ,EAAA,CAJA7Z,MAAM,gBACLgK,QAAKC,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,UACd6N,QAAQ,UACPhE,MAAOtI,EAAAM,GAAG,W,6BCtB2D,CAAC,SAAS,yB,4RCatF,MAAMnB,EAAQyhC,EAQRgU,GAAQ7tC,EAAAA,EAAAA,WAAS,IAAM5H,EAAM6G,MAAQ7G,EAAM01C,QAE3CC,GAAgB/tC,EAAAA,EAAAA,WACpB,IAAM6tC,EAAM7jC,MALM,IAKiB6jC,EAAM7jC,OANxB,KASbgkC,GAAehuC,EAAAA,EAAAA,WAAS,IAAM6tC,EAAM7jC,MATvB,K,iSCnBnB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,yB,qFCH7D9R,MAAM,4CAsBb,SACE+yB,MAAO,CAAC,kBAER7yB,MAAO,CACLsK,QAAS,CACPrK,KAAMC,SAIV0D,QAAS,CAIP6yB,YAAAA,CAAa7N,GACX7lB,KAAKzD,MAAM,iBAAkBspB,GAAO3kB,QAAQ2N,OAAS,GACvD,ICjCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6HDJzDxR,EAAAA,EAAAA,oBAkBM,MAlBNC,EAkBM,EAjBJI,EAAAA,EAAAA,aAKEkR,EAAA,CAJA1R,KAAK,SACLqkC,MAAM,KACNxkC,MAAM,8BACL6sB,MAAO,CAAAunB,IAAA,UAGVzzC,EAAAA,EAAAA,aASEo1C,EAAA,CARAv1C,KAAK,eACLR,MAAM,kGACLg3B,YAAaj2B,EAAAM,GAAG,UACjBlB,KAAK,SACJ2R,MAAOrR,EAAA+J,QACPoN,QAAO7N,EAAA4sB,aACR2d,WAAW,QACV,aAAYvzC,EAAAM,GAAG,W,2DCZsD,CAAC,SAAS,yB,utBCGtF,SAEA,ECLA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDf,EAAAA,EAAAA,oBAGE,SAHFkjC,EAAAA,EAAAA,Y,+VAAAz/B,CAAA,GACehD,EAAAqhC,QAAM,CACnBpiC,MAAM,mIAAgI,Q,GCE9D,CAAC,SAAS,mB,sICmBzEA,MAAM,oC,eAebD,EAAAA,EAAAA,oBAQM,OAPJC,MAAM,kCACNsiC,MAAM,6BACND,QAAQ,mC,EAERtiC,EAAAA,EAAAA,oBAEE,QADAkkC,EAAE,6WAAwW,I,yyBAyEpX,SACElR,MAAO,CAAC,QAAS,QAAS,QAAS,SAAU,YAE7CkP,cAAc,EAEd/hC,M,+VAAK6D,CAAA,CACHvD,KAAM,CACJL,KAAMC,OACNmS,UAAU,GAEZR,SAAU,CACR5R,KAAMwC,QACNtC,SAAS,GAEX21C,SAAU,CACR71C,KAAMwC,QACNtC,SAAS,GAEXyR,MAAO,CAAC,EACRzS,KAAM,CAAC,EACP6Y,QAAS,CAAC,EACVlZ,MAAO,CACLmB,KAAMwC,QACNtC,SAAS,GAEX+sC,SAAU,CAAC,EACXn1B,SAAU,CACR9X,KAAMoyB,OACNlyB,QAAS,KAEX41C,UAAW,CACT91C,KAAMwC,QACNtC,SAAS,KAERyO,EAAAA,EAAAA,IAAS,CAAC,UAGfzP,KAAMA,KAAA,CACJ6/B,UAAW,KACX5lB,MAAM,EACN48B,YAAa,GACbC,oBAAqB,EACrB5D,OAAQ,KACR6D,WAAY,OAGdjzB,MAAO,CACL+yB,WAAAA,CAAY5tC,GACVrF,KAAKkzC,oBAAsB,EACvBlzC,KAAK8gC,MAAMsP,UACbpwC,KAAK8gC,MAAMsP,UAAU9f,UAAY,EAEjCtwB,KAAKyB,WAAU,KACbzB,KAAK8gC,MAAMsP,UAAU9f,UAAY,CAAC,IAItCtwB,KAAKi8B,WAAU,KACbj8B,KAAKzD,MAAM,QAAS8I,EAAO,GAE/B,EAEAgR,IAAAA,CAAKA,GACH,GAAIA,EAAM,CACR,IAAItH,EAAWqkC,IAAUpzC,KAAK5D,KAAM,CAClC4D,KAAKiV,QACLpT,IAAI7B,KAAK6O,MAAO7O,KAAKiV,YAEL,IAAdlG,IAAiB/O,KAAKkzC,oBAAsBnkC,GAChD/O,KAAKmzC,WAAanzC,KAAK8gC,MAAMzQ,MAAMgjB,YAEnC/2C,KAAKC,MAAM,sBAEXyD,KAAKyB,WAAU,KACbzB,KAAKsvC,QAASC,EAAAA,EAAAA,IAAavvC,KAAK8gC,MAAMzQ,MAAOrwB,KAAK8gC,MAAMwS,SAAU,CAChExuB,UAAW,eACXyuB,cAAe36B,IACb5Y,KAAK8gC,MAAMsP,UAAU9f,UAAYtwB,KAAK8gC,MAAMsP,UAAUoD,aACtDxzC,KAAKkwC,uBACLlwC,KAAK8gC,MAAMz7B,OAAOorB,OAAO,GAE3B,GAEN,MACEzwB,KAAK8gC,MAAMz7B,OAAO0qC,OACd/vC,KAAKsvC,QAAQtvC,KAAKsvC,OAAOmE,UAE7Bn3C,KAAKC,MAAM,oBAEf,GAGFwD,OAAAA,GACEC,KAAKi8B,UAAYjnB,KAASsO,GAAYA,KAAYtjB,KAAKgV,SACzD,EAEA9I,OAAAA,GACE1Q,SAASuqB,iBAAiB,UAAW/lB,KAAKqmC,aAC5C,EAEA3lC,aAAAA,GACElF,SAASu1B,oBAAoB,UAAW/wB,KAAKqmC,aAC/C,EAEAxlC,QAAS,CACPwlC,YAAAA,CAAarlC,IAEPhB,KAAKqW,MAAsB,GAAbrV,EAAE8lC,SAA6B,IAAb9lC,EAAE8lC,SACpC1lB,YAAW,IAAMphB,KAAK+mC,SAAS,GAEnC,EAEA2M,eAAAA,CAAgBx+B,GACd,OAAOrT,IAAIqT,EAAQlV,KAAKiV,QAC1B,EAEAyU,IAAAA,GACO1pB,KAAK8O,UAAa9O,KAAK+yC,WAC1B/yC,KAAKqW,MAAO,EACZrW,KAAKizC,YAAc,GACnBjzC,KAAKzD,MAAM,SAEf,EAEAwqC,KAAAA,GACE/mC,KAAKqW,MAAO,EACZrW,KAAKzD,MAAM,SACb,EAEAo3C,KAAAA,GACO3zC,KAAK8O,WACR9O,KAAKkzC,oBAAsB,KAC3BlzC,KAAKzD,MAAM,QAAS,MAExB,EAEAyzC,IAAAA,CAAK9F,GACH,IAAI+F,EAAWjwC,KAAKkzC,oBAAsBhJ,EAEtC+F,GAAY,GAAKA,EAAWjwC,KAAK5D,KAAKwK,SACxC5G,KAAKkzC,oBAAsBjD,EAC3BjwC,KAAKkwC,uBAET,EAEAA,oBAAAA,GACElwC,KAAKyB,WAAU,KACTzB,KAAK8gC,MAAM/xB,UAAY/O,KAAK8gC,MAAM/xB,SAAS,KAE3C/O,KAAK8gC,MAAM/xB,SAAS,GAAGshC,UACvBrwC,KAAK8gC,MAAMsP,UAAU9f,UACnBtwB,KAAK8gC,MAAMsP,UAAUE,aACrBtwC,KAAK8gC,MAAM/xB,SAAS,GAAGuhC,eAEzBtwC,KAAK8gC,MAAMsP,UAAU9f,UACnBtwB,KAAK8gC,MAAM/xB,SAAS,GAAGshC,UACvBrwC,KAAK8gC,MAAM/xB,SAAS,GAAGuhC,aACvBtwC,KAAK8gC,MAAMsP,UAAUE,cAIvBtwC,KAAK8gC,MAAM/xB,SAAS,GAAGshC,UAAYrwC,KAAK8gC,MAAMsP,UAAU9f,YAExDtwB,KAAK8gC,MAAMsP,UAAU9f,UAAYtwB,KAAK8gC,MAAM/xB,SAAS,GAAGshC,WAE5D,GAEJ,EAEAuD,cAAAA,CAAe/tB,GACTA,EAAM2qB,aAAiC,MAAlB3qB,EAAMihB,cAEapf,IAAxC1nB,KAAK5D,KAAK4D,KAAKkzC,uBACjBlzC,KAAKzD,MAAM,WAAYyD,KAAK5D,KAAK4D,KAAKkzC,sBACtClzC,KAAK8gC,MAAMzQ,MAAMI,QACjBzwB,KAAKyB,WAAU,IAAMzB,KAAK+mC,UAE9B,EAEA8M,MAAAA,CAAO3+B,GACLlV,KAAKkzC,oBAAsBE,IAAUpzC,KAAK5D,KAAM,CAC9C4D,KAAKiV,QACLpT,IAAIqT,EAAQlV,KAAKiV,WAEnBjV,KAAKzD,MAAM,WAAY2Y,GACvBlV,KAAK8gC,MAAMzQ,MAAM0f,OACjB/vC,KAAKyB,WAAU,IAAMzB,KAAK+mC,SAC5B,GAGFliC,SAAU,CACRivC,uBAAAA,GACE,MAAqB,IAAd9zC,KAAK6O,OAA6B,MAAd7O,KAAK6O,QAAkB7O,KAAKgzC,SACzD,IClTJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,0KDJzDl2C,EAAAA,EAAAA,oBAgDM,OAhDNyjC,EAAAA,EAAAA,YAAaziC,EAgDPqhC,OAhDa,CAAEpiC,MAAM,WAAYQ,KAAMC,EAAAD,KAAM2N,IAAI,yB,EACrDpO,EAAAA,EAAAA,oBA0BM,OAzBJoO,IAAI,QACHnE,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAOH,EAAA4iB,MAAA5iB,EAAA4iB,QAAAziB,IAAI,WAChBg/B,UAAO,yDAAgBn/B,EAAA4iB,MAAA5iB,EAAA4iB,QAAAziB,IAAI,iFACLH,EAAA4iB,MAAA5iB,EAAA4iB,QAAAziB,IAAI,gFACNH,EAAA4iB,MAAA5iB,EAAA4iB,QAAAziB,IAAI,uBACxBlK,OAAK4J,EAAAA,EAAAA,gBAAA,E,+CAA4D7I,EAAAuY,K,0BAAyC7Y,EAAAzB,M,8BAA8CyB,EAAAsR,UAAYtR,EAAAu1C,UAK/J,8FACL70C,SAAUJ,EAAAuY,MAAQ,EAAI,EACtB,iBAAwB,IAATvY,EAAAuY,KAAgB,OAAS,QACxC9Y,KAAI,GAAKC,EAAAD,iB,CAGFuJ,EAAAgtC,0BAA4Bt2C,EAAAsR,WAAQ,kBAD5CvQ,EAAAA,EAAAA,aAGEikC,EAAA,C,MADAzlC,MAAM,4C,gCAGRc,EAAAA,EAAAA,YAIOC,EAAAC,OAAA,cAJP,IAIO,EAHLjB,EAAAA,EAAAA,oBAEM,MAFNW,GAEMmB,EAAAA,EAAAA,iBADDd,EAAAM,GAAG,oBAAD,aAQF0I,EAAAgtC,yBAA4Bt2C,EAAAsR,U,iCAAQ,kBAH7CzR,EAAAA,EAAAA,oBAkBS,U,MAjBPH,KAAK,SACJ6J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA6sC,OAAA7sC,EAAA6sC,SAAA1sC,IAER/I,SAAS,KACTnB,MAAM,wCACN6sB,MAAA,YACCrsB,KAAI,GAAKC,EAAAD,qB,mCAcdgB,EAAAA,EAAAA,aAyDW+yC,EAAAA,SAAA,CAzDDrF,GAAG,QAAM,CAETnuC,EAAAuY,OAAI,kBADZhZ,EAAAA,EAAAA,oBAqDM,O,MAnDJ6N,IAAI,WACJnO,MAAM,0IACL6sB,OAAK8iB,EAAAA,EAAAA,gBAAA,CAAAnL,MAAWzjC,EAAAq1C,WAAa,KAAHY,OAAA,MAC1Bx2C,KAAI,GAAKC,EAAAD,iB,uBAGVT,EAAAA,EAAAA,oBAYE,SAXCgS,SAAUtR,EAAAsR,UAAYtR,EAAAu1C,S,qCACdj1C,EAAAm1C,YAAWzrC,GACpB0D,IAAI,SACH+6B,UAAO,yDAAgBn/B,EAAA8sC,gBAAA9sC,EAAA8sC,kBAAA3sC,IAAc,4EACfH,EAAAkpC,KAAK,IAAD,2EACNlpC,EAAAkpC,MAAM,IAAF,uBACzBjzC,MAAM,yIACNmB,SAAS,KACThB,KAAK,SACJ62B,YAAaj2B,EAAAM,GAAG,UACjBizC,WAAW,S,0BATFvzC,EAAAm1C,gBAaXn2C,EAAAA,EAAAA,oBA6BM,OA5BJoO,IAAI,YACJnO,MAAM,qCACNmB,SAAS,KACT0rB,MAAA,uBACCrsB,KAAI,GAAKC,EAAAD,gB,uBAEVF,EAAAA,EAAAA,oBAqBM8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YApBsB1Q,EAAApB,MAAI,CAAtB8Y,EAAQ+iB,M,kBADlB56B,EAAAA,EAAAA,oBAqBM,OAnBHE,KAAI,GAAKC,EAAAD,eAAe06B,IACxB7wB,IAAKN,EAAA4sC,gBAAgBx+B,G,WACrBhK,IAAK+sB,IAAUn6B,EAAAo1C,oBAAsB,WAAa,aAClDnsC,SAAKgN,EAAAA,EAAAA,gBAAAvM,GAAOV,EAAA+sC,OAAO3+B,IAAM,UAC1BnY,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,oCAAmC,C,gDACmC,IAALsxB,E,sBAA+CA,MAAK,E,2CAAiFA,IAAUn6B,EAAAo1C,oB,+CAA+Fjb,IAAUn6B,EAAAo1C,wB,EAS/Tr1C,EAAAA,EAAAA,YAIEC,EAAAC,OAAA,UAFCmX,OAAQA,EACRnG,SAAUkpB,IAAUn6B,EAAAo1C,uB,8DAM7Bx1C,EAAAA,EAAAA,aAAkE+zC,EAAA,CAAvD1qC,QAAOD,EAAAigC,MAAQ1wB,KAAMvY,EAAAuY,KAAOuT,MAAO,CAAAmqB,OAAA,O,qCCtG0B,CAAC,SAAS,oB,oyCCDtF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,0B,inBCuFpE,MAAM5rB,EAAOsW,EAGPxhC,EAAQyhC,EAURzC,EAAYjnB,KAASsO,GAAYA,KAAYrmB,EAAM+X,UAGnDs6B,GAASpkC,EAAAA,EAAAA,KAAI,MAGbskC,GAActkC,EAAAA,EAAAA,KAAI,MAClB8oC,GAAwB9oC,EAAAA,EAAAA,KAAI,MAC5B+oC,GAAyB/oC,EAAAA,EAAAA,KAAI,MAC7BgpC,GAAuBhpC,EAAAA,EAAAA,KAAI,MAC3BipC,GAAiBjpC,EAAAA,EAAAA,KAAI,MAGrBkpC,GAAalpC,EAAAA,EAAAA,KAAI,IACjBmpC,GAAgBnpC,EAAAA,EAAAA,MAAI,GACpBgoC,GAAsBhoC,EAAAA,EAAAA,KAAI,IAGhC4/B,EAAAA,EAAAA,KAAiBtvC,SAAU,WAAWwF,KAEhCqzC,EAAcxlC,OAAwB,IAAd7N,EAAE8lC,SAA+B,KAAd9lC,EAAE8lC,SAC/C1lB,YAAW,IAAM2lB,KAAS,GAC5B,KAIF7mB,EAAAA,EAAAA,OAAMk0B,GAAYj0B,IACZA,IACFk0B,EAAcxlC,OAAQ,GAGxBqkC,EAAoBrkC,MAAQ,EAExBolC,EAAuBplC,MACzBolC,EAAuBplC,MAAMyhB,UAAY,GAEzChD,EAAAA,EAAAA,WAAS,IAAO2mB,EAAuBplC,MAAMyhB,UAAY,IAG3D2L,GAAU,IAAM9T,EAAK,QAAShI,IAAU,KAG1CD,EAAAA,EAAAA,OAAMm0B,GAAeC,IACT,IAAVA,GAAiBhnB,EAAAA,EAAAA,WAAS,KAY1BgiB,EAAOzgC,OAAQ0gC,EAAAA,EAAAA,IAAaC,EAAY3gC,MAAOmlC,EAAsBnlC,MAAO,CAC1EiW,UAAW,eACXyuB,cAAeA,KACbW,EAAqBrlC,MAAMyhB,UACzB4jB,EAAqBrlC,MAAM2kC,aAC7BtD,GAAsB,GAjB0B,IAAIZ,EAAOzgC,MAAM4kC,YAIvE,MAAMc,GAAmB1vC,EAAAA,EAAAA,WAAS,IAAM2qC,EAAY3gC,OAAOwkC,cAG3D,SAASK,EAAgBx+B,GACvB,OAAOrT,IAAIqT,EAAQjY,EAAMgY,QAC3B,CAaA,SAASyU,IACP2qB,EAAcxlC,OAAQ,CACxB,CAEA,SAASk4B,IACPsN,EAAcxlC,OAAQ,CACxB,CAQA,SAASmhC,EAAK9F,GACZ,IAAI+F,EAAWiD,EAAoBrkC,MAAQq7B,EAEvC+F,GAAY,GAAKA,EAAWhzC,EAAMgZ,QAAQrP,SAC5CssC,EAAoBrkC,MAAQohC,GAE5B3iB,EAAAA,EAAAA,WAAS,IAAM4iB,MAEnB,CAMA,SAAS2D,EAAO3+B,GACdiT,EAAK,WAAYjT,IACjBoY,EAAAA,EAAAA,WAAS,IAAMyZ,MACfqN,EAAWvlC,MAAQ,EACrB,CAEA,SAAS+kC,EAAe/tB,GACtB,GAAIA,EAAM2qB,aAAiC,MAAlB3qB,EAAMihB,QAAiB,OAXlD,IAAoB7O,EAalB4b,GAbkB5b,EAYgBib,EAAoBrkC,MAX/C5R,EAAMgZ,QAAQgiB,IAavB,CAEA,SAASiY,IAEHiE,EAAetlC,QAGfslC,EAAetlC,MAAMwhC,UACrB4D,EAAuBplC,MAAMyhB,UAC3B2jB,EAAuBplC,MAAMyhC,aAC7B6D,EAAetlC,MAAMyhC,eAEvB2D,EAAuBplC,MAAMyhB,UAC3B6jB,EAAetlC,MAAMwhC,UACrB8D,EAAetlC,MAAMyhC,aACrB2D,EAAuBplC,MAAMyhC,cAK/B6D,EAAetlC,MAAMwhC,UAAY4D,EAAuBplC,MAAMyhB,YAE9D2jB,EAAuBplC,MAAMyhB,UAAY6jB,EAAetlC,MAAMwhC,WAGpE,C,+8DAEA,SAAwBpY,EAAO/T,GACzBgvB,EAAoBrkC,QAAUopB,IAChCkc,EAAetlC,MAAQqV,EAE3B,C,sgBC1OA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,0B,grCCApE,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,qB,2FCFhEvnB,KAAK,oCAELI,MAAM,0EASV,SACE8H,UAAUqI,E,SAAAA,IAAW,CAAC,kBCTxB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6BDFhDpP,EAAAwb,cAGF,iCAHc,kBAFrBjc,EAAAA,EAAAA,oBAMI,IANJC,GAMIsB,EAAAA,EAAAA,iBADCd,EAAAM,GAAG,iBAAD,G,GCDmE,CAAC,SAAS,uB,qFCDhFrB,MAAM,+FAUZ,SACEE,MAAO,CACLsE,QAAS,CACPrE,KAAMwC,QACNtC,SAAS,KCbf,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yHDJzDmB,EAAAA,EAAAA,aASO0J,EAAA,CATDlL,MAAM,WAAS,C,uBACnB,IAKM,uBALND,EAAAA,EAAAA,oBAKM,MALNQ,EAKM,EADJI,EAAAA,EAAAA,aAA2C6zC,EAAA,CAAnCx0C,MAAM,gBAAgBwkC,MAAM,Q,eAH5B/jC,EAAA+D,YAMV1D,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,QCJgE,CAAC,SAAS,oB,8zCCDtF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,oB,yoCCEpE,MAAM,GAAEK,IAAOysB,EAAAA,EAAAA,KAET2pB,EAAyBA,CAC7BC,GACEx3C,QAAOkrB,OAAMusB,YAAWC,aAAYC,oBAEtC,MAAMC,EAAMJ,EAAOK,SAEnB,MAAO,CACLC,QAAAA,CAASlmC,GACPgmC,EAAIE,SAASlmC,GACb7O,KAAKg1C,SACP,EAEAvkB,KAAAA,GACEikB,EAAU7lC,OAAQ,CACpB,EAEAmmC,OAAAA,IACE1nB,EAAAA,EAAAA,WAAS,IAAMmnB,EAAOO,WACxB,EAEAC,MAAAA,CAAOC,GACL,IAAIC,EAASN,EAAIO,YAEjBP,EAAIQ,aAAaH,EAAW,CAC1BI,KAAMH,EAAOG,KACbC,GAAIJ,EAAOI,IAEf,EAEAC,YAAAA,CAAazkC,EAAO0kC,GAClB,GAAIZ,EAAIa,oBAAqB,CAC3B,MAAMvF,EAAY0E,EAAIc,eAEtBd,EAAIe,iBAAiB7kC,EAAQo/B,EAAYsF,EAC3C,KAAO,CACL,IAAIN,EAASN,EAAIO,YAEjBP,EAAIQ,aAAatkC,EAAQ0kC,EAAK,CAC5BH,KAAMH,EAAOG,KACbC,GAAIJ,EAAOI,KAGbV,EAAIgB,UAAU,CACZP,KAAMH,EAAOG,KACbC,GAAIJ,EAAOI,GAAKxkC,EAAMnK,QAE1B,CACF,EAEAkvC,YAAAA,CAAaZ,EAAWa,GACtB,GAAIlB,EAAIa,oBAAqB,CACXb,EAAImB,iBACZ59B,SAAQ+3B,IACd,MAAM8F,EAAM,CAAC9F,EAAU10C,KAAK65C,KAAMnF,EAAU+F,OAAOZ,MAAMa,OAEzD,IAAK,IAAIn6B,EAAIi6B,EAAI,GAAIj6B,GAAKi6B,EAAI,GAAIj6B,IAChC64B,EAAIQ,aAAaH,EAAW,CAAEI,KAAMt5B,EAAGu5B,GAAI,IAG7CV,EAAIgB,UAAU,CAAEP,KAAMW,EAAI,GAAIV,GAAIQ,GAAgB,GAAI,GAE1D,KAAO,CACL,IAAIZ,EAASN,EAAIO,YAEjBP,EAAIQ,aAAaH,EAAW,CAC1BI,KAAMH,EAAOG,KACbC,GAAI,IAENV,EAAIgB,UAAU,CACZP,KAAMH,EAAOG,KACbC,GAAIQ,GAAgB,GAExB,CACF,EAEA1e,gBAAAA,CAAiBC,GACf,IAAK76B,IAAMQ,EAAMm5C,UAAW,CAC1BzB,EAAW9lC,MAAQ8lC,EAAW9lC,MAAQ,EAEtC,MAAMklB,EAAe,eAAcuD,EAAKz4B,WAExCmB,KAAKi1C,OAAOlhB,GAEZ92B,EAAMm5C,SAAS9e,EAAM,CACnBE,YAAa1c,IACX,IAAIjM,EAAQgmC,EAAIwB,WAChBxnC,EAAQA,EAAM1Q,QAAQ41B,EAAc,KAAIuD,EAAKz4B,SAASic,MAEtD+5B,EAAIE,SAASlmC,GACbsZ,EAAK,SAAUtZ,GAEf+lC,EAAc/lC,MAAQ+lC,EAAc/lC,MAAQ,CAAC,EAE/C4oB,UAAW17B,IACT44C,EAAW9lC,MAAQ8lC,EAAW9lC,MAAQ,CAAC,GAG7C,CACF,EACD,EAuEGynC,EAAuBA,CAAC7B,EAAQ8B,GAAYt5C,QAAOkrB,OAAMusB,gBAC7D,MAAMG,EAAMJ,EAAOK,SAgBnBL,EAAO1sB,GAAG,SAAS,IAAO2sB,EAAU7lC,OAAQ,IAC5C4lC,EAAO1sB,GAAG,QAAQ,IAAO2sB,EAAU7lC,OAAQ,IAE3CgmC,EAAI9sB,GAAG,UAAU,CAACyuB,EAAIC,KACK,aAArBA,EAAUC,QACZvuB,EAAK,SAAUquB,EAAGH,WACpB,IAGF5B,EAAO1sB,GAAG,SAAS,CAACyuB,EAAI3wB,KAvBS7kB,KAC/B,GAAIA,EAAEmvB,eAAiBnvB,EAAEmvB,cAAc+gB,MAAO,CAC5C,MAAMA,EAAQlwC,EAAEmvB,cAAc+gB,MAE9B,IAAK,IAAIl1B,EAAI,EAAGA,EAAIk1B,EAAMtqC,OAAQoV,KACQ,IAApCk1B,EAAMl1B,GAAG9e,KAAKy5B,QAAQ,WACxB4f,EAASlf,iBAAiB6Z,EAAMl1B,GAAG26B,aAEnC31C,EAAE2wB,iBAGR,GAaAilB,CAAyB/wB,EAAM,KAGjC3F,EAAAA,EAAAA,OAAMw0B,GAAW,CAACn3B,EAAcs5B,MACT,IAAjBt5B,IAAsC,IAAbs5B,GAC3BpC,EAAOhkB,OACT,GACA,EAGEqmB,EAAYA,CAChBC,GAEE5uB,OACAlrB,QACA+5C,aACAtC,YACAuC,eACAtC,aACAC,gBACAsC,4BAGF,MAAMzC,EAAS5yB,IAAAA,aAAwBk1B,EAAYloC,MAAO,CACxDsoC,QAAS,EACTC,gBAAgB,EAChBC,cAAc,EACdjzC,KAAM,WACNkzC,eAAgBC,IAChBC,UAAW,CACTC,MAAO,wCAET1E,SAAU91C,EAAMi3B,WAKZqiB,GAFM9B,EAAOK,SAEFN,EAAuBC,EAAQ,CAC9Cx3C,QACAkrB,OACAusB,YACAC,aACAC,mBAEI1xC,EA3IsBw0C,EAACnB,GAAYS,aAAYC,mBAC9C,CACLU,IAAAA,GACOX,GAELT,EAASf,aAAa,KAAM,KAC9B,EAEAoC,SAAAA,GACOZ,GAELT,EAASf,aAAa,IAAK,IAC7B,EAEAqC,KAAAA,GACOb,GAELT,EAAST,aAAa,WAAY,EACpC,EAEAroB,IAAAA,GACOupB,GAELT,EAASf,aAAa,IAAK,SAC7B,EAEAsC,gBAAAA,GACEb,EAAapoC,OAASooC,EAAapoC,MAEnC0nC,EAASvB,SACX,EAEA+C,UAAAA,GACEd,EAAapoC,OAAQ,EAErB0nC,EAASvB,SACX,EAEAgD,cAAAA,GACEf,EAAapoC,OAAQ,EAErB0nC,EAASvB,SACX,IAiGc0C,CAAsBnB,EAAU,CAAES,aAAYC,iBAQ9D,MArG4BgB,EAACxD,EAAQvxC,KACrC,MAAMg1C,EAAU,CACd,QAAS,OACT,QAAS,YACT,YAAa,QACb,QAAS,OACTC,IAAK,aACLC,IAAK,kBAGP3nC,IAAKynC,GAAS,CAACj3B,EAAQ7D,KACrB,MAAMi7B,EAAUj7B,EAAIjf,QAClB,OACA0jB,IAAAA,OAA2B,SAAKA,IAAAA,OAAkBy2B,WAC9C,OACA,SAGN7D,EAAOx+B,QAAQuhC,UAAUa,GAAWn1C,EAAQg1C,EAAQ96B,IAAM4I,UAAK,EAAK,GACpE,EA4EFiyB,CAAsBxD,EAAQvxC,GAE9BozC,EAAqB7B,EAAQ8B,EAAU,CAAEt5C,QAAOkrB,OAAMusB,cAEtD6B,EAASvB,UAEF,CACLP,SACA8D,QAASA,KACP9D,EAAO+D,aACPtB,GAAuB,EAEzBh0C,QAAOpC,EAAAA,EAAAA,EAAA,GACFy1C,GACArzC,GAAO,IACVu1C,MAAAA,CAAOC,EAASz3B,GACThkB,EAAMi3B,WACTwgB,EAAU7lC,OAAQ,EAClB3L,EAAQ+d,GAAQoG,KAAKqxB,GAEzB,IAEH,EAGI,SAASC,EAAmBxwB,EAAMlrB,GACvC,MAAMg6C,GAAe/rC,EAAAA,EAAAA,MAAI,GACnBwpC,GAAYxpC,EAAAA,EAAAA,MAAI,GAChB0tC,GAAiB1tC,EAAAA,EAAAA,KAAI,IACrB2tC,GAAa3tC,EAAAA,EAAAA,KAAI,SACjB4tC,GAAgB5tC,EAAAA,EAAAA,KACpB9M,EAAG,oEAECu2C,GAAazpC,EAAAA,EAAAA,KAAI,GACjB0pC,GAAgB1pC,EAAAA,EAAAA,KAAI,GAEpB8rC,GAAanyC,EAAAA,EAAAA,WACjB,IAAM5H,EAAMi3B,UAAgC,SAApB2kB,EAAWhqC,QAG/BqoC,EAAwBA,KAC5BD,EAAapoC,OAAQ,EACrB6lC,EAAU7lC,OAAQ,EAClBgqC,EAAWhqC,MAAQ,QACnB+pC,EAAe/pC,MAAQ,GACvB8lC,EAAW9lC,MAAQ,EACnB+lC,EAAc/lC,MAAQ,CAAC,EAqBzB,OAlBKpS,IAAMQ,EAAMm5C,YACfl2B,EAAAA,EAAAA,OACE,CAAC00B,EAAeD,IAChB,EAAEoE,EAAsBC,MAEpBF,EAAcjqC,MADZmqC,EAAoBD,EACA36C,EAAG,uCAAwC,CAC/D4S,QAAS+nC,EACT50C,MAAO60C,IAGa56C,EACpB,kEAEJ,IAKC,CACL66C,qBAAsBA,CAACP,EAAS3B,IACvBD,EAAUzvB,KAAKqxB,EAAS3B,EAAa,CAC1C5uB,OACAlrB,QACA+5C,aACAtC,YACAuC,eACAtC,aACAC,gBACAsC,0BAGJD,eACAvC,YACAsC,aACA6B,aACAD,iBACAE,gBAEJ,C,qZC/OA,MAAM,GAAE16C,IAAOysB,EAAAA,EAAAA,KAET1C,EAAOsW,EAEPxhC,EAAQyhC,GAOR,qBACJua,EAAoB,aACpBhC,EAAY,UACZvC,EAAS,WACTsC,EAAU,WACV6B,EAAU,eACVD,EAAc,cACdE,GACEH,EAAmBxwB,EAAMlrB,GAE7B,IAAIi8C,EAAW,KACf,MAAMnC,GAAc7rC,EAAAA,EAAAA,KAAI,MAClBo9B,GAAYp9B,EAAAA,EAAAA,KAAI,MAEhBiuC,EAA2BA,IAAM7Q,EAAUz5B,MAAM+e,QACjDwrB,EAAmBA,KACvB,GAAIn8C,EAAMm5C,UAAY8C,EAASh2C,QAAS,CACtC,MAAMguC,EAAQ5I,EAAUz5B,MAAM2f,MAE9B,IAAK,IAAIxS,EAAI,EAAGA,EAAIk1B,EAAMtqC,OAAQoV,IAChCk9B,EAASh2C,QAAQm0B,iBAAiB6Z,EAAMl1B,IAG1CssB,EAAUz5B,MAAM2f,MAAQ,IAC1B,IAGI,YAAED,EAAW,kBAAEE,EAAiB,kBAAEC,IACtCJ,EAAAA,EAAAA,GAAenG,GAEXwG,EAAe3tB,IACnB,GAAI/D,EAAMm5C,UAAY8C,EAASh2C,QAAS,CACtC,MAAMguC,EAAQlwC,EAAE4tB,aAAaJ,MAE7B,IAAK,IAAIxS,EAAI,EAAGA,EAAIk1B,EAAMtqC,OAAQoV,KACQ,IAApCk1B,EAAMl1B,GAAG9e,KAAKy5B,QAAQ,UACxBuiB,EAASh2C,QAAQm0B,iBAAiB6Z,EAAMl1B,GAG9C,IAGF8jB,EAAAA,EAAAA,YAAU,KACRoZ,EAAWD,EAAqBj5C,KAAM+2C,GAEtC5uB,EAAK,aAAa,KAGpBzH,EAAAA,EAAAA,kBAAgB,IAAMw4B,EAASX,YAE/B,MAAMc,EAAqBA,KACzBR,EAAWhqC,MAAQ,QACnBqqC,EAASh2C,QAAQ8xC,SAAS,EAGtBsE,EAAuBxsB,UAC3B8rB,EAAe/pC,YAAc5R,EAAMs8C,UAAUL,EAASzE,OAAO4B,YAAc,IAC3EwC,EAAWhqC,MAAQ,SAAS,EAGxB2qC,EAAev4B,IACnBi4B,EAASh2C,QAAQu1C,OAAOz4C,KAAMihB,EAAO,E,OAGvCof,EAAa,CACX0U,QAAAA,CAASlmC,GACHqqC,GAAUh2C,SACZg2C,EAASh2C,QAAQ6xC,SAASlmC,EAE9B,EACA4qC,SAAAA,CAAUryC,EAAKyH,GACTqqC,GAAUzE,QACZyE,EAASzE,OAAOgF,UAAUryC,EAAKyH,EAEnC,I,wqGCpLF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,mMCYpE,MAAMsZ,EAAOsW,EAEPib,GAAQ70C,EAAAA,EAAAA,WAAS,IAAM,CAC3B,CACEhG,KAAM,OACNoiB,OAAQ,OACR4mB,KAAM,aAER,CACEhpC,KAAM,YACNoiB,OAAQ,YACR4mB,KAAM,eAER,CACEhpC,KAAM,OACNoiB,OAAQ,OACR4mB,KAAM,aAER,CACEhpC,KAAM,QACNoiB,OAAQ,QACR4mB,KAAM,cAER,CACEhpC,KAAM,aACNoiB,OAAQ,mBACR4mB,KAAM,uB,wQAIW5mB,E,SAAUkH,EAAK,SAAUlH,GAAzBA,K,0cC1CrB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,8B,2FCDhElkB,MAAM,8BACN,aAAW,aACXQ,KAAK,e,GAUIR,MAAM,qB,s/BAuBnB,SACE8H,SAAQ/D,EAAAA,EAAA,IACHoM,E,SAAAA,IAAW,CAAC,iBAAe,IAE9BysC,QAAAA,GACE,OAAO35C,KAAKgZ,YAAYpS,OAAS,CACnC,KCvCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,qGDHjDE,EAAA6yC,WAAQ,kBADhBt8C,EAAAA,EAAAA,oBA+BM,MA/BNC,EA+BM,EAzBJR,EAAAA,EAAAA,oBAwBK,iCAvBHO,EAAAA,EAAAA,oBAsBK8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YArBqBpQ,EAAAkb,aAAW,CAA3B+d,EAAMkB,M,kBADhB56B,EAAAA,EAAAA,oBAsBK,MAtBLkjC,EAAAA,EAAAA,YAsBK,CApBHxjC,MAAM,gBAAc,C,eACgBk7B,IAAUn6B,EAAAkb,YAAYpS,OAAM,gB,EAIhE9J,EAAAA,EAAAA,oBAcM,MAdN6B,EAcM,CAXkB,OAAdo4B,EAAK5Q,MAAiB8R,EAAQn6B,EAAAkb,YAAYpS,OAAS,IAAH,kBAFxDrI,EAAAA,EAAAA,aAMOP,EAAA,C,MALJrB,KAAMmB,EAAAG,KAAK84B,EAAK5Q,MAEjBppB,MAAM,gB,wBAEN,IAAe,6CAAZg6B,EAAKl4B,MAAI,M,yCAEdxB,EAAAA,EAAAA,oBAAmC,OAAAI,GAAAmB,EAAAA,EAAAA,iBAAnBm4B,EAAKl4B,MAAI,IAGjBo5B,EAAQn6B,EAAAkb,YAAYpS,OAAS,IAAH,kBAFlCrI,EAAAA,EAAAA,aAIEqQ,EAAA,C,MAHA1R,KAAK,gBAELH,MAAM,oD,sFCtB0D,CAAC,SAAS,oB,2FCFlFA,MAAM,yBACNQ,KAAK,eACLP,KAAK,c,4+BAcT,SACE6B,KAAM,WAENgG,SAAQ/D,EAAAA,EAAA,IACHoM,E,SAAAA,IAAW,CAAC,cAAY,IAE3BysC,QAAAA,GACE,OAAO35C,KAAK8Y,SAASlS,OAAS,CAChC,KCtBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6BDHjDE,EAAA6yC,WAAQ,kBADhBt8C,EAAAA,EAAAA,oBAYM,MAZNC,EAYM,uBANJD,EAAAA,EAAAA,oBAKE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAFwBpQ,EAAAgb,UAAQ,CAAxBie,EAAMkB,M,kBAHhB15B,EAAAA,EAAAA,cAKE4P,EAAAA,EAAAA,yBAHK4oB,EAAK9pB,WAAS,CADlB7F,IAAK2vB,EAAK3vB,IAGV2vB,KAAMA,G,+DCN+D,CAAC,SAAS,iB,+FCMhFj6B,EAAAA,EAAAA,oBAA8C,QAAxCC,MAAM,iCAA+B,S,GAGzCA,MAAM,iG,SAONA,MAAM,4D,UAoBd,SACE+B,OAAQ,C,SAACC,GAET9B,MAAO,CAAC,QAER4D,QAAS,CACP+/B,WAAAA,GACM5gC,KAAK+2B,KAAK6iB,aACZ55C,KAAKuE,gBAET,GAGFM,SAAU,CACRoI,SAAAA,GACE,OAAIjN,KAAK+2B,KAAKma,MAAMtqC,OAAS,EACpB,MAGF,IACT,EAEAizC,eAAAA,GACE,OAAO75C,KAAK+2B,KAAKma,MAAMtqC,OAAS,GAAK5G,KAAK+2B,KAAK6iB,WACjD,EAEA10C,kBAAAA,GACE,OAAOlF,KAAK+2B,MAAM7xB,qBAAsB,CAC1C,IChEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8EDJ9C1H,EAAAu5B,KAAKma,MAAMtqC,OAAS,IAAH,kBAA5BvJ,EAAAA,EAAAA,oBAkCM,MAAAC,EAAA,EAjCJR,EAAAA,EAAAA,oBAuBK,MAtBFiK,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAA85B,aAAA95B,EAAA85B,eAAA35B,IAAW,cAC3BlK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,8DAA6D,C,0DACoBG,EAAA+yC,gB,mDAA6Er8C,EAAAu5B,KAAK+iB,W,CAMzKn7C,GAEA7B,EAAAA,EAAAA,oBAIO,OAJPW,GAIOmB,EAAAA,EAAAA,iBADFpB,EAAAu5B,KAAKl4B,MAAI,GAINrB,EAAAu5B,KAAK6iB,cAAW,kBADxBv8C,EAAAA,EAAAA,oBAKO,OALPO,EAKO,EADLF,EAAAA,EAAAA,aAAyDwJ,EAAA,CAAxC1C,UAAW1G,EAAA0G,UAAYynC,GAAIzuC,EAAAu5B,KAAK5Q,M,kEAIzCroB,EAAA0G,W,iCAAS,kBAArBnH,EAAAA,EAAAA,oBAOM,MAAAkR,EAAA,uBANJlR,EAAAA,EAAAA,oBAKE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAHe1Q,EAAAu5B,KAAKma,OAAbna,K,kBAFTx4B,EAAAA,EAAAA,cAKE4P,EAAAA,EAAAA,yBAFK4oB,EAAK9pB,WAAS,CAFlB7F,IAAK2vB,EAAKl4B,KAGVk4B,KAAMA,G,kEC3B6D,CAAC,SAAS,kB,qFCOhFj6B,EAAAA,EAAAA,oBAA8C,QAAxCC,MAAM,iCAA+B,S,GACrCA,MAAM,gD,GAINA,MAAM,6B,2kCAgBlB,SACEE,MAAO,CACL85B,KAAM,CACJ75B,KAAMuS,OACNH,UAAU,IAIdzO,QAAOC,EAAAA,EAAA,IACFswB,EAAAA,EAAAA,IAAa,CAAC,oBAAkB,IAEnCwP,WAAAA,GACM5gC,KAAKkZ,eACPlZ,KAAKqa,gBAET,IAGFxV,SAAQ/D,EAAAA,EAAA,IACHoM,EAAAA,EAAAA,IAAW,CAAC,mBAAiB,IAEhC6sC,aAAAA,GACE,OAAO/5C,KAAK+2B,KAAKlK,QAAU,KAC7B,EAEA5f,SAAAA,GACE,MAA2B,QAAvBjN,KAAK+5C,cACA,cACyB,IAAvB/5C,KAAK+2B,KAAK4V,SACZ,OAGF,GACT,EAEAqN,cAAAA,GACE,IAAIntB,EAAS7sB,KAAK+5C,cAElB,OAAOnyB,IACLyR,IACE,CACE18B,KAAMqD,KAAK+2B,KAAK5Q,KAChB0G,OAAmB,QAAXA,EAAmBA,EAAS,KACpCvxB,QAAS0E,KAAK+2B,KAAKz7B,SAAW,KAC9Bc,KAAM4D,KAAK+2B,KAAK36B,MAAQ,KACxB69C,IAAwB,MAAnBj6C,KAAKiN,UAAoB,sBAAwB,KACtD/L,OAAQlB,KAAK+2B,KAAK71B,QAAU,MAE9Bg5C,KAEFryB,IAEJ,KChFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,uFDJzDxqB,EAAAA,EAAAA,oBAsBM,gCArBJkB,EAAAA,EAAAA,cAoBY4P,EAAAA,EAAAA,yBAnBLrH,EAAAmG,YADPszB,EAAAA,EAAAA,YAEUz5B,EAkBEkzC,eAlBY,CACtBj9C,MAAK,CAAC,yNAAwN,C,mDAExJS,EAAAu5B,KAAK+iB,SAD1E,mBAAkBt8C,EAAAu5B,KAAK+iB,OAIvB/yC,QAAOD,EAAA85B,c,wBAER,IAA8C,CAA9CtjC,GACAR,EAAAA,EAAAA,oBAEO,OAFP6B,GAEOC,EAAAA,EAAAA,iBADFpB,EAAAu5B,KAAKl4B,MAAI,IAGd/B,EAAAA,EAAAA,oBAIO,OAJPW,EAIO,CAHQD,EAAAu5B,KAAKojB,QAAK,kBAAvB57C,EAAAA,EAAAA,aAEQ+P,EAAA,C,MAFkB,gBAAe9Q,EAAAu5B,KAAKojB,MAAMC,W,wBAClD,IAAsB,6CAAnB58C,EAAAu5B,KAAKojB,MAAMtrC,OAAK,M,qHCd+C,CAAC,SAAS,iB,qFCJ/E9R,MAAM,gBAMb,SACEE,MAAO,CAAC,SCHV,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDI,EAAAA,EAAAA,oBAEM,MAFNC,EAEM,uBADJD,EAAAA,EAAAA,oBAAqE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAA3B1Q,EAAAu5B,KAAKma,OAAbna,K,kBAAlCx4B,EAAAA,EAAAA,aAAqE87C,EAAA,CAAzDjzC,IAAK2vB,EAAK3vB,IAAiC2vB,KAAMA,G,8BCGW,CAAC,SAAS,iB,2FCJ/Eh6B,MAAM,Y,GAaDA,MAAM,iC,GAQNA,MAAM,kD,GAINA,MAAM,6B,SAQVA,MAAM,4D,SAMsCA,MAAM,sB,sgCAe1D,SACE+B,OAAQ,CAACC,EAAAA,GAET9B,MAAO,CAAC,QAER4D,QAAOC,EAAAA,EAAA,IACFswB,EAAAA,EAAAA,IAAa,CAAC,oBAAkB,IAEnCwP,WAAAA,GACM5gC,KAAK+2B,KAAK6iB,aACZ55C,KAAKuE,iBAGHvE,KAAKkZ,eAAoC,WAAnBlZ,KAAKiN,WAC7BjN,KAAKqa,gBAET,IAGFxV,SAAQ/D,EAAAA,EAAA,IACHoM,EAAAA,EAAAA,IAAW,CAAC,mBAAiB,IAEhCD,SAAAA,GACE,OAAIjN,KAAK+2B,KAAK5Q,KACL,OAGLnmB,KAAK+2B,KAAKma,MAAMtqC,OAAS,GAAK5G,KAAK+2B,KAAK6iB,YACnC,SAGF,IACT,EAEAC,eAAAA,GACE,MAAO,CAAC,OAAQ,UAAUlqB,SAAS3vB,KAAKiN,UAC1C,EAEA/H,kBAAAA,GACE,OAAOlF,KAAK+2B,MAAM7xB,qBAAsB,CAC1C,KC1FJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gHDJ7B1H,EAAAu5B,KAAK5Q,MAAQ3oB,EAAAu5B,KAAKma,MAAMtqC,OAAS,IAAH,kBAA1DvJ,EAAAA,EAAAA,oBA+CM,MA/CNC,EA+CM,qBA9CJiB,EAAAA,EAAAA,cAoCY4P,EAAAA,EAAAA,yBAnCLrH,EAAAmG,WAAS,CACbtQ,KAAMa,EAAAu5B,KAAK5Q,MAAQ,KACnBpf,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAA85B,YAAW,aAC1B1iC,SAAU4I,EAAA+yC,gBAAkB,EAAI,KACjC98C,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qKAAoK,C,0DACnFG,EAAA+yC,gB,mDAA6Er8C,EAAAu5B,KAAK+iB,W,wBAMzK,IAMO,EANPh9C,EAAAA,EAAAA,oBAMO,OANP6B,EAMO,qBALLJ,EAAAA,EAAAA,cAIE4P,EAAAA,EAAAA,yBAAA,qBAH0B3Q,EAAAu5B,KAAK8Q,QAAI,CACnCpG,OAAO,KACPF,MAAM,WAIVzkC,EAAAA,EAAAA,oBAEO,OAFPW,GAEOmB,EAAAA,EAAAA,iBADFpB,EAAAu5B,KAAKl4B,MAAI,IAGd/B,EAAAA,EAAAA,oBAIO,OAJPc,EAIO,CAHQJ,EAAAu5B,KAAKojB,QAAK,kBAAvB57C,EAAAA,EAAAA,aAEQ+P,EAAA,C,MAFkB,gBAAe9Q,EAAAu5B,KAAKojB,MAAMC,W,wBAClD,IAAsB,6CAAnB58C,EAAAu5B,KAAKojB,MAAMtrC,OAAK,M,6DAKfrR,EAAAu5B,KAAK6iB,cAAW,kBADxBv8C,EAAAA,EAAAA,oBAKO,OALPkR,EAKO,EADL7Q,EAAAA,EAAAA,aAAyDwJ,EAAA,CAAxC1C,UAAW1G,EAAA0G,UAAYynC,GAAIzuC,EAAAu5B,KAAK5Q,M,gHAI1C3oB,EAAAu5B,KAAKma,MAAMtqC,OAAS,IAAM9I,EAAA0G,YAAS,kBAA9CnH,EAAAA,EAAAA,oBAOM,MAPN+W,EAOM,uBANJ/W,EAAAA,EAAAA,oBAKE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAHe1Q,EAAAu5B,KAAKma,OAAbna,K,kBAFTx4B,EAAAA,EAAAA,cAKE4P,EAAAA,EAAAA,yBAJK4oB,EAAK9pB,WAAS,CAElB7F,IAAK2vB,EAAKl4B,KACVk4B,KAAMA,G,kGCxC6D,CAAC,SAAS,oB,qFCH9Eh6B,MAAM,mC,GAGFA,MAAM,+C,GAOTA,MAAM,qB,4FAuCf,MAcA,GACE8B,KAAM,sBAEN5B,MAAO,CACLsE,QAAS7B,QACThB,MAAOvB,OACP2oC,SAAU,CAAC,EACXwU,UAAW,CAAC,EACZC,UAAWhwB,MACXiwB,cAAe,CAAEt9C,KAAMC,OAAQC,QAAS,UAG1ChB,KAAMA,KAAA,CACJq+C,SAAU,KACVC,eAAgB,OAGlBx6B,MAAO,CACLq6B,UAAW,SAAUI,EAASC,GAC5B56C,KAAK66C,aACP,GAGF96C,OAAAA,GACE,MAAMk8B,EAAYjnB,KAASsO,GAAYA,KAAYhnB,KAAKoX,OAAO,aAE/D1T,KAAK06C,eAAiB,IAAII,gBAAej/B,IACvCogB,GAAU,KACRj8B,KAAK66C,aAAa,GAClB,GAEN,EAEA3uC,OAAAA,GACElM,KAAKy6C,SAAW,IAAIM,IAAAA,KAClB/6C,KAAK8gC,MAAMka,MACXh7C,KAAKi7C,mBACL,CACEC,OAAO,EACPC,WAAY,GACZC,YAAY,EACZC,WAAY,IACZC,WAAW,IAIft7C,KAAKy6C,SAAS1yB,GAAG,QAAQ2wB,IACF,UAAjBA,EAAQx7C,MACVw7C,EAAQvxB,QAAQo0B,KAAK,CACnB3xB,MAAQ,SAAQ8uB,EAAQ8C,KAAKnxB,oBAEjC,IAGFrqB,KAAK06C,eAAee,QAAQz7C,KAAK8gC,MAAMka,MACzC,EAEAt6C,aAAAA,GACEV,KAAK06C,eAAegB,UAAU17C,KAAK8gC,MAAMka,MAC3C,EAEAn6C,QAAS,CACPg6C,WAAAA,GACE76C,KAAKy6C,SAAS5K,OAAO7vC,KAAKi7C,mBAC5B,EAEAU,aAAYA,CAAC5kB,EAAMkB,IACY,iBAAflB,EAAK1M,MAAqB0M,EAAK1M,MAjF7B4N,IACpB,CACE,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,UACA,WACAA,GAqEuD2jB,CAAc3jB,IAIvEpzB,SAAU,CACRg3C,aAAYA,IACH,GAGTZ,kBAAAA,GACE,MAAO,CAAEa,OAAQ97C,KAAK+7C,gBAAiBC,OAAQh8C,KAAKi8C,cACtD,EAEAC,cAAAA,GACE,OAAO9+B,IAAIpd,KAAKu6C,WAAW,CAACxjB,EAAMkB,KACzB,CACL7xB,MAAO2wB,EAAK3wB,MACZyI,MAAOvS,KAAKosB,aAAaqO,EAAKloB,OAC9Bwb,MAAOrqB,KAAK27C,aAAa5kB,EAAMkB,GAC/BkkB,WAAY7/C,KAAKosB,aAAavrB,OAAO45B,EAAKolB,gBAGhD,EAEAJ,eAAAA,GACE,OAAO3+B,IAAIpd,KAAKu6C,WAAWxjB,GAAQA,EAAK3wB,OAC1C,EAEA61C,aAAAA,GACE,OAAO7+B,IAAIpd,KAAKu6C,WAAW,CAACxjB,EAAMkB,KACzB,CACLppB,MAAOkoB,EAAKloB,MACZ2sC,KAAM,CAAEnxB,MAAOrqB,KAAK27C,aAAa5kB,EAAMkB,OAG7C,EAEAmkB,cAAAA,GACE,IAAIj4C,EAAQnE,KAAKq8C,aAAaC,QAAQ,GAClCC,EAAe3kC,KAAK4kC,MAAMr4C,GAE9B,OAAIo4C,EAAaD,QAAQ,IAAMn4C,EACtB7H,KAAKosB,aAAa,IAAIvrB,OAAOo/C,IAG/BjgD,KAAKosB,aAAa,IAAIvrB,OAAOgH,GACtC,EAEAk4C,YAAAA,GACE,OAAOI,IAAMz8C,KAAKu6C,UAAW,QAC/B,ICjLJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yIDJzDh8C,EAAAA,EAAAA,aAwCcm+C,EAAA,CAxCAn7C,QAAS/D,EAAA+D,QAASxE,MAAM,a,wBACpC,IAMK,EANLD,EAAAA,EAAAA,oBAMK,KANLQ,EAMK,6CALAE,EAAAkB,OAAQ,IAEX,IAAA5B,EAAAA,EAAAA,oBAAA,OAAA6B,EACG,KAACC,EAAAA,EAAAA,iBAAGkI,EAAAs1C,gBAAiB,KAACx9C,EAAAA,EAAAA,iBAAGd,EAAAM,GAAG,UAAW,IAAC,MAI7CV,EAAAA,EAAAA,aAAuDi/C,EAAA,CAArCz7B,KAAM1jB,EAAAsoC,SAAWvE,MAAO/jC,EAAA88C,W,0BAE1Cx9C,EAAAA,EAAAA,oBA4BM,MA5BNW,EA4BM,EA3BJX,EAAAA,EAAAA,oBAoBM,OAnBJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,yCAAwC,C,eACG,UAAbnJ,EAAAg9C,kB,EAIpC19C,EAAAA,EAAAA,oBAaK,iCAZHO,EAAAA,EAAAA,oBAWK8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAVYpH,EAAAo1C,gBAARnlB,K,kBADT15B,EAAAA,EAAAA,oBAWK,MATF+J,IAAK2vB,EAAK1M,MACXttB,MAAM,0B,EAEND,EAAAA,EAAAA,oBAKE,QAJAC,MAAM,yCACL6sB,OAAK8iB,EAAAA,EAAAA,gBAAA,C,gBAAqC3V,EAAK1M,S,oDAG7C0M,EAAK3wB,OAAQ,MAAExH,EAAAA,EAAAA,iBAAGm4B,EAAKloB,OAAQ,OAAGjQ,EAAAA,EAAAA,iBAAGm4B,EAAKolB,YAAa,MAC9D,Q,aAIJr/C,EAAAA,EAAAA,oBAIE,OAHAoO,IAAI,QACJnO,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,yDAAwD,CAAAi2C,UAAA,KACpCP,cAAgB,M,mCCjC0B,CAAC,SAAS,4B,qFCH7Et/C,MAAM,8B,GACLA,MAAM,+C,GAILA,MAAM,wB,GACHA,MAAM,0C,SAEUA,MAAM,W,GAK7BA,MAAM,mC,GAEJA,MAAM,4D,eAaf,SACE8B,KAAM,qBAEN5B,MAAO,CACLsE,QAAS,CAAEnE,SAAS,GACpBsB,MAAO,CAAC,EACRonC,SAAU,CAAC,EACXwU,UAAW,CAAC,EACZjI,SAAU,CAAC,EACXnxC,OAAQ,CAAC,EACT2N,MAAO,CAAC,EACRstC,WAAY,CAAC,EACbvzB,OAAQ,CACN1rB,KAAMC,OACNC,QAAS,aAEXy/C,MAAO,CAAE3/C,KAAMwC,QAAStC,SAAS,GACjC0/C,OAAQ,GACR9e,OAAQ,GACR+e,iBAAkB,CAAE7/C,KAAMwC,QAAStC,SAAS,IAG9CyH,SAAU,CACRm4C,WAAAA,GACE,OAAqB,MAAdh9C,KAAK6O,KACd,EAEAouC,cAAAA,GACE,IAAKj9C,KAAKg9C,YAAa,CACrB,MAAMnuC,EAAQvS,KAAKosB,aAAa,IAAIvrB,OAAO6C,KAAK6O,OAAQ7O,KAAK4oB,QAE7D,MAAQ,GAAE5oB,KAAK88C,SAASjuC,GAC1B,CAEA,MAAO,EACT,EAEAquC,eAAAA,GACE,OAA8B,IAA1Bl9C,KAAK+8C,iBACA/8C,KAAKg+B,QAGPD,EAAAA,EAAAA,IAAiB/9B,KAAK6O,MAAO7O,KAAKg+B,OAC3C,EAEAmf,OAAAA,GACE,OAAIn9C,KAAK68C,MACA78C,KAAKm8C,WAAa,GAAK,gBAAkB,eAG3Cn8C,KAAKm8C,WAAa,GAAK,eAAiB,eACjD,IC5EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iLDJzD59C,EAAAA,EAAAA,aAuBcm+C,EAAA,CAvBAn7C,QAAS/D,EAAA+D,QAASxE,MAAM,2B,wBACpC,IAWM,EAXND,EAAAA,EAAAA,oBAWM,MAXNQ,EAWM,EAVJR,EAAAA,EAAAA,oBAAwE,KAAxE6B,GAAwEC,EAAAA,EAAAA,iBAAbpB,EAAAkB,OAAK,IAEhEhB,EAAAA,EAAAA,aAAuDi/C,EAAA,CAArCz7B,KAAM1jB,EAAAsoC,SAAWvE,MAAO/jC,EAAA88C,W,0BAE1Cx9C,EAAAA,EAAAA,oBAKM,MALNW,EAKM,EAJJX,EAAAA,EAAAA,oBAGO,OAHPc,EAGO,6CAFFkJ,EAAAm2C,gBAAiB,IACpB,GAAYz/C,EAAAwgC,SAAM,kBAAlB3gC,EAAAA,EAAAA,oBAAgE,OAAhEkR,GAAgE3P,EAAAA,EAAAA,iBAAzBkI,EAAAo2C,iBAAe,2CAK5DpgD,EAAAA,EAAAA,oBAAgE,IAAhEsX,GAAgExV,EAAAA,EAAAA,iBAAlBpB,EAAA2+C,YAAa,IAAC,IAE5Dr/C,EAAAA,EAAAA,oBAMM,MANN2X,EAMM,EALJ/W,EAAAA,EAAAA,aAIE0/C,EAAA,CAHC1+C,MAAOoI,EAAAm2C,eACP5yB,MAAOvjB,EAAAq2C,QACPtuC,MAAOrR,EAAA2+C,Y,6DChB4D,CAAC,SAAS,2B,qFCH7Ep/C,MAAM,8B,GACLA,MAAM,wC,GAeTA,MAAM,mC,SAEaA,MAAM,0B,GAM1BmO,IAAI,QACJnO,MAAM,yCACN6sB,MAAA,a,8FAaN,SACE/qB,KAAM,kBAENixB,MAAO,CAAC,YAER7yB,MAAO,CACLsE,QAAS7B,QACThB,MAAO,CAAC,EACRonC,SAAU,CAAC,EACXwU,UAAW,CAAC,EACZzrC,MAAO,CAAC,EACR0rC,UAAW,CAAC,EACZlI,SAAU,CAAC,EACXyK,OAAQ,GACR9e,OAAQ,GACR+e,iBAAkB,CAAE7/C,KAAMwC,QAAStC,SAAS,GAC5CigD,OAAQ,CAAEngD,KAAMqtB,MAAOntB,QAASA,IAAM,IACtCkgD,iBAAkB,CAACngD,OAAQmyB,QAC3B1G,OAAQ,CACN1rB,KAAMC,OACNC,QAAS,YAIbhB,KAAMA,KAAA,CACJq+C,SAAU,KACVC,eAAgB,OAGlBx6B,MAAO,CACLo9B,iBAAkB,SAAUC,EAAUC,GACpCx9C,KAAK66C,aACP,EAEAN,UAAW,SAAUI,EAASC,GAC5B56C,KAAK66C,aACP,GAGF96C,OAAAA,GACE,MAAMk8B,EAAYjnB,KAASsO,GAAYA,KAAYhnB,KAAKoX,OAAO,aAE/D1T,KAAK06C,eAAiB,IAAII,gBAAej/B,IACvCogB,GAAU,KACRj8B,KAAK66C,aAAa,GAClB,GAEN,EAEA3uC,OAAAA,GACE,MAAMuxC,EAAM7lC,KAAK8lC,OAAO19C,KAAKu6C,WACvBoD,EAAO/lC,KAAKgmC,OAAO59C,KAAKu6C,WAIxBsD,EAAWJ,GAAO,EAAI,EAAIA,EAEhCz9C,KAAKy6C,SAAW,IAAIM,IAAAA,MAAc/6C,KAAK8gC,MAAMka,MAAOh7C,KAAKu6C,UAAW,CAClEuD,WAAY/C,IAAAA,cAAuBgD,OACnCjqB,WAAW,EACXkqB,WAAW,EACXC,UAAU,EACVC,UAAU,EACVC,aAAc,CACZhN,IAAK,GACLiN,MAAO,EACPC,OAAQ,EACRC,KAAM,GAERb,MACAE,OACAE,WACAU,MAAO,CACLC,UAAU,EACVlD,WAAW,EACXpR,OAAQ,GAEVuU,MAAO,CACLD,UAAU,EACVlD,WAAW,EACXpR,OAAQ,GAEVwU,QAAS,CACPC,IAAgB,CACdC,WAAY,WACZC,eAAe,IAEjBF,IAAgB,CACdC,WAAY,iBACZC,eAAe,EACfC,cAAe,CACbC,EAAG,GACHC,GAAI,MAGRL,IAAgB,CACdC,WAAY,kBACZC,eAAe,EACfC,cAAe,CACbC,GAAI,GACJC,GAAI,SAMZh/C,KAAKy6C,SAAS1yB,GAAG,QAAQ3rB,IACL,UAAdA,EAAKc,OACPd,EAAK+qB,QAAQo0B,KAAK,CAChB,WAAYv7C,KAAKi/C,qBAAqB7iD,EAAKyS,MAAMmwC,KAGnD5iD,EAAK+qB,QAAQ+3B,SACXl/C,KAAKm/C,sBAAsB/iD,EAAKmiD,MAAMa,MAAMx4C,OAAQxK,EAAK67B,QAAU,IAEvE,IAGFj4B,KAAK06C,eAAee,QAAQz7C,KAAK8gC,MAAMka,MACzC,EAEAt6C,aAAAA,GACEV,KAAK06C,eAAegB,UAAU17C,KAAK8gC,MAAMka,MAC3C,EAEAn6C,QAAS,CACPg6C,WAAAA,GACE76C,KAAKy6C,SAAS5K,OAAO7vC,KAAKu6C,UAC5B,EAEA7mB,YAAAA,CAAa7N,GACX,MAAMhX,EAAQgX,GAAO3kB,QAAQ2N,OAASgX,EAEtC7lB,KAAKzD,MAAM,WAAYsS,EACzB,EAEAowC,oBAAAA,CAAqBpwC,GACnB,IAAIouC,EAAiB3gD,KAAKosB,aAAa,IAAIvrB,OAAO0R,GAAQ7O,KAAK4oB,QAE/D,GAAI5oB,KAAK88C,OACP,MAAQ,GAAE98C,KAAK88C,SAASG,IAG1B,GAAIj9C,KAAKg+B,OAAQ,CAKf,MAAQ,GAAEif,KAJKj9C,KAAK+8C,kBAChBhf,EAAAA,EAAAA,IAAiBlvB,EAAO7O,KAAKg+B,QAC7Bh+B,KAAKg+B,QAGX,CAEA,MAAQ,GAAEif,GACZ,EAEAkC,sBAAqBA,CAACh7C,EAAO8zB,IACvBA,EAAQ,EACH,iBACEA,EAAQ9zB,EAAQ,EAClB,kBAGF,YAIXU,SAAU,CACRm4C,WAAAA,GACE,OAAqB,MAAdh9C,KAAK6O,KACd,EAEAouC,cAAAA,GACE,IAAKj9C,KAAKg9C,YAAa,CACrB,MAAMnuC,EAAQvS,KAAKosB,aAAa,IAAIvrB,OAAO6C,KAAK6O,OAAQ7O,KAAK4oB,QAE7D,MAAQ,GAAE5oB,KAAK88C,SAASjuC,GAC1B,CAEA,MAAO,EACT,EAEAquC,eAAAA,GACE,OAA8B,IAA1Bl9C,KAAK+8C,iBACA/8C,KAAKg+B,QAGPD,EAAAA,EAAAA,IAAiB/9B,KAAK6O,MAAO7O,KAAKg+B,OAC3C,IC9NJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mLDJzDz/B,EAAAA,EAAAA,aA6Bcm+C,EAAA,CA7BAn7C,QAAS/D,EAAA+D,QAASxE,MAAM,a,wBACpC,IAcM,EAdND,EAAAA,EAAAA,oBAcM,MAdNQ,EAcM,EAbJR,EAAAA,EAAAA,oBAAiE,KAAjE6B,GAAiEC,EAAAA,EAAAA,iBAAbpB,EAAAkB,OAAK,IAEzDhB,EAAAA,EAAAA,aAAuDi/C,EAAA,CAArCz7B,KAAM1jB,EAAAsoC,SAAWvE,MAAO/jC,EAAA88C,W,yBAGlC98C,EAAA6/C,OAAOz2C,OAAS,IAAH,kBADrBrI,EAAAA,EAAAA,aAQEuX,EAAA,C,MANA/Y,MAAM,4BACNujC,KAAK,MACJrqB,QAASzY,EAAA6/C,OACTtuC,SAAUvR,EAAA8/C,iBACVtpC,SAAQlN,EAAA4sB,aACR,aAAY51B,EAAAM,GAAG,kB,2FAIpBtB,EAAAA,EAAAA,oBAKI,IALJW,EAKI,6CAJCqJ,EAAAm2C,gBAAiB,IACpB,GAAYz/C,EAAAwgC,SAAM,kBAAlB3gC,EAAAA,EAAAA,oBAES,OAFTO,GAESgB,EAAAA,EAAAA,iBADPkI,EAAAo2C,iBAAe,uCAInBpgD,EAAAA,EAAAA,oBAIE,MAJFyR,EAIE,a,sBCxBsE,CAAC,SAAS,wB,qFCH7ExR,MAAM,8B,GACLA,MAAM,wC,GAePA,MAAM,oC,SAGPA,MAAM,mF,SAegBA,MAAM,0B,GAMvBA,MAAM,uC,SAGLsiC,MAAM,6BACNtiC,MAAM,mCACNwkC,MAAM,KACNE,OAAO,KACP/wB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,gB,IAEPpkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,mC,mBAKJjkC,MAAM,qCACNwkC,MAAM,KACNE,OAAO,KACP/wB,KAAK,OACL0uB,QAAQ,YACR8B,OAAO,gB,IAEPpkC,EAAAA,EAAAA,oBAKE,QAJA,iBAAe,QACf,kBAAgB,QAChB,eAAa,IACbkkC,EAAE,kC,iDAaAjkC,MAAM,+B,6CAwBxB,SACE8B,KAAM,kBAENC,OAAQ,C,SAACugD,IAETvvB,MAAO,CAAC,YAER7yB,MAAO,CACLsE,QAAS,CAAEnE,SAAS,GACpBkiD,SAAU,CAAEliD,SAAS,GACrBsB,MAAO,CAAC,EACRonC,SAAU,CAAC,EACXwU,UAAW,CAAC,EACZzS,KAAM,CAAE3qC,KAAMC,QACdk1C,SAAU,CAAC,EACXkN,SAAU,CAAC,EACX1wC,MAAO,CAAC,EACRiuC,OAAQ,GACR9e,OAAQ,GACR+e,iBAAkB,CAAE3/C,SAAS,GAC7BkgD,iBAAkB,CAACngD,OAAQmyB,QAC3B+tB,OAAQ,CAAEngD,KAAMqtB,MAAOntB,QAASA,IAAM,IACtCwrB,OAAQ,CAAE1rB,KAAMC,OAAQC,QAAS,aACjCoiD,cAAe,CAAEtiD,KAAMC,OAAQC,QAAS,YACxCqiD,WAAY,CAAEriD,SAAS,IAGzBhB,KAAMA,KAAA,CAASokC,QAAQ,IAEvB3/B,QAAS,CACP6yB,YAAAA,CAAa7N,GACX,IAAIhX,EAAQgX,GAAO3kB,QAAQ2N,OAASgX,EAEpC7lB,KAAKzD,MAAM,WAAYsS,EACzB,EAEA6wC,eAAAA,GACM1/C,KAAKs/C,WACPt/C,KAAKwgC,QAAS,EACdxgC,KAAK+vB,qBAAqB/vB,KAAK2/C,uBAE/Bv+B,YAAW,KACTphB,KAAKwgC,QAAS,CAAI,GACjB,KAEP,GAGF37B,SAAU,CACR+6C,gBAAAA,GACE,OAAOhoC,KAAKgmB,IAAI59B,KAAK09B,mBACvB,EAEAA,kBAAAA,GACE,OAAsB,IAAlB19B,KAAKu/C,UAAmC,MAAjBv/C,KAAKu/C,UAAmC,IAAfv/C,KAAK6O,MAChD,GAEF6uB,EAAAA,EAAAA,IAAmB19B,KAAK6O,MAAO7O,KAAKu/C,UAAUjD,QAAQ,EAC/D,EAEAuD,uBAAAA,GACE,OAAQjoC,KAAKkoC,KAAK9/C,KAAK09B,qBACrB,KAAK,EACH,MAAO,WACT,KAAK,EACH,MAAO,WACT,KAAM,EACJ,MAAO,WAEb,EAEAoiB,IAAAA,GACE,OAAQloC,KAAKkoC,KAAK9/C,KAAK09B,qBACrB,KAAK,EACH,MAAO,IACT,KAAK,EACH,MAAO,GACT,KAAM,EACJ,MAAO,IAEb,EAEAsf,WAAAA,GACE,OAAqB,MAAdh9C,KAAK6O,KACd,EAEAkxC,mBAAAA,GACE,OAAwB,MAAjB//C,KAAKu/C,QACd,EAEAtC,cAAAA,GACE,OAAKj9C,KAAKg9C,YAMH,GAJHh9C,KAAK88C,OAASxgD,KAAKosB,aAAa,IAAIvrB,OAAO6C,KAAK6O,OAAQ7O,KAAK4oB,OAKnE,EAEA+2B,qBAAAA,GACE,OAAK3/C,KAAKg9C,YAIH,GAHEh9C,KAAK6O,KAIhB,EAEAmxC,6BAAAA,GACE,OAAKhgD,KAAK+/C,oBAIH,GAHE//C,KAAKu/C,QAIhB,EAEArC,eAAAA,GACE,OAA8B,IAA1Bl9C,KAAK+8C,iBACA/8C,KAAKg+B,QAGPD,EAAAA,EAAAA,IAAiB/9B,KAAK6O,MAAO7O,KAAKg+B,OAC3C,ICnOJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,wPDJzDz/B,EAAAA,EAAAA,aAsGcm+C,EAAA,CAtGAn7C,QAAS/D,EAAA+D,QAASxE,MAAM,a,wBACpC,IAcM,EAdND,EAAAA,EAAAA,oBAcM,MAdNQ,EAcM,EAbJR,EAAAA,EAAAA,oBAAiE,KAAjE6B,GAAiEC,EAAAA,EAAAA,iBAAbpB,EAAAkB,OAAK,IAEzDhB,EAAAA,EAAAA,aAAuDi/C,EAAA,CAArCz7B,KAAM1jB,EAAAsoC,SAAWvE,MAAO/jC,EAAA88C,W,yBAGlC98C,EAAA6/C,OAAOz2C,OAAS,IAAH,kBADrBrI,EAAAA,EAAAA,aAQEuX,EAAA,C,MANA/Y,MAAM,4BACNujC,KAAK,MACJrqB,QAASzY,EAAA6/C,OACTtuC,SAAUvR,EAAA8/C,iBACVtpC,SAAQlN,EAAA4sB,aACR,aAAY51B,EAAAM,GAAG,kB,2FAIpBtB,EAAAA,EAAAA,oBAoFM,MApFNW,EAoFM,CAlFID,EAAAqqC,OAAI,kBADZxqC,EAAAA,EAAAA,oBAKM,MALNO,EAKM,EADJF,EAAAA,EAAAA,aAA4CkR,EAAA,CAArC1R,KAAMM,EAAAqqC,KAAMtG,MAAM,KAAKE,OAAO,M,qDAGvC3kC,EAAAA,EAAAA,oBA2EM,gCA1EJyB,EAAAA,EAAAA,cAYY4P,EAAAA,EAAAA,yBAXL3Q,EAAA8hD,SAAW,aAAe,KAAlB,CACZv4C,QAAOD,EAAA44C,gBACR3iD,MAAM,6BACL2iC,SAAS,G,wBAEV,IAEO,0CAFPriC,EAAAA,EAAAA,oBAEO,yDADFyJ,EAAAm2C,gBAAc,aADCn2C,EAAA64C,2BAGRniD,EAAAwgC,SAAM,kBAAlB3gC,EAAAA,EAAAA,oBAEO,OAFPkR,GAEO3P,EAAAA,EAAAA,iBADFkI,EAAAo2C,iBAAe,uC,8DAItB7/C,EAAAA,EAAAA,oBA2DM,aA1DJP,EAAAA,EAAAA,oBAyDI,IAzDJsX,EAyDI,CAvDkC,aAA5BtN,EAAA+4C,0BAAuB,kBAD/BxiD,EAAAA,EAAAA,oBAgBM,MAhBNoX,EAgBMoB,KAAA,+BAE8B,aAA5B/O,EAAA+4C,0BAAuB,kBAD/BxiD,EAAAA,EAAAA,oBAeM,MAfN4iD,EAeM5qC,KAAA,+BAE+B,IAAvBvO,EAAA42B,qBAAkB,kBAAhCrgC,EAAAA,EAAAA,oBAOO,OAAAykC,EAAA,CAN4B,IAArBh7B,EAAA84C,mBAAgB,kBAA5BviD,EAAAA,EAAAA,oBAGO,OAAAkY,GAAA3W,EAAAA,EAAAA,iBAFFkI,EAAA84C,kBAAmB,MACtBhhD,EAAAA,EAAAA,iBAAGd,EAAAM,GAAG0I,EAAA+4C,0BAAuB,wBAG/BxiD,EAAAA,EAAAA,oBAA2C,OAAAqY,GAAA9W,EAAAA,EAAAA,iBAA3Bd,EAAAM,GAAG,gBAAD,2BAGpBf,EAAAA,EAAAA,oBAYO,OAZPsY,EAYO,CAXoB,MAAbnY,EAAA+hD,UAA8B,MAAV/hD,EAAAqR,QAAK,kBAArCxR,EAAAA,EAAAA,oBAEO,OAAA6Y,GAAAtX,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,kBAAD,oCAGe,MAAVZ,EAAAqR,OAA8B,MAAbrR,EAAA+hD,UAAqB/hD,EAAAiiD,YAC3C,iCADqD,kBAA5DpiD,EAAAA,EAAAA,oBAEO,OAAAsZ,GAAA/X,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,oBAAD,IAGc,KAATZ,EAAAqR,OAA4B,KAAZrR,EAAA+hD,UAAoB/hD,EAAAiiD,YACzC,iCADmD,kBAA1DpiD,EAAAA,EAAAA,oBAEO,OAAA0kC,GAAAnjC,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,YAAD,mBAvDM0I,EAAAk5C,0C,sBCpCiD,CAAC,SAAS,wB,qFCJhFjjD,MAAM,S,GAqBFA,MAAM,2B,GAGPA,MAAM,kC,GAQJA,MAAM,+C,GAcIA,MAAM,Q,4EAuB3B,SACEsB,WAAY,CACV2Q,OAAM,IACN69B,KAAI,IACJqT,SAAQA,EAAAA,SAGVjjD,MAAO,CACLkjD,IAAK,CACHjjD,KAAMuS,OACNH,UAAU,IAIdzO,QAAS,CACPu/C,gBAAAA,CAAiBrpB,GACf,IAAIlK,EAASkK,EAAKlK,QAAU,MAE5B,OAAIkK,EAAK4V,UAA2B,OAAf5V,EAAKlK,OACjB,CACL6a,GAAI,WACJ/qC,KAAMo6B,EAAK5Q,KACXtnB,KAAMk4B,EAAKl4B,KACXH,MAAOq4B,EAAKl4B,KACZqC,OAAQ61B,EAAK71B,QAAU,KACvByrC,UAAU,GAIPtT,IACL,CACEqO,GAAe,QAAX7a,EAAmB,OAAS,cAChClwB,KAAMo6B,EAAK5Q,KACX0G,OAAmB,QAAXA,EAAmBA,EAAS,KACpCzwB,KAAM26B,EAAK36B,MAAQ,KACnBd,QAASy7B,EAAKz7B,SAAW,MAE3B4+C,IAEJ,GAGFr1C,SAAU,CACRw7C,WAAUA,IACD,CAAC,UC7Gd,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+RDJzDhjD,EAAAA,EAAAA,oBA4DK,KA5DLC,EA4DK,CA1DKE,EAAA2iD,IAAItY,OAAI,kBADhBxqC,EAAAA,EAAAA,oBAUK,M,MARHN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,gBAAe,C,CACFnJ,EAAA2iD,IAAIG,YAAS,E,CAAkBx5C,EAAAu5C,aAAU,E,oCAAsD7iD,EAAA2iD,IAAIG,c,EAMtH5iD,EAAAA,EAAAA,aAA6B6iD,EAAA,CAAlBrjD,KAAMM,EAAA2iD,IAAItY,M,uDAGvB/qC,EAAAA,EAAAA,oBAYK,MAXHC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,OAAM,C,CACOG,EAAAu5C,aAAU,E,QAA0B7iD,EAAA2iD,IAAItY,K,QAAuBrqC,EAAA2iD,IAAIK,UAAYhjD,EAAA2iD,IAAIM,Y,EAMtG3jD,EAAAA,EAAAA,oBAEK,KAFL6B,GAEKC,EAAAA,EAAAA,iBADApB,EAAA2iD,IAAIzhD,OAAK,IAEd5B,EAAAA,EAAAA,oBAAgE,IAAhEW,GAAgEmB,EAAAA,EAAAA,iBAAnBpB,EAAA2iD,IAAI1qC,UAAQ,OAInDjY,EAAA2iD,IAAIj9C,QAAQ0D,OAAS,IAAH,kBAD1BvJ,EAAAA,EAAAA,oBAgCK,M,MA9BHN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,kBACEG,EAAAu5C,c,EAERvjD,EAAAA,EAAAA,oBA0BM,MA1BNc,EA0BM,EAzBJF,EAAAA,EAAAA,aAwBW4pC,EAAA,MAjBEC,MAAI/yB,EAAAA,EAAAA,UACb,IAce,EAdf9W,EAAAA,EAAAA,aAce8pC,EAAA,CAdDjG,MAAM,OAAOxkC,MAAM,Q,wBAC/B,IAYa,EAZbW,EAAAA,EAAAA,aAYagxC,EAAA,CAXVjN,OAAQ,IACT1kC,MAAM,8D,wBAEN,IAOM,EAPND,EAAAA,EAAAA,oBAOM,MAPNyR,EAOM,uBANJlR,EAAAA,EAAAA,oBAKmB8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAHA1Q,EAAA2iD,IAAIj9C,SAAd+d,K,kBAFT1iB,EAAAA,EAAAA,aAKmBkpC,GAAAiZ,EAAAA,EAAAA,iBAAAC,EAAAA,EAAAA,oBAJT75C,EAAAs5C,iBAAiBn/B,KAAM,C,uBAG/B,IAAiB,6CAAdA,EAAOpiB,MAAI,M,kEAjBxB,IAIE,EAJFnB,EAAAA,EAAAA,aAIEkZ,EAAA,CAHAixB,KAAK,sBACLz9B,QAAQ,SACP,aAAYtM,EAAAM,GAAG,0B,2ECjCgD,CAAC,SAAS,uB,sGCUtF,SACEU,OAAQ,CAAC8hD,EAAAA,IAET3jD,MAAO,CACLg6B,KAAM,CACJ/5B,KAAMuS,OACNH,UAAU,GAGZjO,aAAc,CACZnE,KAAMC,OACNC,QAAS,IAGXiP,WAAY,CACVnP,KAAM,CAACoyB,OAAQnyB,QACfC,QAAS,IAGXshB,KAAM,CACJxhB,KAAMC,OACNC,QAAS,KAIbhB,KAAMA,KAAA,CACJmF,SAAS,EACTg5C,UAAW,KAGbr6B,MAAO,CACL7T,UAAAA,GACErM,KAAKg3B,OACP,GAGFj3B,OAAAA,GACEC,KAAKg3B,OACP,EAEA9qB,OAAAA,GACMlM,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKiE,IAAI,iBAAkBP,KAAKg3B,MAEpC,EAEAt2B,aAAAA,GACMV,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKsE,KAAK,iBAAkBZ,KAAKg3B,MAErC,EAEAn2B,QAAS,CACPm2B,KAAAA,GACEh3B,KAAKuB,SAAU,GAEfI,EAAAA,EAAAA,IAAQrF,KAAKsF,UAAUC,IAAI7B,KAAK8gD,eAAgB9gD,KAAK+gD,gBAAgB5+C,MACnE,EACE/F,MACEyS,OAASA,cAGX7O,KAAKu6C,UAAY1rC,EACjB7O,KAAKuB,SAAU,CAAI,GAGzB,GAEFsD,SAAU,CACRi8C,cAAAA,GACE,MAAMpiC,EAAqB,KAAd1e,KAAK0e,KAAe,SAAQ1e,KAAK0e,OAAS,GACvD,OAAI1e,KAAKqB,cAAgBrB,KAAKqM,WACpB,aAAYrM,KAAKqB,eAAeqd,KAAQ1e,KAAKqM,sBAAsBrM,KAAKi3B,KAAKtjB,SAC5E3T,KAAKqB,aACN,aAAYrB,KAAKqB,eAAeqd,aAAgB1e,KAAKi3B,KAAKtjB,SAE1D,qBAAoB3T,KAAKi3B,KAAKtjB,QAE1C,EAEAotC,aAAAA,GACE,MAAMC,EAAU,CAAEl/C,OAAQ,CAAC,GAW3B,OARGxF,KAAK2P,gBAAgBjM,KAAKqB,eAC3BrB,KAAKi3B,OACkC,IAAvCj3B,KAAKi3B,KAAK4pB,2BAEVG,EAAQl/C,OAAOub,OACbrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,uCAGzB2/C,CACT,ICvGJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,qGDJzDziD,EAAAA,EAAAA,aAOE0iD,EAAA,CANCviD,MAAOlB,EAAAy5B,KAAKp4B,KACZ,YAAWrB,EAAAy5B,KAAK6O,SAChB,aAAYtoC,EAAAy5B,KAAKqjB,UACjB,aAAYx8C,EAAAy8C,UACZh5C,QAASzD,EAAAyD,QACT,iBAAgB/D,EAAAy5B,KAAKwK,Q,qFCFkD,CAAC,SAAS,wB,qGCgBtF,SACE5iC,KAAM,iBAENC,OAAQ,CAACoiD,EAAAA,GAAoBN,EAAAA,IAE7B3jD,MAAO,CACLg6B,KAAM,CACJ/5B,KAAMuS,OACNH,UAAU,GAGZjO,aAAc,CACZnE,KAAMC,OACNC,QAAS,IAGXiP,WAAY,CACVnP,KAAM,CAACoyB,OAAQnyB,QACfC,QAAS,IAGXshB,KAAM,CACJxhB,KAAMC,OACNC,QAAS,KAIbhB,KAAMA,KAAA,CACJmF,SAAS,EACTqnB,OAAQ,YACRi0B,OAAO,EACPC,OAAQ,GACR9e,OAAQ,GACR+e,kBAAkB,EAClBluC,MAAO,EACP3N,OAAQ,EACRi7C,WAAY,EACZsD,YAAY,IAGdv/B,MAAO,CACL7T,UAAAA,GACErM,KAAKg3B,OACP,GAGFj3B,OAAAA,GACMC,KAAKmhD,YACPnhD,KAAKs9C,iBACHt9C,KAAKi3B,KAAKqmB,kBAAoBt9C,KAAKi3B,KAAKomB,OAAO,GAAGxuC,OAGtD7O,KAAKg3B,OACP,EAEA9qB,OAAAA,GACMlM,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKiE,IAAI,iBAAkBP,KAAKg3B,MAEpC,EAEAt2B,aAAAA,GACMV,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKsE,KAAK,iBAAkBZ,KAAKg3B,MAErC,EAEAn2B,QAAS,CACPm2B,KAAAA,GACEh3B,KAAKuB,SAAU,GAEfI,EAAAA,EAAAA,IAAQrF,KAAKsF,UAAUC,IAAI7B,KAAK8gD,eAAgB9gD,KAAK+gD,gBAAgB5+C,MACnE,EACE/F,MACEyS,OACEA,QACA3N,SACAi7C,aACAW,SACA9e,SACA+e,mBACAn0B,SACAi0B,cAIJ78C,KAAK6O,MAAQA,EACb7O,KAAKkB,OAASA,EACdlB,KAAKm8C,WAAaA,EAClBn8C,KAAK4oB,OAASA,GAAU5oB,KAAK4oB,OAC7B5oB,KAAK68C,MAAQA,EACb78C,KAAK88C,OAASA,GAAU98C,KAAK88C,OAC7B98C,KAAKg+B,OAASA,GAAUh+B,KAAKg+B,OAC7Bh+B,KAAK+8C,iBAAmBA,EACxB/8C,KAAKuB,SAAU,CAAI,GAGzB,GAGFsD,SAAU,CACRk8C,aAAAA,GACE,MAAMC,EAAU,CACdl/C,OAAQ,CACNohB,SAAUljB,KAAKo2B,eAanB,OARG95B,KAAK2P,gBAAgBjM,KAAKqB,eAC3BrB,KAAKi3B,OACkC,IAAvCj3B,KAAKi3B,KAAK4pB,2BAEVG,EAAQl/C,OAAOub,OACbrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,uCAGzB2/C,CACT,EAEAF,cAAAA,GACE,MAAMpiC,EAAqB,KAAd1e,KAAK0e,KAAe,SAAQ1e,KAAK0e,OAAS,GACvD,OAAI1e,KAAKqB,cAAgBrB,KAAKqM,WACpB,aAAYrM,KAAKqB,eAAeqd,KAAQ1e,KAAKqM,sBAAsBrM,KAAKi3B,KAAKtjB,SAC5E3T,KAAKqB,aACN,aAAYrB,KAAKqB,eAAeqd,aAAgB1e,KAAKi3B,KAAKtjB,SAE1D,qBAAoB3T,KAAKi3B,KAAKtjB,QAE1C,ICjJJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,oGDJzDpV,EAAAA,EAAAA,aAaE6iD,EAAA,CAZC1iD,MAAOlB,EAAAy5B,KAAKp4B,KACZ,YAAWrB,EAAAy5B,KAAK6O,SAChB,aAAYtoC,EAAAy5B,KAAKqjB,UACjBp5C,OAAQpD,EAAAoD,OACR2N,MAAO/Q,EAAA+Q,MACPstC,WAAYr+C,EAAAq+C,WACZW,OAAQh/C,EAAAg/C,OACR9e,OAAQlgC,EAAAkgC,OACR,oBAAmBlgC,EAAAi/C,iBACnBn0B,OAAQ9qB,EAAA8qB,OACRi0B,MAAO/+C,EAAA++C,MACPt7C,QAASzD,EAAAyD,S,4ICR8D,CAAC,SAAS,uB,qFCH7ExE,MAAM,mC,GACLA,MAAM,wC,GAIPA,MAAM,a,SAGPA,MAAM,4C,GAECA,MAAM,wB,GAETA,MAAM,wG,SAMAA,MAAM,yD,GACbA,MAAM,gC,0BAYjB,SACE8B,KAAM,YAENC,OAAQ,CAACoiD,EAAAA,GAAoBN,EAAAA,IAE7B3jD,MAAO,CACLg6B,KAAM,CACJ/5B,KAAMuS,OACNH,UAAU,GAGZjO,aAAc,CACZnE,KAAMC,OACNC,QAAS,IAGXiP,WAAY,CACVnP,KAAM,CAACoyB,OAAQnyB,QACfC,QAAS,IAGXshB,KAAM,CACJxhB,KAAMC,OACNC,QAAS,KAIbhB,KAAMA,KAAA,CACJmF,SAAS,EACTsN,MAAO,KAGTqR,MAAO,CACL7T,UAAAA,GACErM,KAAKg3B,OACP,GAGFj3B,OAAAA,GACEC,KAAKg3B,OACP,EAEA9qB,OAAAA,GACMlM,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKiE,IAAI,iBAAkBP,KAAKg3B,MAEpC,EAEAt2B,aAAAA,GACMV,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKsE,KAAK,iBAAkBZ,KAAKg3B,MAErC,EAEAn2B,QAAS,CACPm2B,KAAAA,GACEh3B,KAAKuB,SAAU,GAEfI,EAAAA,EAAAA,IAAQrF,KAAKsF,UAAUC,IAAI7B,KAAK8gD,eAAgB9gD,KAAK+gD,gBAAgB5+C,MACnE,EAAG/F,MAAQyS,aACT7O,KAAK6O,MAAQA,EACb7O,KAAKuB,SAAU,CAAI,GAGzB,GAGFsD,SAAU,CACRk8C,aAAAA,GACE,MAAMC,EAAU,CACdl/C,OAAQ,CACNohB,SAAUljB,KAAKo2B,eAanB,OARG95B,KAAK2P,gBAAgBjM,KAAKqB,eAC3BrB,KAAKi3B,OACkC,IAAvCj3B,KAAKi3B,KAAK4pB,2BAEVG,EAAQl/C,OAAOub,OACbrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,uCAGzB2/C,CACT,EAEAF,cAAAA,GACE,MAAMpiC,EAAqB,KAAd1e,KAAK0e,KAAe,SAAQ1e,KAAK0e,OAAS,GACvD,OAAI1e,KAAKqB,cAAgBrB,KAAKqM,WACpB,aAAYrM,KAAKqB,eAAeqd,KAAQ1e,KAAKqM,sBAAsBrM,KAAKi3B,KAAKtjB,SAC5E3T,KAAKqB,aACN,aAAYrB,KAAKqB,eAAeqd,aAAgB1e,KAAKi3B,KAAKtjB,SAE1D,qBAAoB3T,KAAKi3B,KAAKtjB,QAE1C,IC5HJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,oLDJzDpV,EAAAA,EAAAA,aAyBcm+C,EAAA,CAzBAn7C,QAASzD,EAAAyD,QAASxE,MAAM,Q,wBACpC,IAGM,EAHND,EAAAA,EAAAA,oBAGM,MAHNQ,EAGM,EAFJR,EAAAA,EAAAA,oBAAqE,KAArE6B,GAAqEC,EAAAA,EAAAA,iBAAjBpB,EAAAy5B,KAAKp4B,MAAI,IAC7DnB,EAAAA,EAAAA,aAAiEi/C,EAAA,CAA/Cz7B,KAAM1jB,EAAAy5B,KAAK6O,SAAWvE,MAAO/jC,EAAAy5B,KAAKqjB,W,4BAGtDx9C,EAAAA,EAAAA,oBAkBM,MAlBNW,EAkBM,CAhBIK,EAAA+Q,MAAMjI,OAAS,IAAH,kBADpBvJ,EAAAA,EAAAA,oBAWM,MAXNO,EAWM,EAPJd,EAAAA,EAAAA,oBAMQ,QANRyR,EAMQ,EALNzR,EAAAA,EAAAA,oBAIQ,QAJRsX,EAIQ,uBADN/W,EAAAA,EAAAA,oBAAkD8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAApBpQ,EAAA+Q,OAAPsxC,K,kBAAvB5hD,EAAAA,EAAAA,aAAkD8iD,EAAA,CAAZlB,IAAKA,GAAG,mB,iCAIpD9iD,EAAAA,EAAAA,oBAIM,MAJNoX,EAIM,EAHJ3X,EAAAA,EAAAA,oBAEI,IAFJ8Y,GAEIhX,EAAAA,EAAAA,iBADCpB,EAAAy5B,KAAKqqB,WAAS,W,sBCjBiD,CAAC,SAAS,oB,0HCkBtF,SACEziD,KAAM,cAENC,OAAQ,CAACoiD,EAAAA,GAAoBN,EAAAA,IAE7B3jD,MAAO,CACLg6B,KAAM,CACJ/5B,KAAMuS,OACNH,UAAU,GAGZjO,aAAc,CACZnE,KAAMC,OACNC,QAAS,IAGXiP,WAAY,CACVnP,KAAM,CAACoyB,OAAQnyB,QACfC,QAAS,IAGXshB,KAAM,CACJxhB,KAAMC,OACNC,QAAS,KAIbhB,KAAMA,KAAA,CACJmF,SAAS,EACTsN,MAAO,GACPzS,KAAM,GACNwsB,OAAQ,YACRk0B,OAAQ,GACR9e,OAAQ,GACR+e,kBAAkB,EAClBO,iBAAkB,OAGpBp9B,MAAO,CACL7T,UAAAA,GACErM,KAAKg3B,OACP,GAGFj3B,OAAAA,GACMC,KAAKmhD,YACPnhD,KAAKs9C,iBACHt9C,KAAKi3B,KAAKqmB,kBAAoBt9C,KAAKi3B,KAAKomB,OAAO,GAAGxuC,OAGtD7O,KAAKg3B,OACP,EAEA9qB,OAAAA,GACMlM,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKiE,IAAI,iBAAkBP,KAAKg3B,MAEpC,EAEAt2B,aAAAA,GACMV,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKsE,KAAK,iBAAkBZ,KAAKg3B,MAErC,EAEAn2B,QAAS,CACP0gD,mBAAAA,CAAoBn6C,GAClBpH,KAAKs9C,iBAAmBl2C,EACxBpH,KAAKg3B,OACP,EAEAA,KAAAA,GACEh3B,KAAKuB,SAAU,GAEfI,EAAAA,EAAAA,IAAQrF,KAAKsF,UAAUC,IAAI7B,KAAK8gD,eAAgB9gD,KAAK+gD,gBAAgB5+C,MACnE,EACE/F,MACEyS,OACEitC,SACA0F,QACA3yC,QACAiuC,SACA9e,SACA+e,mBACAn0B,eAIJ5oB,KAAK6O,MAAQA,EACb7O,KAAK87C,OAASrsC,OAAO0I,KAAKqpC,GAC1BxhD,KAAK5D,KAAO,CACV0/C,OAAQrsC,OAAO0I,KAAKqpC,GACpBxF,OAAQ,CACN5+B,IAAIokC,GAAO,CAAC3yC,EAAOzI,KACV,CACLo1C,KAAMp1C,EACNyI,MAAOA,QAKf7O,KAAK4oB,OAASA,GAAU5oB,KAAK4oB,OAC7B5oB,KAAK88C,OAASA,GAAU98C,KAAK88C,OAC7B98C,KAAKg+B,OAASA,GAAUh+B,KAAKg+B,OAC7Bh+B,KAAK+8C,iBAAmBA,EACxB/8C,KAAKuB,SAAU,CAAI,GAGzB,GAGFsD,SAAU,CACRs8C,SAAAA,GACE,OAAOnhD,KAAKi3B,KAAKomB,OAAOz2C,OAAS,CACnC,EAEAm6C,aAAAA,GACE,MAAMC,EAAU,CACdl/C,OAAQ,CACNohB,SAAUljB,KAAKo2B,aACfqrB,eAAgBzhD,KAAKq2B,qBAiBzB,OAZG/5B,KAAK2P,gBAAgBjM,KAAKqB,eAC3BrB,KAAKi3B,OACkC,IAAvCj3B,KAAKi3B,KAAK4pB,2BAEVG,EAAQl/C,OAAOub,OACbrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,uCAG5BrB,KAAKmhD,YACPH,EAAQl/C,OAAO4/C,MAAQ1hD,KAAKs9C,kBAGvB0D,CACT,EAEAF,cAAAA,GACE,MAAMpiC,EAAqB,KAAd1e,KAAK0e,KAAe,SAAQ1e,KAAK0e,OAAS,GACvD,OAAI1e,KAAKqB,cAAgBrB,KAAKqM,WACpB,aAAYrM,KAAKqB,eAAeqd,KAAQ1e,KAAKqM,sBAAsBrM,KAAKi3B,KAAKtjB,SAC5E3T,KAAKqB,aACN,aAAYrB,KAAKqB,eAAeqd,aAAgB1e,KAAKi3B,KAAKtjB,SAE1D,qBAAoB3T,KAAKi3B,KAAKtjB,QAE1C,ICvKJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzDpV,EAAAA,EAAAA,aAcEojD,EAAA,CAbC7sC,WAAUhO,EAAAy6C,oBACV7iD,MAAOlB,EAAAy5B,KAAKp4B,KACZ,YAAWrB,EAAAy5B,KAAK6O,SAChB,aAAYtoC,EAAAy5B,KAAKqjB,UACjBzrC,MAAO/Q,EAAA+Q,MACP,aAAY/Q,EAAA1B,KACZihD,OAAQ7/C,EAAAy5B,KAAKomB,OACbz0B,OAAQ9qB,EAAA8qB,OACRk0B,OAAQh/C,EAAAg/C,OACR9e,OAAQlgC,EAAAkgC,OACR,oBAAmBlgC,EAAAi/C,iBACnB,qBAAoBj/C,EAAAw/C,iBACpB/7C,QAASzD,EAAAyD,S,sKCT8D,CAAC,SAAS,oB,sGCqBtF,SACE1C,KAAM,cAENC,OAAQ,CAACoiD,EAAAA,GAAoBN,EAAAA,IAE7B3jD,MAAO,CACLg6B,KAAM,CACJ/5B,KAAMuS,OACNH,UAAU,GAGZjO,aAAc,CACZnE,KAAMC,OACNC,QAAS,IAGXiP,WAAY,CACVnP,KAAM,CAACoyB,OAAQnyB,QACfC,QAAS,IAGXshB,KAAM,CACJxhB,KAAMC,OACNC,QAAS,KAIbhB,KAAMA,KAAA,CACJmF,SAAS,EACT+9C,UAAU,EACV12B,OAAQ,YACR42B,cAAe,WACf3wC,MAAO,EACP0wC,SAAU,EACVzC,OAAQ,GACR9e,OAAQ,GACR+e,kBAAkB,EAClBO,iBAAkB,KAClBmC,YAAY,IAGdv/B,MAAO,CACL7T,UAAAA,GACErM,KAAKg3B,OACP,GAGFj3B,OAAAA,GACMC,KAAKmhD,YACPnhD,KAAKs9C,iBACHt9C,KAAKi3B,KAAKqmB,kBAAoBt9C,KAAKi3B,KAAKomB,OAAO,GAAGxuC,OAGtD7O,KAAKg3B,OACP,EAEA9qB,OAAAA,GACMlM,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKiE,IAAI,iBAAkBP,KAAKg3B,MAEpC,EAEAt2B,aAAAA,GACMV,KAAKi3B,OAA+C,IAAvCj3B,KAAKi3B,KAAK4pB,0BACzBvkD,KAAKsE,KAAK,iBAAkBZ,KAAKg3B,MAErC,EAEAn2B,QAAS,CACP0gD,mBAAAA,CAAoBn6C,GAClBpH,KAAKs9C,iBAAmBl2C,EACxBpH,KAAKg3B,OACP,EAEAA,KAAAA,GACEh3B,KAAKuB,SAAU,GAEfI,EAAAA,EAAAA,IAAQrF,KAAKsF,UAAUC,IAAI7B,KAAK8gD,eAAgB9gD,KAAK+gD,gBAAgB5+C,MACnE,EACE/F,MACEyS,OACEywC,WACAzwC,QACA0wC,WACAzC,SACA9e,SACA+e,mBACAn0B,SACA42B,gBACAC,mBAIJz/C,KAAKs/C,SAAWA,EAChBt/C,KAAK6O,MAAQA,EACb7O,KAAK4oB,OAASA,GAAU5oB,KAAK4oB,OAC7B5oB,KAAKw/C,cAAgBA,GAAiBx/C,KAAKw/C,cAC3Cx/C,KAAK88C,OAASA,GAAU98C,KAAK88C,OAC7B98C,KAAKg+B,OAASA,GAAUh+B,KAAKg+B,OAC7Bh+B,KAAK+8C,iBAAmBA,EACxB/8C,KAAKy/C,WAAaA,GAAcz/C,KAAKy/C,WACrCz/C,KAAKu/C,SAAWA,EAChBv/C,KAAKuB,SAAU,CAAI,GAGzB,GAGFsD,SAAU,CACRs8C,SAAAA,GACE,OAAOnhD,KAAKi3B,KAAKomB,OAAOz2C,OAAS,CACnC,EAEAm6C,aAAAA,GACE,MAAMC,EAAU,CACdl/C,OAAQ,CACNohB,SAAUljB,KAAKo2B,eAiBnB,OAZG95B,KAAK2P,gBAAgBjM,KAAKqB,eAC3BrB,KAAKi3B,OACkC,IAAvCj3B,KAAKi3B,KAAK4pB,2BAEVG,EAAQl/C,OAAOub,OACbrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,uCAG5BrB,KAAKmhD,YACPH,EAAQl/C,OAAO4/C,MAAQ1hD,KAAKs9C,kBAGvB0D,CACT,EAEAF,cAAAA,GACE,MAAMpiC,EAAqB,KAAd1e,KAAK0e,KAAe,SAAQ1e,KAAK0e,OAAS,GACvD,OAAI1e,KAAKqB,cAAgBrB,KAAKqM,WACpB,aAAYrM,KAAKqB,eAAeqd,KAAQ1e,KAAKqM,sBAAsBrM,KAAKi3B,KAAKtjB,SAC5E3T,KAAKqB,aACN,aAAYrB,KAAKqB,eAAeqd,aAAgB1e,KAAKi3B,KAAKtjB,SAE1D,qBAAoB3T,KAAKi3B,KAAKtjB,QAE1C,ICtKJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzDpV,EAAAA,EAAAA,aAkBEqjD,EAAA,CAjBC9sC,WAAUhO,EAAAy6C,oBACV7iD,MAAOlB,EAAAy5B,KAAKp4B,KACZygD,SAAUxhD,EAAAwhD,SACV,YAAW9hD,EAAAy5B,KAAK6O,SAChB,aAAYtoC,EAAAy5B,KAAKqjB,UACjBzS,KAAMrqC,EAAAy5B,KAAK4Q,KACX0X,SAAUzhD,EAAAyhD,SACV1wC,MAAO/Q,EAAA+Q,MACPwuC,OAAQ7/C,EAAAy5B,KAAKomB,OACbz0B,OAAQ9qB,EAAA8qB,OACR,iBAAgB9qB,EAAA0hD,cAChB1C,OAAQh/C,EAAAg/C,OACR9e,OAAQlgC,EAAAkgC,OACR,oBAAmBlgC,EAAAi/C,iBACnB,qBAAoBj/C,EAAAw/C,iBACpB/7C,QAASzD,EAAAyD,QACT,cAAazD,EAAA2hD,Y,qNCb0D,CAAC,SAAS,oB,0+CCMtF,MAAM,GAAErhD,IAAOysB,EAAAA,EAAAA,KAETvL,GAAQC,EAAAA,EAAAA,MAER28B,GAAiBr3C,EAAAA,EAAAA,WAAS,IACvBya,EAAM7F,QAAQV,SAASqE,KAAIpB,IAChC,IAAI6Q,EAAS7Q,EAAE6Q,QAAU,MACrB5vB,EAAQ,CAAEN,KAAMqf,EAAEmK,MAEtB,OAAInK,EAAE2wB,UAAuB,QAAX9f,EACT,CACL5f,UAAW,IACXhQ,MAAK6D,EAAAA,EAAA,GACA7D,GAAK,IACRiE,OAAQ8a,EAAE9a,QAAU,OAEtBrC,KAAMmd,EAAEnd,KACR8tC,SAAU3wB,EAAE2wB,SACZ5kB,GAAI,CAAC,GAIF,CACL9a,UAAsB,QAAX4f,EAAmB,IAAM,aACpC5vB,MAAO2qB,IACLyR,IAAMv4B,EAAAA,EAAC,CAAD,EAEC7D,GAAK,IACR4vB,OAAmB,QAAXA,EAAmBA,EAAS,KACpCzwB,KAAM4f,EAAE5f,MAAQ,KAChBd,QAAS0gB,EAAE1gB,SAAW,OAExB4+C,KAEFryB,KAEF8kB,SAAU3wB,EAAE2wB,SACZ9tC,KAAMmd,EAAEnd,KACRkpB,GAAI,CAAC,EACLoyB,MAAOn+B,EAAEm+B,MACV,MAIC0H,GAAWh9C,EAAAA,EAAAA,WAAS,IAEtBya,EAAM7F,QAAQrM,aAAavO,MAC3BygB,EAAM7F,QAAQrM,aAAauN,OAC3Bvc,EAAG,eAID4c,GAAmBnW,EAAAA,EAAAA,WAAS,IAAMvI,KAAKoX,OAAO,sBAE9CouC,GAAyBj9C,EAAAA,EAAAA,WAAS,KAEE,IAAtCvI,KAAKoX,OAAO,wBACe,IAA3BsH,EAAiBnM,QAafkzC,IATcl9C,EAAAA,EAAAA,WAAS,IAEzBya,EAAM7F,QAAQrM,cACb8uC,EAAertC,MAAMjI,OAAS,GAC7Bk7C,EAAuBjzC,OACvByQ,EAAM7F,QAAQrM,aAAa40C,iBAIDD,KAC1BtwB,QAAQrzB,EAAG,kDACbkhB,EAAM5E,SAAS,oBACjB,GAGIunC,EAAUn1B,UACV2E,QAAQrzB,EAAG,uCACbkhB,EACG5E,SAAS,SAAUpe,KAAKoX,OAAO,qBAC/BvR,MAAK9F,IACa,OAAbA,EAKJC,KAAKM,kBAJHF,SAASC,KAAON,CAII,IAEvBqG,OAAM,IAAMuX,EAAAA,QAAQioC,UACzB,E,48DChGF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,yHC+DvDnlD,MAAM,6B,6CAiCnB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,UAAW,SAEnBhxB,OAAQ,CAACqjD,EAAAA,IAETllD,MAAO,CACLgkB,OAAQ,CAAE/jB,KAAMuS,OAAQH,UAAU,GAClC8b,SAAU,CAAEluB,KAAMC,OAAQmS,UAAU,GACpCgF,OAAQ,CAAEpX,KAAMuS,OAAQH,UAAU,GAClCjO,aAAc,CAAEnE,KAAMC,OAAQmS,UAAU,GACxChG,kBAAmB,CAAEpM,KAAM,CAACqtB,MAAOptB,QAASmS,UAAU,GACtD+G,KAAM,CAAEnZ,KAAMwC,QAAStC,SAAS,GAChC4tB,QAAStrB,SAGXtD,KAAMA,KAAA,CACJmF,SAAS,EACT0S,cAAcmuC,EAAAA,EAAAA,OAGhBriD,OAAAA,GACEvE,SAASuqB,iBAAiB,UAAW/lB,KAAKG,cAC5C,EAEA+L,OAAAA,GACElM,KAAKuB,SAAU,CACjB,EAEAb,aAAAA,GACElF,SAASu1B,oBAAoB,UAAW/wB,KAAKG,cAC/C,EAEAU,QAAS,CAIPoS,kBAAAA,GACEjT,KAAKgyB,mBACP,EAEAqwB,mBAAAA,GACEriD,KAAKiT,oBACP,EAEAqvC,oCAAAA,CAAqCz8B,GACnC7lB,KAAKiyB,+BACH,KACEjyB,KAAKzD,MAAM,QAAQ,IAErB,KACEspB,EAAMiM,iBAAiB,GAG7B,GAGFjtB,SAAU,CACRwvB,YAAAA,GACE,IAAI3Y,EAAe,IAAIC,gBAAgB,CAAEsF,OAAQjhB,KAAKihB,OAAOtN,SAa7D,MAX+B,QAA3B3T,KAAKsJ,kBACPoS,EAAajJ,OAAO,YAAa,OAEjCzS,KAAKsJ,kBAAkB8O,SAAQzU,IAC7B+X,EAAajJ,OACX,cACAwZ,IAAStoB,GAAYA,EAASyK,GAAGS,MAAQlL,EAC1C,KAKF3D,KAAKorB,UAAa,aAAYprB,KAAKqB,uBACpC,IACAqa,EAAapP,UAEjB,EAEAo+B,aAAAA,GACE,OAAwB,IAAjB1qC,KAAKuB,SAAqBvB,KAAKihB,OAAOpR,OAAOjJ,OAAS,CAC/D,ICnLJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mPDJzDrI,EAAAA,EAAAA,aA0FQgkD,EAAA,CAzFLlsC,KAAM7Y,EAAA6Y,KACNmsC,iBAAkB17C,EAAAw7C,qCACnBtlD,KAAK,SACJsjC,KAAM9iC,EAAAyjB,OAAOwhC,UACb,cAAajlD,EAAAyjB,OAAOyhC,WACpB,iBAAgB57C,EAAA4jC,e,wBAEjB,IAiFO,EAjFP5tC,EAAAA,EAAAA,oBAiFO,QAhFLoO,IAAI,UACJgJ,aAAa,MACZF,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmM,oBAAAnM,EAAAmM,sBAAAhM,IACR6M,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAe1J,EAAAvB,MAAM,YAAD,qBAC1B,sBAAqBuB,EAAAmW,aACtBlX,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,4BAA2B,C,iDAC8D,WAAjBnJ,EAAAyjB,OAAOyhC,W,uCAAoG,eAAjBllD,EAAAyjB,OAAOyhC,e,EAO/K5lD,EAAAA,EAAAA,oBAyCM,OAxCJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,YAAW,C,kCACuD,eAAjBnJ,EAAAyjB,OAAOyhC,e,EAI9DhlD,EAAAA,EAAAA,aAAoCuqC,EAAA,C,aAAvBrpC,EAAAA,EAAAA,iBAAQpB,EAAYyjB,OAALpiB,O,wBAIpBrB,EAAAyjB,OAAO0hC,cAAW,kBAD1BtlD,EAAAA,EAAAA,oBAMI,K,MAJFN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,OAAM,gBACcnJ,EAAAyjB,OAAO2hC,iB,qBAE9BplD,EAAAyjB,OAAO0hC,aAAW,oCAIZnlD,EAAAyjB,OAAOpR,OAAOjJ,OAAS,IAAH,kBAA/BvJ,EAAAA,EAAAA,oBAsBM,MAAAsB,EAAA,uBArBJtB,EAAAA,EAAAA,oBAoBM8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAlBY1Q,EAAAyjB,OAAOpR,QAAhB1K,K,kBAFT9H,EAAAA,EAAAA,oBAoBM,OAnBJN,MAAM,SAELqK,IAAKjC,EAAM6Q,W,qBAEZzX,EAAAA,EAAAA,cAcE4P,EAAAA,EAAAA,yBAAA,QAbehJ,EAAM8H,WAAS,CAC7BqH,OAAQ9W,EAAA8W,OACR,gBAAe9W,EAAA6D,aACf8D,MAAOA,EACP,kBAAgB,EAChB,iBAAgBrH,EAAAmW,aAChB7P,KAAwC,eAAjB5G,EAAAyjB,OAAOyhC,WAAU,mCAKxC,gBAAe57C,EAAAutB,aACfwQ,eAAe/9B,EAAAu7C,qB,yJAMxB3kD,EAAAA,EAAAA,aAuBcmlD,EAAA,M,uBAtBZ,IAqBM,EArBN/lD,EAAAA,EAAAA,oBAqBM,MArBNW,EAqBM,EApBJC,EAAAA,EAAAA,aAQeolD,EAAA,CAPb71C,UAAU,SACV/P,KAAK,SACLK,KAAK,uBACLR,MAAM,eACLgK,QAAKC,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,W,wBAEd,IAA6B,6CAA1BiB,EAAAyjB,OAAO8hC,kBAAgB,M,OAG5BrlD,EAAAA,EAAAA,aASSkZ,EAAA,CARP1Z,KAAK,SACLgO,IAAI,YACJ3N,KAAK,wBACJgE,QAAS/D,EAAAwtB,QACV5gB,QAAQ,QACPwO,MAAOpb,EAAAyjB,OAAO2hC,YAAc,SAAW,W,wBAExC,IAA8B,6CAA3BplD,EAAAyjB,OAAO+hC,mBAAiB,M,6HCjFqC,CAAC,SAAS,2B,qFCFhFjmD,MAAM,iEACN6sB,MAAA,iB,GAIK7sB,MAAM,iB,GAKJA,MAAM,WA2BnB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,UAAW,SAEnB7yB,MAAO,CACLoZ,KAAM,CAAEnZ,KAAMwC,QAAStC,SAAS,IAGlChB,KAAMA,KAAA,CAAS4uB,SAAS,IAExB9K,MAAO,CACL7J,IAAAA,CAAK4sC,IACa,IAAZA,IACFjjD,KAAKgrB,SAAU,EAEnB,GAGFnqB,QAAS,CACPqiD,WAAAA,GACEljD,KAAKgrB,SAAU,EACfhrB,KAAKzD,MAAM,QACb,EAEA4mD,aAAAA,GACEnjD,KAAKgrB,SAAU,EACfhrB,KAAKzD,MAAM,UACb,ICjEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,0RDJzDgC,EAAAA,EAAAA,aAiCQgkD,EAAA,CAjCAlsC,KAAM7Y,EAAA6Y,KAAMrZ,KAAK,cAAcsjC,KAAK,M,wBAC1C,IA+BM,EA/BNxjC,EAAAA,EAAAA,oBA+BM,MA/BNQ,EA+BM,EA3BJI,EAAAA,EAAAA,aAA0CuqC,EAAA,C,aAA7BrpC,EAAAA,EAAAA,iBAAQd,EAAkBM,GAAf,iB,yBACxBV,EAAAA,EAAAA,aAIewqC,EAAA,M,uBAHb,IAEI,EAFJprC,EAAAA,EAAAA,oBAEI,IAFJ6B,GAEIC,EAAAA,EAAAA,iBADCd,EAAAM,GAAG,+CAAD,M,OAGTV,EAAAA,EAAAA,aAoBcmlD,EAAA,M,uBAnBZ,IAkBM,EAlBN/lD,EAAAA,EAAAA,oBAkBM,MAlBNW,EAkBM,EAjBJC,EAAAA,EAAAA,aAOa0jC,EAAA,CANX7jC,KAAK,8BACLL,KAAK,SACJ6J,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAAo8C,YAAW,aAC3BnmD,MAAM,Q,wBAEN,IAAkB,6CAAfe,EAAAM,GAAG,WAAD,M,qBAGPV,EAAAA,EAAAA,aAOEkZ,EAAA,CANC7P,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAAq8C,cAAa,aAC7Bj4C,IAAI,gBACJ3N,KAAK,+BACJgE,QAASzD,EAAAktB,QACVpS,MAAM,SACLxS,MAAOtI,EAAAM,GAAG,W,yECxBqD,CAAC,SAAS,kC,qFCIhFrB,MAAM,yE,0BAqBZ,SACE+yB,MAAO,CAAC,eAAgB,oBAExBhxB,OAAQ,CAACqjD,EAAAA,IAET9jD,WAAY,CACV+kD,eAAcA,EAAAA,GAGhBnmD,MAAO,CACLoZ,KAAM,CAAEnZ,KAAMwC,QAAStC,SAAS,GAChCkjC,KAAM,CAAEpjC,KAAMC,OAAQC,QAAS,OAC/BiE,aAAc,CAAC,EACfgL,WAAY,CAAC,EACbzJ,YAAa,CAAC,EACdC,cAAe,CAAC,EAChBC,gBAAiB,CAAC,GAGpB1G,KAAMA,KAAA,CACJmF,SAAS,IAGXV,QAAS,CACPwiD,aAAAA,CAAcjnD,GACZ4D,KAAKzD,MAAM,eAAgBH,EAC7B,EAEAknD,qBAAAA,GACE,OAAOtjD,KAAKzD,MAAM,mBACpB,EAEA+lD,oCAAAA,CAAqCz8B,GACnC7lB,KAAKiyB,+BACH,KACEjyB,KAAKsjD,uBAAuB,IAE9B,KACEz9B,EAAMiM,iBAAiB,GAG7B,IClEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,kIDJzDvzB,EAAAA,EAAAA,aAsBQgkD,EAAA,CArBNhlD,KAAK,qBACJ8Y,KAAM7Y,EAAA6Y,KACNmsC,iBAAkB17C,EAAAw7C,qCAClBhiB,KAAM9iC,EAAA8iC,KACN,kBAAiBxiC,EAAAyD,S,wBAElB,IAcM,EAdNzE,EAAAA,EAAAA,oBAcM,MAdNQ,EAcM,EAXJI,EAAAA,EAAAA,aAUE6lD,EAAA,CATC,gBAAe/lD,EAAA6D,aACfkV,kBAAkBzP,EAAAw8C,sBAClBE,kBAAgBx8C,EAAA,KAAAA,EAAA,OAASlJ,EAAAyD,SAAU,GACnCkiD,UAAS38C,EAAAu8C,cACVj/C,KAAK,QACL,cAAY,GACZ,mBAAiB,GACjB,kBAAgB,GAChB,eAAa,I,6HCfuD,CAAC,SAAS,4B,qFCIzErH,MAAM,kB,GAWNA,MAAM,W,wBA4BnB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,UAAW,SAEnB7yB,MAAO,CACLoZ,KAAM,CAAEnZ,KAAMwC,QAAStC,SAAS,GAEhCgH,KAAM,CACJlH,KAAMC,OACNC,QAAS,SACTqyB,UAAW,SAAU5gB,GACnB,OAAgE,IAAzD,CAAC,eAAgB,SAAU,UAAU8nB,QAAQ9nB,EACtD,IAIJzS,KAAMA,KAAA,CACJ4uB,SAAS,IAGX9K,MAAO,CACL7J,IAAAA,CAAK4sC,IACa,IAAZA,IACFjjD,KAAKgrB,SAAU,EAEnB,GAGFnqB,QAAS,CACPqiD,WAAAA,GACEljD,KAAKzD,MAAM,SACXyD,KAAKgrB,SAAU,CACjB,EAEAm4B,aAAAA,GACEnjD,KAAKzD,MAAM,WACXyD,KAAKgrB,SAAU,CACjB,GAGFnmB,SAAU,CACR6+C,aAAAA,GACE,OAAOC,IAAU3jD,KAAKoE,KACxB,ICzFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,0RDJzD7F,EAAAA,EAAAA,aAwCQgkD,EAAA,CAxCAlsC,KAAM7Y,EAAA6Y,KAAMrZ,KAAK,cAAcsjC,KAAK,M,wBAC1C,IAsCO,EAtCPxjC,EAAAA,EAAAA,oBAsCO,QArCJgX,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAq8C,eAAAr8C,EAAAq8C,iBAAAl8C,IAAa,cAC9BlK,MAAM,0E,EAENc,EAAAA,EAAAA,YAWOC,EAAAC,OAAA,cAXP,IAWO,EAVLL,EAAAA,EAAAA,aAAwDuqC,EAAA,C,aAA3CrpC,EAAAA,EAAAA,iBAAQd,EAAgCM,GAA7B,GAAG0I,EAAA48C,4B,yBAC3BhmD,EAAAA,EAAAA,aAQewqC,EAAA,M,uBAPb,IAMI,EANJprC,EAAAA,EAAAA,oBAMI,IANJQ,GAMIsB,EAAAA,EAAAA,iBAJAd,EAAAM,GAAG,4BAA+CZ,EAAA4G,KAAI,mC,UAQ9D1G,EAAAA,EAAAA,aAoBcmlD,EAAA,M,uBAnBZ,IAkBM,EAlBN/lD,EAAAA,EAAAA,oBAkBM,MAlBN6B,EAkBM,EAjBJjB,EAAAA,EAAAA,aAOa0jC,EAAA,CANXlkC,KAAK,SACLK,KAAK,uBACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAAo8C,YAAW,aAC3BnmD,MAAM,Q,wBAEN,IAAkB,6CAAfe,EAAAM,GAAG,WAAD,M,qBAGPV,EAAAA,EAAAA,aAOEkZ,EAAA,CANA1Z,KAAK,SACLgO,IAAI,gBACJ3N,KAAK,wBACJgE,QAASzD,EAAAktB,QACVpS,MAAM,SACLxS,MAAOtI,EAAAM,GAAG0I,EAAA48C,gB,kEC/BqD,CAAC,SAAS,4B,usBC2CtF,MAAMlkC,GAAetU,EAAAA,EAAAA,KAAI,MAEnBy3B,GAAQihB,EAAAA,EAAAA,YAERz7B,EAAOsW,EAIPxhC,EAAQyhC,EAwBRgM,GAAgBx/B,EAAAA,EAAAA,MAAI,GAEpBy/B,GAAe9lC,EAAAA,EAAAA,WAAS,IACrB5H,EAAM0iB,eAAwC,IAAxB+qB,EAAc77B,SAGvC,SAAE4Q,EAAQ,WAAEC,IAAeC,EAAAA,EAAAA,GAAaH,EAAc,CAC1DqkC,WAAW,EACXhkC,mBAAmB,EACnBC,mBAAmB,KAGrBI,EAAAA,EAAAA,QACE,IAAMjjB,EAAMoZ,OACZ0F,GAAK+nC,EAAuB/nC,MAG9BmE,EAAAA,EAAAA,OAAMyqB,GAAcoZ,IAClB,IACMA,GACFz2B,EAAAA,EAAAA,WAAS,IAAM7N,MAEfC,GAEJ,CAAE,MAAO1e,GACP,MAIJ8pC,EAAAA,EAAAA,KAAiBtvC,SAAU,WAAWwF,IACtB,WAAVA,EAAEoG,MAAmC,IAAfnK,EAAMoZ,MAC9B8R,EAAK,mBAAoBnnB,EAC3B,IAGF,MAAM4pC,EAAwBA,KAC5BF,EAAc77B,OAAQ,CAAK,EAGvBg8B,EAAuBA,KAC3BH,EAAc77B,OAAQ,CAAI,GAG5BixB,EAAAA,EAAAA,YAAU,KACRxjC,KAAKiE,IAAI,qBAAsBqqC,GAC/BtuC,KAAKiE,IAAI,oBAAqBsqC,IAEX,IAAf5tC,EAAMoZ,MAAeytC,GAAuB,EAAK,KAGvDpjC,EAAAA,EAAAA,kBAAgB,KACdllB,SAAS4kB,KAAKC,UAAUG,OAAO,mBAC/BlkB,KAAKmkB,kBAELnkB,KAAKsE,KAAK,qBAAsBgqC,GAChCtuC,KAAKsE,KAAK,oBAAqBiqC,GAE/BH,EAAc77B,OAAQ,CAAK,IAG7B,MAAMyQ,GAAQC,EAAAA,EAAAA,MAEduN,eAAeg3B,EAAuBb,IACpB,IAAZA,GACF96B,EAAK,WACL3sB,SAAS4kB,KAAKC,UAAUC,IAAI,mBAC5BhkB,KAAKikB,iBAELmqB,EAAc77B,OAAQ,IAEtB67B,EAAc77B,OAAQ,EAEtBsZ,EAAK,WACL3sB,SAAS4kB,KAAKC,UAAUG,OAAO,mBAC/BlkB,KAAKmkB,mBAGPnB,EAAM7E,OAAO,oBACf,CAEA,MAAMsoB,GAAoBl+B,EAAAA,EAAAA,WAAS,IAC1B4kB,IAAKkZ,EAAO,CAAC,YAGhBqhB,GAAcn/C,EAAAA,EAAAA,WAAS,KACpB,CACLo/C,GAAI,WACJC,GAAI,WACJC,GAAI,WACJC,GAAI,WACJ,MAAO,YACP,MAAO,YACP,MAAO,YACP,MAAO,YACP,MAAO,YACP,MAAO,gBAILC,GAAiBx/C,EAAAA,EAAAA,WAAS,KAC9B,IAAIy/C,EAAqC,WAArBrnD,EAAMylD,WAA0BsB,EAAYn1C,MAAQ,CAAC,EAEzE,OAAOwO,IAAO,CACZinC,EAAcrnD,EAAMqjC,OAAS,KACR,eAArBrjC,EAAMylD,WAA8B,SAAW,GAC/C/f,EAAM5lC,OACN,I,opBCtLJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,c,qFCH7DA,MAAM,aAMb,SAEA,ECJA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDM,EAAAA,EAAAA,oBAEM,MAFNC,EAEM,EADJO,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCGgE,CAAC,SAAS,qB,qFCJ/EhB,MAAM,+CAMb,SAEA,ECJA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDM,EAAAA,EAAAA,oBAEM,MAFNC,EAEM,EADJO,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCGgE,CAAC,SAAS,oB,4ECKtF,SAEA,ECPA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yFDJzDQ,EAAAA,EAAAA,aAKUkI,EAAA,CAJPC,MAAO,EACR3J,MAAM,2D,wBAEN,IAAQ,EAARc,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,QCAgE,CAAC,SAAS,oB,2FCaxEhB,MAAM,mE,aAsCPA,MAAM,W,qqBAkBnB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,SAER7yB,M,+VAAK6D,CAAA,CACHuV,KAAM,CAAEnZ,KAAMwC,QAAStC,SAAS,KAE7ByO,EAAAA,EAAAA,IAAS,CAAC,eAAgB,gBAG/BzP,KAAMA,KAAA,CACJmF,SAAS,EACT7C,MAAO,KACPiF,SAAU,OAGZ,aAAM5D,SACEC,KAAKwM,aACb,EAEAN,OAAAA,GACE5P,KAAKC,MAAM,kBACb,EAEAsE,QAAS,CACP2L,WAAAA,GAGE,OAFAxM,KAAK2D,SAAW,MAEThC,EAAAA,EAAAA,IACLrF,KAAKsF,UAAUC,IACZ,aAAY7B,KAAKqB,gBAAgBrB,KAAKqM,uBAGxClK,MAAK,EAAG/F,MAAQsC,QAAOiF,gBACtB3D,KAAKtB,MAAQA,EACbsB,KAAK2D,SAAWA,EAChB3D,KAAKuB,SAAU,CAAI,IAEpBmB,OAAM3G,IACL,GAAIA,EAAMF,SAASM,QAAU,IAC3BG,KAAKC,MAAM,QAASR,EAAMF,SAASO,KAAKI,cAI1C,GAA8B,MAA1BT,EAAMF,SAASM,OAKnB,GAA8B,MAA1BJ,EAAMF,SAASM,OAAnB,CAKA,GAA8B,MAA1BJ,EAAMF,SAASM,OAAgB,OAAOG,KAAKM,kBAE/CN,KAAKP,MAAMiE,KAAK5B,GAAG,mCAEnB9B,KAAKO,MAAO,cAAamD,KAAKqB,eAN9B,MAFE/E,KAAKO,MAAM,aALXP,KAAKO,MAAM,OAagC,GAEnD,GAGFgI,SAAU,CACR0/C,UAAAA,GACE,MAAQ,GAAEvkD,KAAK5B,GAAG,iBAAiB4B,KAAKtB,OAC1C,IC1IJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6VDJzDH,EAAAA,EAAAA,aAiEQgkD,EAAA,CAhELlsC,KAAM7Y,EAAA6Y,KACNmsC,iBAAgBx7C,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,UACzBS,KAAK,cACLsjC,KAAK,MACJ,kBAAgB,G,wBAEjB,IAyDc,EAzDd5iC,EAAAA,EAAAA,aAyDc2I,EAAA,CAxDX9E,QAASzD,EAAAyD,QACVxE,MAAM,0E,wBAEN,IAyCO,EAzCPc,EAAAA,EAAAA,YAyCOC,EAAAC,OAAA,cAzCP,IAyCO,EAxCLL,EAAAA,EAAAA,aAmBcuqC,EAAA,CAnBDlrC,MAAM,qBAAmB,C,uBACpC,IAQO,EARPD,EAAAA,EAAAA,oBAQO,yDAPFgK,EAAAy9C,YAAa,IAChB,GACQzmD,EAAA6F,UAAY7F,EAAA6F,SAASgK,cAAW,kBADxCtQ,EAAAA,EAAAA,oBAKO,OALPC,GAKOsB,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,iBAAD,uCAITV,EAAAA,EAAAA,aAOOM,EAAA,CANLT,KAAK,wBACJZ,KAAMmB,EAAAG,KAAK,cAAcH,EAAAuD,gBAAgBvD,EAAAuO,cAC1CtP,MAAM,UACLynD,IAAK1mD,EAAAM,GAAG,iBAAkB,CAAnBuF,SAA+B7F,EAAAY,S,wBAEvC,IAA2B,EAA3BhB,EAAAA,EAAAA,aAA2BkR,EAAA,CAArB1R,KAAK,mB,iCAGfQ,EAAAA,EAAAA,aAmBewqC,EAAA,CAlBbnrC,MAAM,4DAA0D,C,uBAEhE,IAeW,CAfKe,EAAA6F,WAAQ,kBAAxBtG,EAAAA,EAAAA,oBAeW8J,EAAAA,SAAA,CAAAC,IAAA,0BAdT/J,EAAAA,EAAAA,oBASE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAPyBpQ,EAAA6F,SAASkM,QAAM,CAAhC1K,EAAO8yB,M,kBAFjB15B,EAAAA,EAAAA,cASE4P,EAAAA,EAAAA,yBAAA,UALehJ,EAAM8H,aAAS,CAH7B7F,IAAK6wB,EAELA,MAAOA,EAEP,gBAAen6B,EAAAuD,aACf,cAAavD,EAAAuO,WACb1I,SAAU7F,EAAA6F,SACVwB,MAAOA,G,4EAG2B,GAA1BrH,EAAA6F,SAASkM,OAAOjJ,SAAM,kBAAjCvJ,EAAAA,EAAAA,oBAEM,MAAAsB,GAAAC,EAAAA,EAAAA,iBADDd,EAAAM,GAAG,oCAAD,6E,UAMbV,EAAAA,EAAAA,aAScmlD,EAAA,M,uBARZ,IAOM,EAPN/lD,EAAAA,EAAAA,oBAOM,MAPNW,EAOM,CALIK,EAAA6F,WAAQ,kBADhBpF,EAAAA,EAAAA,aAKEqY,EAAA,C,MAHArZ,KAAK,yBACJwJ,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAU1J,EAAAvB,MAAM,UAAD,cACpB6J,MAAOtI,EAAAM,GAAG,U,2GCxDqD,CAAC,SAAS,6B,oFCKzErB,MAAM,kB,GAONA,MAAM,WA2BnB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,UAAW,SAEnB7yB,MAAO,CACLoZ,KAAM,CAAEnZ,KAAMwC,QAAStC,SAAS,IAGlChB,KAAMA,KAAA,CACJ4uB,SAAS,IAGX9K,MAAO,CACL7J,IAAAA,CAAK4sC,IACa,IAAZA,IACFjjD,KAAKgrB,SAAU,EAEnB,GAGFnqB,QAAS,CACPqiD,WAAAA,GACEljD,KAAKzD,MAAM,SACXyD,KAAKgrB,SAAU,CACjB,EAEAm4B,aAAAA,GACEnjD,KAAKzD,MAAM,WACXyD,KAAKgrB,SAAU,CACjB,ICvEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,0RDJzDzsB,EAAAA,EAAAA,aAqCQgkD,EAAA,CArCAlsC,KAAM7Y,EAAA6Y,KAAMiqB,KAAK,M,wBACvB,IAmCO,EAnCPxjC,EAAAA,EAAAA,oBAmCO,QAlCJgX,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAq8C,eAAAr8C,EAAAq8C,iBAAAl8C,IAAa,cAC9BlK,MAAM,iEACN6sB,MAAA,iB,EAEA/rB,EAAAA,EAAAA,YAOOC,EAAAC,OAAA,cAPP,IAOO,EANLL,EAAAA,EAAAA,aAA+CuqC,EAAA,C,aAAlCrpC,EAAAA,EAAAA,iBAAQd,EAAuBM,GAApB,sB,yBACxBV,EAAAA,EAAAA,aAIewqC,EAAA,M,uBAHb,IAEI,EAFJprC,EAAAA,EAAAA,oBAEI,IAFJQ,GAEIsB,EAAAA,EAAAA,iBADCd,EAAAM,GAAG,6DAAD,M,UAKXV,EAAAA,EAAAA,aAoBcmlD,EAAA,M,uBAnBZ,IAkBM,EAlBN/lD,EAAAA,EAAAA,oBAkBM,MAlBN6B,EAkBM,EAjBJjB,EAAAA,EAAAA,aAOa0jC,EAAA,CANXlkC,KAAK,SACLK,KAAK,wBACJwJ,SAAKgN,EAAAA,EAAAA,eAAUjN,EAAAo8C,YAAW,aAC3BnmD,MAAM,Q,wBAEN,IAAkB,6CAAfe,EAAAM,GAAG,WAAD,M,qBAGPV,EAAAA,EAAAA,aAOSkZ,EAAA,CANP1Z,KAAK,SACLgO,IAAI,gBACJ3N,KAAK,yBACJgE,QAASzD,EAAAktB,S,wBAEV,IAAmB,6CAAhBltB,EAAAM,GAAG,YAAD,M,0DC5B2D,CAAC,SAAS,6B,gGCA7ErB,MAAM,Y,GAINA,MAAM,uB,GAEFA,MAAM,qB,GACJA,MAAM,a,GAEPA,MAAM,oE,YAyBpB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,sBAAuB,sBAAuB,wBAEtDjxB,KAAM,sBAEN5B,MAAO,CACLwnD,aAAc,CACZvnD,KAAMuS,OACNH,UAAU,IAIdzO,QAAS,CACP+/B,WAAAA,GACE5gC,KAAKzD,MAAM,uBACXyD,KAAKzD,MAAM,wBACXyD,KAAKnD,OACP,EAEA6nD,iBAAAA,GAEIjzB,QAAQzxB,KAAK5B,GAAG,wDAEhB4B,KAAKzD,MAAM,sBAEf,EAEAM,KAAAA,GACE,GAAImD,KAAK2kD,OACP,OAAOroD,KAAKO,MAAMmD,KAAKykD,aAAaG,UAAW,CAC7Cr7B,aAAcvpB,KAAKykD,aAAal7B,eAAgB,GAGtD,GAGF1kB,SAAU,CACRgjC,IAAAA,GACE,OAAO7nC,KAAKykD,aAAa5c,IAC3B,EAEA8c,MAAAA,GACE,OAAO3kD,KAAKykD,aAAaG,SAC3B,ICjFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yHDJzDvnD,EAAAA,EAAAA,oBAgCM,OA/BJN,MAAM,uCACLQ,KAAI,gBAAkBC,EAAAinD,aAAar2C,M,EAEpCtR,EAAAA,EAAAA,oBAEM,MAFN6B,EAEM,EADJjB,EAAAA,EAAAA,aAAqDkR,EAAA,CAA9C1R,KAAM4J,EAAA+gC,KAAO9qC,OAAK4J,EAAAA,EAAAA,gBAAEnJ,EAAAinD,aAAanE,Y,4BAG1CxjD,EAAAA,EAAAA,oBAuBM,MAvBNW,EAuBM,EAtBJX,EAAAA,EAAAA,oBAcM,aAbJA,EAAAA,EAAAA,oBAQM,MARNc,EAQM,EAPJd,EAAAA,EAAAA,oBAMM,MANNyR,EAMM,EALJzR,EAAAA,EAAAA,oBAII,IAJJsX,GAIIxV,EAAAA,EAAAA,iBADCpB,EAAAinD,aAAajoD,SAAO,QAK7BM,EAAAA,EAAAA,oBAEI,KAFDC,MAAM,eAAgB2B,MAAOlB,EAAAinD,aAAaI,a,qBACxCrnD,EAAAinD,aAAaK,qBAAmB,EAAArwC,KAK/B3N,EAAA69C,SAAM,kBADdpmD,EAAAA,EAAAA,aAKEqY,EAAA,C,MAHC7P,QAAOD,EAAA85B,YACPx6B,MAAO5I,EAAAinD,aAAaM,WACrBzkB,KAAK,S,uECzB+D,CAAC,SAAS,4B,qFCJ/EvjC,MAAM,Y,yBAkBHA,MAAM,8H,SAeqBA,MAAM,2B,GAQjCA,MAAM,kM,SAKJA,MAAM,yD,GAIDA,MAAM,W,GAYEA,MAAM,a,SA4BTA,MAAM,S,GAChBD,EAAAA,EAAAA,oBAaI,KAbDC,MAAM,eAAa,EACpBD,EAAAA,EAAAA,oBAWM,OAVJC,MAAM,gDACNsiC,MAAM,6BACNkC,MAAM,KACNE,OAAO,KACPrC,QAAQ,a,EAERtiC,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,eACNikC,EAAE,0wB,MAKLjkC,MAAM,oB,GAINA,MAAM,yB,sgCAkBrB,MAAM,aAAEq0B,EAAY,WAAErwB,EAAU,WAAEmM,IAAe83C,EAAAA,EAAAA,IAAwB,QAEzE,GACE3mD,WAAY,CACV2Q,OAAMA,EAAAA,GAGRjP,OAAAA,GACEC,KAAK0c,oBACP,EAEAwD,MAAO,CACL3D,kBAAAA,CAAmB4D,IACA,IAAbA,EAKJ3kB,SAAS4kB,KAAKC,UAAUG,OAAO,qBAJ7BhlB,SAAS4kB,KAAKC,UAAUC,IAAI,oBAKhC,GAGFpU,OAAAA,GACE5P,KAAKiE,IAAI,yBAAyB,IAAMP,KAAK0c,sBAC/C,EAEAhc,aAAAA,GACElF,SAAS4kB,KAAKC,UAAUG,OAAO,oBACjC,EAEA3f,QAAOC,EAAAA,EAAAA,EAAA,GACFswB,EAAa,CAAC,iBAAkB,yBAChCrwB,EAAW,CACZ,qBACA,qBACA,yBACA,yBACA,gCACA,IAEFkkD,4BAAAA,GAEIxzB,QACEzxB,KAAK5B,GAAG,4DAGV4B,KAAK+c,wBAET,IAGFlY,SAAQ/D,EAAAA,EAAA,GACHoM,EAAW,CACZ,gBACA,qBACA,gBACA,yBACA,IAEFg4C,sBAAqBA,IACZ5oD,KAAKoX,OAAO,0CCxLzB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8UDJzD5W,EAAAA,EAAAA,oBAsBM,MAtBNQ,EAsBM,EArBJI,EAAAA,EAAAA,aAoBSkZ,EAAA,CAnBPxM,QAAQ,SACRy9B,KAAK,OACJ9gC,SAAKgN,EAAAA,EAAAA,eAAOjW,EAAA2e,oBAAmB,UAChClf,KAAK,0B,wBAEL,IAaW,CAbKO,EAAA0e,sBAAmB,kBAAnCnf,EAAAA,EAAAA,oBAaW8J,EAAAA,SAAA,CAAAC,IAAA,IAVDN,EAAAo+C,wBAAqB,kBAD7B7nD,EAAAA,EAAAA,oBAIE,Q,MAFAwJ,UAAQ/I,EAAA0e,oBAAsB,GAAK,MAAQ1e,EAAA0e,oBAC3Czf,MAAM,+N,+BAIRM,EAAAA,EAAAA,oBAGE,OAHFI,KAGE,wC,0CAKRc,EAAAA,EAAAA,aAiGW+yC,EAAAA,SAAA,CAjGDrF,GAAG,QAAM,EACjBvuC,EAAAA,EAAAA,aA+Fa0wC,EAAAA,WAAA,CA9FX,qBAAmB,mCACnB,mBAAiB,YACjB,iBAAe,cACf,qBAAmB,kCACnB,mBAAiB,cACjB,iBAAe,a,wBAEf,IAsFM,CAtFKtwC,EAAAye,qBAAkB,kBAA7Blf,EAAAA,EAAAA,oBAsFM,MAtFNO,EAsFM,EArFJd,EAAAA,EAAAA,oBAIE,OAHCiK,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAA2e,qBAAA3e,EAAA2e,uBAAAxV,IACRlK,MAAM,sDACNQ,KAAK,4BAGPT,EAAAA,EAAAA,oBA8EM,MA9ENyR,EA8EM,CAzEIzQ,EAAAwe,cAAc1V,OAAS,IAAH,kBAD5BvJ,EAAAA,EAAAA,oBAqCM,MArCN+W,EAqCM,EAjCJ1W,EAAAA,EAAAA,aAAoE+I,EAAA,CAA1DC,MAAO,EAAG3J,MAAM,Q,wBAAO,IAAyB,6CAAtBe,EAAAM,GAAG,kBAAD,M,OAEtCtB,EAAAA,EAAAA,oBA8BM,MA9BN2X,EA8BM,EA7BJ/W,EAAAA,EAAAA,aA4BW4pC,EAAA,MA3BElqC,SAAOoX,EAAAA,EAAAA,UAChB,IAIE,EAJF9W,EAAAA,EAAAA,aAIEkZ,EAAA,CAHCrZ,KAAM,sCACP6M,QAAQ,QACRy9B,KAAK,2BAIEN,MAAI/yB,EAAAA,EAAAA,UACb,IAgBe,EAhBf9W,EAAAA,EAAAA,aAgBe8pC,EAAA,CAhBDjG,MAAM,OAAK,C,uBACvB,IAcM,EAdNzkC,EAAAA,EAAAA,oBAcM,MAdN8Y,EAcM,EAbJlY,EAAAA,EAAAA,aAKmB+pC,EAAA,CAJjBC,GAAG,SACF3gC,QAAOjJ,EAAAkf,4B,wBAER,IAA4B,6CAAzBlf,EAAAM,GAAG,qBAAD,M,qBAGPV,EAAAA,EAAAA,aAKmB+pC,EAAA,CAJjBC,GAAG,SACF3gC,QAAOD,EAAAm+C,8B,wBAER,IAAoC,6CAAjCnnD,EAAAM,GAAG,6BAAD,M,6EAWXN,EAAAwe,cAAc1V,OAAS,IAAH,kBAD5BrI,EAAAA,EAAAA,aAGE4mD,EAAA,C,MADC7oC,cAAexe,EAAAwe,e,+CAIlBjf,EAAAA,EAAAA,oBA2BM,MA3BNwY,EA2BM,CA1BJoqC,GAeAnjD,EAAAA,EAAAA,oBAEI,IAFJqY,GAEIvW,EAAAA,EAAAA,iBADCd,EAAAM,GAAG,oCAAD,IAGPtB,EAAAA,EAAAA,oBAMI,IANJuY,EAMI,EALF3X,EAAAA,EAAAA,aAIEkZ,EAAA,CAHAxM,QAAQ,QACPrD,QAAOjJ,EAAA2e,oBACPrW,MAAOtI,EAAAM,GAAG,U,yFC9GiD,CAAC,SAAS,2B,sfCDtF,MAAMkhB,GAAQC,EAAAA,EAAAA,M,mgDCAd,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,yB,qFCH7DxiB,MAAM,4C,GACJA,MAAM,gB,4FAmFf,SACE+yB,MAAO,CAAC,QAER7yB,MAAO,CACLiH,KAAM,CACJhH,KAAMoyB,OACNhgB,UAAU,GAEZmT,MAAO,CACLvlB,KAAMoyB,OACNlyB,QAAS,GAEXgoD,KAAM,CACJloD,KAAMwC,QACNtC,SAAS,GAEXmiD,SAAU,CACRriD,KAAMwC,QACNtC,SAAS,IAIbhB,KAAMA,KAAA,CAASipD,eAAe,IAE9Bn5C,OAAAA,GACE5P,KAAKiE,IAAI,mBAAoBP,KAAKslD,wBACpC,EAEA5kD,aAAAA,GACEpE,KAAKsE,KAAK,mBAAoBZ,KAAKslD,wBACrC,EAEAzkD,QAAS,CAIP2K,UAAAA,CAAWtH,GACLlE,KAAKkE,MAAQA,IACflE,KAAKqlD,eAAgB,EACrBrlD,KAAKzD,MAAM,OAAQ2H,GAEvB,EAKAq2B,kBAAAA,GACEv6B,KAAKwL,WAAWxL,KAAKkE,KAAO,EAC9B,EAKAs2B,cAAAA,GACEx6B,KAAKwL,WAAWxL,KAAKkE,KAAO,EAC9B,EAEAohD,uBAAAA,GACEtlD,KAAKqlD,eAAgB,CACvB,GAGFxgD,SAAU,CAIR0gD,iBAAkB,WAChB,OAAOvlD,KAAKkE,KAAO,CACrB,EAKAshD,aAAc,WACZ,OAAOxlD,KAAKkE,KAAOlE,KAAKyiB,KAC1B,EAKAgjC,UAAAA,GACE,MAAMC,EAAa9tC,KAAK8lC,IAAI9lC,KAAKgmC,IAAI,EAAG59C,KAAKkE,MAAOlE,KAAKyiB,MAAQ,GAC/DkjC,EAAW/tC,KAAKgmC,IAAI8H,EAAa,EAAG,GACpCE,EAAShuC,KAAK8lC,IAAIgI,EAAa,EAAG1lD,KAAKyiB,OAEzC,IAAIA,EAAQ,GAEZ,IAAK,IAAIojC,EAAIF,EAAUE,GAAKD,IAAUC,EAChCA,EAAI,GAAGpjC,EAAMc,KAAKsiC,GAGxB,OAAOpjC,CACT,IC5KJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDplB,EAAAA,EAAAA,oBAgFM,MAhFNC,EAgFM,EA/EJR,EAAAA,EAAAA,oBA4EM,MA5EN6B,EA4EM,EA1EJ7B,EAAAA,EAAAA,oBAYS,UAXNgS,UAAWhI,EAAAy+C,kBAAoBznD,EAAAunD,cAChCtoD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,mKAAkK,C,gBACnIG,EAAAy+C,iB,iBAA8Cz+C,EAAAy+C,kBAAoBznD,EAAAunD,iBAIvGpL,IAAI,QACHlzC,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAUV,EAAA0E,WAAW,IAAD,cAC1BjO,KAAK,SACN,MAED,GAAAE,IAGAX,EAAAA,EAAAA,oBAYS,UAXNgS,UAAWhI,EAAAy+C,kBAAoBznD,EAAAunD,cAChCtoD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qJAAoJ,C,gBACrHG,EAAAy+C,iB,iBAA8Cz+C,EAAAy+C,kBAAoBznD,EAAAunD,iBAIvGpL,IAAI,OACHlzC,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAUV,EAAAyzB,sBAAkB,cAClCh9B,KAAK,YACN,MAED,GAAAK,KAAA,oBAGAP,EAAAA,EAAAA,oBAaS8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAXKpH,EAAA2+C,YAALI,K,kBAFTxoD,EAAAA,EAAAA,oBAaS,UAZNyR,SAAUhR,EAAAunD,cAEVj+C,IAAKy+C,EACN9oD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,6IAA4I,C,gBAC7GnJ,EAAA0G,OAAS2hD,E,4CAA0DroD,EAAA0G,OAAS2hD,KAIhH9+C,SAAKgN,EAAAA,EAAAA,gBAAAvM,GAAUV,EAAA0E,WAAWq6C,IAAC,aAC3BtoD,KAAI,QAAUsoD,M,qBAEZA,GAAC,GAAAt3C,M,OAINzR,EAAAA,EAAAA,oBAYS,UAXNgS,UAAWhI,EAAA0+C,cAAgB1nD,EAAAunD,cAC5BtoD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qJAAoJ,C,gBACrHG,EAAA0+C,a,iBAA0C1+C,EAAA0+C,cAAgB1nD,EAAAunD,iBAI/FpL,IAAI,OACHlzC,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAUV,EAAA0zB,kBAAc,cAC9Bj9B,KAAK,QACN,MAED,GAAA6W,IAGAtX,EAAAA,EAAAA,oBAYS,UAXNgS,UAAWhI,EAAA0+C,cAAgB1nD,EAAAunD,cAC5BtoD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qJAAoJ,C,gBACrHG,EAAA0+C,a,iBAA0C1+C,EAAA0+C,cAAgB1nD,EAAAunD,iBAI/FpL,IAAI,OACHlzC,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAAvM,GAAUV,EAAA0E,WAAWhO,EAAAilB,QAAK,cAChCllB,KAAK,QACN,MAED,GAAAkX,MAGF5W,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GC3EgE,CAAC,SAAS,wB,qFCHlFhB,MAAM,6E,GAEHA,MAAM,wC,SAEoBA,MAAM,0B,GAYhCA,MAAM,wCAOb,SACE+yB,MAAO,CAAC,aAER7yB,MAAO,CACL0O,qBAAsB,CACpBzO,KAAMoyB,OACNhgB,UAAU,GAEZzL,yBAA0B,CACxB3G,KAAMoyB,OACNhgB,UAAU,GAEZ5D,mBAAoB,CAClBxO,KAAMC,OACNmS,UAAU,GAEZ/M,QAAS,CACPrF,KAAM,CAACoyB,OAAQnyB,QACfmS,UAAU,GAEZpL,KAAM,CACJhH,KAAMoyB,OACNhgB,UAAU,GAEZmT,MAAO,CACLvlB,KAAMoyB,OACNlyB,QAAS,GAEXgoD,KAAM,CACJloD,KAAMwC,QACNtC,SAAS,GAEXmiD,SAAU,CACRriD,KAAMwC,QACNtC,SAAS,IAIbyD,QAAS,CACPkD,QAAAA,GACE/D,KAAKzD,MAAM,YACb,GAGFsI,SAAU,CACRo8B,WAAAA,GACE,OAAOjhC,KAAK5B,GAAG,qBAAsB,CACnCmE,QAASjG,KAAKosB,aAAa1oB,KAAKuC,UAEpC,EAEAujD,kBAAAA,GACE,OAAO9lD,KAAK2L,sBAAwB3L,KAAK6D,wBAC3C,EAEAkiD,uBAAAA,GACE,OAAOzpD,KAAKosB,aAAa1oB,KAAK6D,yBAChC,IC7EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDxG,EAAAA,EAAAA,oBAoBM,MApBNC,EAoBM,EAjBJR,EAAAA,EAAAA,oBAA4E,IAA5E6B,GAA4EC,EAAAA,EAAAA,iBAAzBpB,EAAAkO,oBAAkB,GAE5D5E,EAAAg/C,qBAAkB,kBAA3BzoD,EAAAA,EAAAA,oBAEI,IAFJI,GAEImB,EAAAA,EAAAA,iBADCd,EAAAM,GAAG,0BAAD,wBAGPf,EAAAA,EAAAA,oBAMS,U,MAJN0J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA/C,UAAA+C,EAAA/C,YAAAkD,IACRlK,MAAM,2I,qBAEH+J,EAAAm6B,aAAW,KAGhBnkC,EAAAA,EAAAA,oBAEI,IAFJc,GAEIgB,EAAAA,EAAAA,iBADCd,EAAAM,GAAG,gBAAiB,CAAlB4nD,OAA4Bl/C,EAAAi/C,2BAAuB,I,GCdc,CAAC,SAAS,2B,oFCJ/EhpD,MAAM,gB,GACJA,MAAM,qC,8BAwCf,SACE+yB,MAAO,CAAC,QAER7yB,MAAO,CACL0O,qBAAsB,CACpBzO,KAAMoyB,OACNhgB,UAAU,GAEZzL,yBAA0B,CACxB3G,KAAMoyB,OACNhgB,UAAU,GAEZ5D,mBAAoB,CAClBxO,KAAM,CAACoyB,OAAQnyB,QACfmS,UAAU,GAEZpL,KAAM,CACJhH,KAAMoyB,OACNhgB,UAAU,GAEZmT,MAAO,CACLvlB,KAAMoyB,OACNlyB,QAAS,GAEXgoD,KAAM,CACJloD,KAAMwC,QACNtC,SAAS,GAEXmiD,SAAU,CACRriD,KAAMwC,QACNtC,SAAS,IAIbhB,KAAMA,KAAA,CAASipD,eAAe,IAE9Bn5C,OAAAA,GACE5P,KAAKiE,IAAI,mBAAoBP,KAAKslD,wBACpC,EAEA5kD,aAAAA,GACEpE,KAAKsE,KAAK,mBAAoBZ,KAAKslD,wBACrC,EAEAzkD,QAAS,CAIP05B,kBAAAA,GACEv6B,KAAKwL,WAAWxL,KAAKkE,KAAO,EAC9B,EAKAs2B,cAAAA,GACEx6B,KAAKwL,WAAWxL,KAAKkE,KAAO,EAC9B,EAKAsH,UAAAA,CAAWtH,GACTlE,KAAKqlD,eAAgB,EACrBrlD,KAAKzD,MAAM,OAAQ2H,EACrB,EAEAohD,uBAAAA,GACEtlD,KAAKqlD,eAAgB,CACvB,GAGFxgD,SAAU,CAIR0gD,iBAAkB,WAChB,OAAOvlD,KAAKu/C,QACd,EAKAiG,aAAc,WACZ,OAAOxlD,KAAKolD,IACd,IC1HJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzD/nD,EAAAA,EAAAA,oBAqCM,MArCNC,EAqCM,EApCJR,EAAAA,EAAAA,oBAmCM,MAnCN6B,EAmCM,EAjCJ7B,EAAAA,EAAAA,oBAcS,UAbNgS,UAAWhI,EAAAy+C,kBAAoBznD,EAAAunD,cAChCtoD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,2FAA0F,C,kEACGG,EAAAy+C,iB,oCAA6Ez+C,EAAAy+C,kBAAoBznD,EAAAunD,iBAMpMpL,IAAI,OACHlzC,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAyzB,oBAAAzzB,EAAAyzB,sBAAAtzB,IAAkB,cAClC1J,KAAK,a,qBAEFO,EAAAM,GAAG,aAAD,GAAAX,IAGPI,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,YAGRjB,EAAAA,EAAAA,oBAaS,UAZNgS,UAAWhI,EAAA0+C,cAAgB1nD,EAAAunD,cAC5BtoD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,2FAA0F,C,kEACGG,EAAA0+C,a,oCAA6D1+C,EAAA0+C,cAAgB1nD,EAAAunD,iBAKhLpL,IAAI,OACHlzC,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAA0zB,gBAAA1zB,EAAA0zB,kBAAAvzB,IAAc,cAC9B1J,KAAK,S,qBAEFO,EAAAM,GAAG,SAAD,GAAAR,M,GC9B+D,CAAC,SAAS,yB,qFCH/Eb,MAAM,iDA6Bb,SACEE,MAAO,CACL,sBACA,cACA,kBACA,WACA,aACA,aACA,cACA,UACA,qBACA,uBACA,6BCtCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDHzDI,EAAAA,EAAAA,oBAyBM,MAzBNC,EAyBM,qBAxBJiB,EAAAA,EAAAA,cAuBY4P,EAAAA,EAAAA,yBAtBL3Q,EAAA6N,qBAAmB,CACvB+5C,KAAM5nD,EAAA8N,YACNi0C,SAAU/hD,EAAA+N,gBACV06C,WAAWzoD,EAAAuG,SACXmiD,OAAM1oD,EAAAgO,WACNiX,MAAOjlB,EAAAiO,WACPvH,KAAM1G,EAAAyG,YACN,WAAUzG,EAAA+E,QACV,uBAAsB/E,EAAAkO,mBACtB,yBAAwBlO,EAAAmO,qBACxB,8BAA6BnO,EAAAqG,0B,wBAE9B,IASO,CARCrG,EAAAkO,qBAAkB,kBAD1BrO,EAAAA,EAAAA,oBASO,Q,MAPLN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,eAAc,C,2BAC2D,qBAAnBnJ,EAAA6N,yB,qBAKzD7N,EAAAkO,oBAAkB,uC,gKCnB+C,CAAC,SAAS,2B,gGCM/E3O,OAAK4J,EAAAA,EAAAA,gBAAE,CAAC,8CAAD,8C,GAMF5J,MAAM,sC,SA0BRA,MAAM,qB,yCAiBhB,SACE+B,OAAQ,CAACugD,EAAAA,GAAmB8G,EAAAA,IAE5BlpD,MAAO,CACLg7B,MAAO,CACL/6B,KAAMoyB,OACNhgB,UAAU,GAGZnK,MAAO,CACLjI,KAAMuS,OACNH,UAAU,GAGZ81B,UAAW,CACTloC,KAAMC,OACNC,QAAS,KAIbyD,QAAS,CACPulD,IAAAA,GACEpmD,KAAK+vB,qBAAqB/vB,KAAKmF,MAAM0J,MACvC,GAGFhK,SAAU,CACRuB,KAAAA,GACE,OAAOpG,KAAKolC,WAAaplC,KAAKmF,MAAMtG,IACtC,ICpFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gIDJzDxB,EAAAA,EAAAA,oBAqDM,OApDJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,0CACE,CAAC,uDAAD,wGAKPpJ,KAAMC,EAAA2H,MAAM6Q,W,EAEblZ,EAAAA,EAAAA,oBAWM,MAXN6B,EAWM,EALJd,EAAAA,EAAAA,YAIOC,EAAAC,OAAA,cAJP,IAIO,EAHLjB,EAAAA,EAAAA,oBAEK,KAFLW,EAEK,EADHX,EAAAA,EAAAA,oBAAwB,aAAA8B,EAAAA,EAAAA,iBAAfkI,EAAAV,OAAK,WAIpBtJ,EAAAA,EAAAA,oBA+BM,OA9BJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,YACE,CAAC,8CAAD,8G,EAMR9I,EAAAA,EAAAA,YAsBOC,EAAAC,OAAA,YAtBP,IAsBO,CApBGD,EAAA47B,YAAcl8B,EAAA2H,MAAMm6C,WAAaxhD,EAAA67B,qBAAmB,wCAD5Dp7B,EAAAA,EAAAA,aAQa8nD,EAAA,C,MANVt/C,SAAKgN,EAAAA,EAAAA,eAAejN,EAAAs/C,KAAI,qB,wBAGzB,IAEO,EAFPtpD,EAAAA,EAAAA,oBAEO,QAFDoO,IAAI,kBAAetM,EAAAA,EAAAA,iBACpBd,EAAA47B,YAAU,Q,yBAHJ57B,EAAAM,GAAG,yBAQHN,EAAA47B,YAAel8B,EAAA2H,MAAMm6C,UAAaxhD,EAAA67B,oBAMlC77B,EAAA47B,aAAel8B,EAAA2H,MAAMm6C,UAAYxhD,EAAA67B,sBAAmB,kBADjEt8B,EAAAA,EAAAA,oBAGE,O,MADAwJ,UAAQ/I,EAAA47B,Y,+BAEVr8B,EAAAA,EAAAA,oBAAqB,IAAA+W,EAAX,QATwD,kBADlE/W,EAAAA,EAAAA,oBAKI,IALJO,GAKIgB,EAAAA,EAAAA,iBADCd,EAAA47B,YAAU,UAME,I,GC9CmD,CAAC,SAAS,kB,4ECFtF,SACEz8B,MAAO,CAAC,QAER+hC,cAAc,EAEd1a,MAAAA,GACE,IAAIgiC,EAAW9qD,SAAS+qD,yBACpBC,EAAOhrD,SAASquB,cAAc,QAClC28B,EAAK3/C,UAAY7G,KAAKxC,OAAOyhC,KAC7BqnB,EAAS34B,YAAY64B,GACrB,MAAM9U,EAAU1xC,KAAKm/B,OAAOpiC,MAAM2b,MAAM,KAAK2E,OAAOlgB,QAGpD,OAFAmpD,EAAS5qD,cAAc,OAAO2kB,UAAUC,OAAOoxB,IAExCrvB,EAAAA,EAAAA,GAAE,OAAQ,CACfxb,UAAW2/C,EAAK3/C,WAEpB,GCfF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,wB,ihBCApE,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,oB,keC+CpE,MAAMtF,GAAU2J,EAAAA,EAAAA,MAAI,GACdu7C,GAAiBv7C,EAAAA,EAAAA,KAAI,MACrBw7C,EAAYz+B,KAAK,IAIvB6E,iBACEvrB,EAAQsN,OAAQ,EAChB,IACE,MACEzS,MACEuH,UAAU,OAAEkM,WAENlO,EAAAA,EAAAA,IACRrF,KAAKsF,UAAUC,IACZ,aAAY5E,EAAMoE,gBAAgBpE,EAAMoP,mBAE3C,KAGFo6C,EAAe53C,MAAQgB,CACzB,CAAE,MAAO9T,GACP4Q,QAAQ5Q,MAAMA,EAChB,CAAE,QACAwF,EAAQsN,OAAQ,CAClB,CACF,CAxB6BmoB,KAEvB/5B,EAAQyhC,E,yqCCnDd,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,qB,2uBCkEpE,MAAMvW,EAAOsW,GACP,GAAErgC,IAAOysB,EAAAA,EAAAA,KAET5tB,EAAQyhC,GASd7nB,EAAAA,EAAAA,SACE,aACAhS,EAAAA,EAAAA,WAAS,IAAM5H,EAAMi7B,cAEvBrhB,EAAAA,EAAAA,SACE,SACAhS,EAAAA,EAAAA,WAAS,IAAM5H,EAAMg7B,SAGvB,MAAM0uB,EAAY1pD,EAAM85B,KAAKlnB,OAAOuN,KAAIE,GAAKA,EAAEtH,YACzC4wC,EAAYt8B,IAAUq8B,EAAUvpC,KAAIypC,GAAK,CAAE,UAASA,KAAK37C,EAAAA,EAAAA,KAAI,UAE7D7J,GAAe22B,EAAAA,EAAAA,QAAO,gBACtB3rB,GAAa2rB,EAAAA,EAAAA,QAAO,cACpB3I,GAA2B2I,EAAAA,EAAAA,QAAO,4BAClCp1B,GAAco1B,EAAAA,EAAAA,QAAO,eACrBn1B,GAAgBm1B,EAAAA,EAAAA,QAAO,iBACvBl1B,GAAkBk1B,EAAAA,EAAAA,QAAO,mBAEzBrE,EAAeA,IACnB12B,EAAM85B,KAAK+vB,qBACPr1B,QAAQrzB,EAAG,+CACToiB,IACA,KACFA,IAEAA,EAASA,KACb/Q,OAAO0I,KAAKyuC,GAAWxuC,SAAQ0U,cAI/B3E,EAAK,QAASlrB,EAAMg7B,MAAM,E,6iDC7G5B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,oB,qFCH7Dl7B,MAAM,4C,SAGPA,MAAM,uDACNQ,KAAK,kB,GAWER,MAAM,iDAiCnB,SACE+yB,MAAO,CAAC,iBAAkB,SAAU,UAAW,QAAS,kBAExDhxB,OAAQ,C,SAACQ,IAETrC,MAAO,CACL8F,mBAAoB,CAAE7F,KAAMwC,QAAS4P,UAAU,GAC/CjO,aAAc,CAAEjE,QAAS,MACzBgF,UAAW,CAAEhF,QAAS,IACtB4K,aAAc,CAAE9K,KAAMC,OAAQmS,UAAU,GACxChG,kBAAmB,CAAElM,QAAS,IAC9BkG,oBAAqB,CAAC,EACtBkG,qBAAsB,CAAEtM,KAAMwC,QAAStC,SAAS,GAChDigC,oBAAqB,CAAEngC,KAAMwC,QAAStC,SAAS,GAC/CwF,YAAa,CAAExF,QAAS,MACxByF,cAAe,CAAEzF,QAAS,MAC1B0F,gBAAiB,CAAE1F,QAAS,MAC5BuF,iBAAkB,CAAEvF,QAAS,MAC7BqN,sBAAuB,CAAEvN,KAAMulC,UAC/BskB,gBAAiB,CAAE3pD,QAAS,MAC5ByC,SAAU,CAAE3C,KAAMwC,QAAStC,SAAS,IAGtChB,KAAMA,KAAA,CACJmgC,oBAAoB,EACpByqB,mBAAmB,EACnBC,cAAe,OAGjBpmD,QAAS,CAIPqmD,cAAAA,CAAevjD,GACb3D,KAAKzD,MAAM,SAAU,CAACoH,GACxB,EAKAwjD,eAAAA,CAAgBxjD,GACd3D,KAAKzD,MAAM,UAAW,CAACoH,GACzB,EAKAyjD,oBAAAA,CAAqBjiD,GACnBnF,KAAKzD,MAAM,QAAS4I,EACtB,EAKA0F,YAAAA,CAAa1F,GACXnF,KAAKzD,MAAM,iBAAkB4I,EAC/B,GAGFN,SAAU,CAIRgL,MAAAA,GACE,GAAI7P,KAAKoC,UACP,OAAOpC,KAAKoC,UAAU,GAAGyN,MAE7B,EAKA1F,aAAAA,GACE,MAC2B,iBAAzBnK,KAAK2C,kBACoB,eAAzB3C,KAAK2C,gBAET,EAKA0kD,uBAAAA,GACE,OAAOrnD,KAAKC,oBAAoBqnD,iBAClC,EAEAC,UAAAA,GACE,OAAOvnD,KAAKC,oBAAoBsnD,UAClC,EAEA/3B,WAAAA,GACE,OAAOxvB,KAAKC,oBAAoBuvB,WAClC,ICxIJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,kJDJzDnyB,EAAAA,EAAAA,oBA0CM,MA1CNC,EA0CM,CAxCIE,EAAA4E,UAAUwE,OAAS,IAAH,kBADxBvJ,EAAAA,EAAAA,oBAwCQ,QAxCRsB,EAwCQ,EAnCNjB,EAAAA,EAAAA,aAQE8pD,EAAA,CAPC,gBAAehqD,EAAA6D,aACfwO,OAAQ/I,EAAA+I,OACR,6BAA4B/I,EAAAugD,wBAC5B,yBAAwB7pD,EAAAgM,qBACxB3J,SAAUrC,EAAAqC,SACV6K,QAAO5D,EAAAsgD,qBACPx8C,eAAgB9D,EAAA+D,c,gIAEnB/N,EAAAA,EAAAA,oBAyBQ,QAzBRW,EAyBQ,uBAxBNJ,EAAAA,EAAAA,oBAuBE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAtB4B1Q,EAAA4E,WAAS,CAA7BuB,EAAUs0B,M,kBADpB15B,EAAAA,EAAAA,aAuBEkpD,EAAA,CArBC9/C,iBAAcX,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,mBACtB,wBAAuBiB,EAAA6/B,oBACvB,mBAAkB7/B,EAAAupD,gBAClBtwC,QAASjZ,EAAA8L,kBAAkBqtB,QAAQhzB,IAAa,EAChD,eAAcmD,EAAA0oB,YACd,kBAAiB1oB,EAAAogD,eACjB9/C,IAAG,GAAKzD,EAASyK,GAAGS,eAAeopB,IACnC,oBAAmBz6B,EAAAmF,iBACnB,gBAAenF,EAAA6D,aACfsC,SAAUA,EACV,mBAAkBmD,EAAAqgD,gBAClB,qBAAoB3pD,EAAA8L,kBACpB,yBAAwB9L,EAAAgM,qBACxB,6BAA4B1C,EAAAugD,wBAC5B,cAAavgD,EAAAygD,WACbG,OAAM,GAAKlqD,EAAA6D,sBAAsB42B,IACjC,0BAAyBz6B,EAAAiN,sBACzB,mBAAkB3D,EAAAqD,cAClB,mBAAkB3M,EAAAsF,gBAClB,kBAAiBtF,EAAAqF,cACjB,eAAcrF,EAAAoF,a,uZClCmD,CAAC,SAAS,sB,oFCJ7E7F,MAAM,+B,GAWDA,MAAM,W,aA+BVA,MAAM,8C,GACFA,MAAM,WAOpB,SACE8B,KAAM,sBAENixB,MAAO,CAAC,QAAS,kBAEjB7yB,MAAO,CACLoE,aAAclE,OACdkqD,wBAAyB3nD,QACzB8J,qBAAsB9J,QACtBmQ,OAAQ,CACN3S,KAAM,CAACuS,OAAQ8a,QAEjB1qB,SAAUH,SAEZmB,QAAS,CAIPumD,oBAAAA,CAAqBjiD,GACnBnF,KAAKzD,MAAM,QAAS4I,EACtB,EAKA0F,YAAAA,CAAa1F,GACXnF,KAAKzD,MAAM,iBAAkB4I,EAC/B,ICzEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzD9H,EAAAA,EAAAA,oBA8CQ,QA9CRC,EA8CQ,EA7CNR,EAAAA,EAAAA,oBA4CK,WApCKU,EAAAgM,uBAAoB,kBAN5BnM,EAAAA,EAAAA,oBASK,M,MARHN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,0FAAyF,C,gDACdnJ,EAAA6pD,4B,EAMjFvqD,EAAAA,EAAAA,oBAA2D,OAA3D6B,GAA2DC,EAAAA,EAAAA,iBAAlCd,EAAAM,GAAG,uBAAD,8DAI7Bf,EAAAA,EAAAA,oBAwBK8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAvBsB1Q,EAAAqS,QAAM,CAAvB1K,EAAO8yB,M,kBADjB56B,EAAAA,EAAAA,oBAwBK,MAtBF+J,IAAKjC,EAAMuR,UACX3Z,OAAK4J,EAAAA,EAAAA,gBAAA,E,SAAuBxB,EAAMwiD,cAAS,E,gDAAkFnqD,EAAA6pD,wB,OAAgD,GAALpvB,IAAez6B,EAAAgM,qB,OAA6C,GAALyuB,GAAcz6B,EAAAgM,qB,qBAAsDrE,EAAMyiD,UAQpS,yD,CAOEpqD,EAAAqC,UAAYsF,EAAMtF,WAAQ,kBALlCtB,EAAAA,EAAAA,aAQespD,EAAA,C,MAPZC,OAAItgD,GAAEV,EAAAsgD,qBAAqBjiD,GAC3B4iD,QAAKvgD,GAAEV,EAAA+D,aAAa1F,GACpB,gBAAe3H,EAAA6D,aACf,UAAS8D,EAAMu3B,gB,wBAGhB,IAAqB,6CAAlBv3B,EAAM6iD,WAAS,M,+EAGpB3qD,EAAAA,EAAAA,oBAAyC,OAAAI,GAAAmB,EAAAA,EAAAA,iBAAzBuG,EAAM6iD,WAAS,W,OAIjClrD,EAAAA,EAAAA,oBAEK,KAFLc,EAEK,EADHd,EAAAA,EAAAA,oBAAiD,OAAjDyR,GAAiD3P,EAAAA,EAAAA,iBAAxBd,EAAAM,GAAG,aAAD,Q,GCvCyC,CAAC,SAAS,4B,gHCuD3ErB,MAAM,yD,GAgCDA,MAAM,2B,GA4BNA,MAAM,2B,GAwDPA,MAAM,kB,yjCAyBrB,SACEsB,WAAY,CACV2Q,OAAM,IACNi5C,SAAQ,IACRpb,KAAAA,EAAAA,GAGF/c,MAAO,CAAC,kBAERkI,OAAQ,CACN,gBACA,+BACA,iCACA,iCACA,mCAGF/6B,MAAO,CACL,sBACA,kBACA,UACA,cACA,iBACA,cACA,mBACA,WACA,eACA,oBACA,kBACA,oBACA,uBACA,0BACA,aACA,SACA,wBACA,gBACA,kBACA,cACA,iBAGFb,KAAMA,KAAA,CACJw0C,gBAAgB,EAChBze,iBAAiB,EACjBS,kBAAkB,EAClBs1B,kBAAkB,IAGpBC,WAAAA,GACE,KAAKvlB,WAAa,KAAKt5B,kBAAkBqtB,QAAQ,KAAKhzB,WAAa,CACrE,EAEAuI,OAAAA,GACEwF,OAAOqU,iBAAiB,UAAW,KAAK5lB,eACxCuR,OAAOqU,iBAAiB,QAAS,KAAKqiC,YACxC,EAEA1nD,aAAAA,GACEgR,OAAOqf,oBAAoB,UAAW,KAAK5wB,eAC3CuR,OAAOqf,oBAAoB,QAAS,KAAKq3B,YAC3C,EAEAvnD,QAAS,CAIPwnD,eAAAA,GACE,KAAK59C,sBAAsB,KAAK9G,SAClC,EAEAxD,aAAAA,CAAca,GACE,SAAVA,EAAEoG,KAA4B,YAAVpG,EAAEoG,MACxB,KAAKwpC,gBAAiB,EAE1B,EAEAwX,WAAAA,CAAYpnD,GACI,SAAVA,EAAEoG,KAA4B,YAAVpG,EAAEoG,MACxB,KAAKwpC,gBAAiB,EAE1B,EAEAhQ,WAAAA,CAAY5/B,GACV,OAA2B,IAAvB,KAAKu6B,mBACP,EAC8B,SAArB,KAAK/L,YACP,KAAK84B,mBAAmBtnD,GACD,WAArB,KAAKwuB,YACP,KAAK64B,kBACkB,WAArB,KAAK74B,iBACd,EAC8B,WAArB,KAAKA,YACP,KAAK+4B,qBAAqBvnD,GACH,YAArB,KAAKwuB,YACP,KAAKg5B,sBAAsBxnD,GAE3B,KAAKunD,qBAAqBvnD,EAErC,EAEAunD,oBAAAA,CAAqBvnD,GACd,KAAK2C,SAASo5B,mBAGnB,KAAK6T,eACDl/B,OAAOgY,KAAK,KAAK++B,QAAS,UAC1BxuC,EAAAA,QAAQpd,MAAM,KAAK4rD,SACzB,EAEAH,kBAAAA,CAAmBtnD,GACZ,KAAK2C,SAAS4I,qBAGnB,KAAKqkC,eACDl/B,OAAOgY,KAAK,KAAKg/B,UAAW,UAC5BzuC,EAAAA,QAAQpd,MAAM,KAAK6rD,WACzB,EAEAF,qBAAAA,CAAsBxnD,GACf,KAAK2C,SAASo5B,kBAGnB,KAAK4rB,kBACP,EAEAA,gBAAAA,GACE,KAAKT,kBAAmB,CAC1B,EAEAU,iBAAAA,GACE,KAAKV,kBAAmB,CAC1B,EAEAh2B,eAAAA,GACE,KAAKC,iBAAkB,CACzB,EAEAmX,aAAAA,GACE,KAAK4d,eAAe,KAAKvjD,UACzB,KAAK6E,kBACP,EAEAA,gBAAAA,GACE,KAAK2pB,iBAAkB,CACzB,EAEAoX,gBAAAA,GACE,KAAK3W,kBAAmB,CAC1B,EAEA6T,cAAAA,GACE,KAAK0gB,gBAAgB,KAAKxjD,UAC1B,KAAKijC,mBACP,EAEAA,iBAAAA,GACE,KAAKhU,kBAAmB,CAC1B,GAGF/tB,SAAQ/D,EAAAA,EAAA,IACHoM,EAAAA,EAAAA,IAAW,CAAC,iBAAe,IAE9Bw7C,SAAAA,GACE,OAAI,KAAKv+C,cACA,KAAKlM,KACT,cAAa+B,KAAK4C,eAAe,KAAKC,+BAA+B,KAAKxB,gBAAgB,KAAKsC,SAASyK,GAAGS,QAC5G,CACE/L,gBAAiB,KAAKA,gBACtBkU,WAAY,KAAKrT,SAASyK,GAAG8d,aAK5B,KAAKjuB,KACT,cAAa,KAAKoD,gBAAgB,KAAKsC,SAASyK,GAAGS,aACpD,CACEjM,YAAa,KAAKA,YAClBC,cAAe,KAAKA,cACpBC,gBAAiB,KAAKA,iBAG5B,EAEA2lD,OAAAA,GACE,OAAO,KAAKxqD,KACT,cAAa,KAAKoD,gBAAgB,KAAKsC,SAASyK,GAAGS,QAExD,EAEAvG,gBAAAA,GACE,OAAO+U,IAAO,KAAK1Z,SAAST,SAASwnB,GAAKA,EAAEm+B,gBAC9C,EAEAC,eAAAA,GACE,MAA2B,UAApB,KAAKvB,UACd,EAEAwB,YAAAA,GACE,OAA2B,IAAvB,KAAKxtB,gBAEuB,SAArB,KAAK/L,YACP,KAAK7rB,SAAS4I,mBACS,WAArB,KAAKijB,YACP,KAAKhmB,qBACkB,WAArB,KAAKgmB,cAEgB,WAArB,KAAKA,aAEL,KAAKA,YADP,KAAK7rB,SAASo5B,kBAMzB,EAEAxvB,wBAAAA,GACE,OAAO,KAAKjF,iBAAiB1B,OAAS,GAAK,KAAKoiD,iBAClD,EAEAC,qBAAAA,GACE,OAAO,KAAKtlD,SAASo5B,kBAAoB,KAAKp5B,SAASipC,gBACzD,EAEAoc,iBAAAA,GACE,OACE,KAAKztB,gBACJ,KAAK53B,SAAS8J,uBACb,KAAKw7C,uBACL,KAAK97C,kBAEX,EAEAA,iBAAAA,GACE,OACE,KAAKC,YAAYC,gBAAkB,KAAK1J,SAAS2J,uBAErD,KCjbJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iiBDJzDxQ,EAAAA,EAAAA,oBAsLK,MArLF,gBAAeU,EAAAmG,SAASyK,GAAG8d,WAC3B3uB,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,YACtB9R,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,QAAO,C,gDACoDnJ,EAAA6pD,2BAGhEtgD,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAeH,EAAA85B,aAAA95B,EAAA85B,eAAA35B,IAAW,sB,CAIxBzJ,EAAAgM,uBAAoB,kBAD5BnM,EAAAA,EAAAA,oBAgBK,M,MAdFN,OAAK4J,EAAAA,EAAAA,gBAAA,E,QAAqBG,EAAAgiD,gB,iBAA2CtrD,EAAAmG,SAASo5B,kBAIzE,6GACLh2B,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,Y,CAGHvW,EAAAgM,uBAAoB,kBAD5BjL,EAAAA,EAAAA,aAMEgkC,EAAA,C,MAJCvuB,SAAQlN,EAAAuhD,gBACR,cAAa7qD,EAAAiZ,QACblZ,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,iBACrB,aAAY/Q,EAAAM,GAAG,yBAA0B,CAA3BM,MAAoClB,EAAAmG,SAASjF,S,mJAKhErB,EAAAA,EAAAA,oBAqBK8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YApBsB1Q,EAAAmG,SAASkM,QAAM,CAAhC1K,EAAO8yB,M,kBADjB56B,EAAAA,EAAAA,oBAqBK,MAnBF+J,IAAKjC,EAAMuR,UACX3Z,OAAK4J,EAAAA,EAAAA,gBAAA,E,OAAyB,IAALsxB,IAAgBz6B,EAAAgM,qB,OAA2C,IAALyuB,GAAez6B,EAAAgM,qB,QAAuC1C,EAAAgiD,gB,qBAA+C3jD,EAAMyiD,S,iBAAoC9gD,EAAAiiD,cAOzN,0E,qBAENxqD,EAAAA,EAAAA,cAQE4P,EAAAA,EAAAA,yBAAA,SAPgBhJ,EAAM8H,WAAS,CAC9BlQ,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUxB,EAAMwiD,aACrBxiD,MAAOA,EACPxB,SAAUnG,EAAAmG,SACV,gBAAenG,EAAA6D,aACf,eAAc7D,EAAAoF,YACd,kBAAiBpF,EAAAqF,e,qGAItB/F,EAAAA,EAAAA,oBAiIK,MAhIFC,OAAK4J,EAAAA,EAAAA,gBAAA,E,QAAqBG,EAAAgiD,gB,iBAA2CtrD,EAAAmG,SAASo5B,kBAIzE,iI,EAENjgC,EAAAA,EAAAA,oBAAA,MAAA6B,EAAA,CAEUmI,EAAAyG,2BAAwB,kBADhChP,EAAAA,EAAAA,aAYE2qD,EAAA,C,MAVChmD,QAAS4D,EAAAwB,iBACT8iB,SAAU5tB,EAAAupD,gBACVpjD,SAAUnG,EAAAmG,SACV,gBAAenG,EAAA6D,aACf,mBAAkB7D,EAAA2M,cAClB,eAAc3M,EAAAoF,YACd,kBAAiBpF,EAAAqF,cACjB,mBAAkBrF,EAAAsF,gBAClB6E,iBAAcX,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,mBACtB4sD,cAAcriD,EAAA0hD,uB,kLAKT1hD,EAAA00B,8BAA4B,wCADpCj9B,EAAAA,EAAAA,aAqBOP,EAAA,C,MAnBJ0pC,GAAKlqC,EAAAmG,SAASo5B,iBAA8B,IAAX,SAEjC,aAAYj/B,EAAAM,GAAG,QACfb,KAAI,GAAKC,EAAAmG,SAAa,GAAEkL,oBACxBlS,KAAMmK,EAAA2hD,QACP1rD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,kDACenJ,EAAAmG,SAASo5B,iBAAgB,gLAK7CjuB,UAAWtR,EAAAmG,SAASo5B,iBACpBh2B,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,Y,wBAEX,IAIO,EAJPjX,EAAAA,EAAAA,oBAIO,OAJPW,EAIO,EAHLX,EAAAA,EAAAA,oBAEO,cADLY,EAAAA,EAAAA,aAAkCkR,EAAA,CAA5B/P,KAAK,MAAM3B,KAAK,mB,kEAfTY,EAAAM,GAAG,aAAD,G,OAAnB,OAA4B,+BAsBtB0I,EAAA20B,gCAA8B,wCADtCl9B,EAAAA,EAAAA,aAyBOP,EAAA,C,MAvBJ0pC,GAAKlqC,EAAAmG,SAAS4I,mBAAgC,IAAX,SAEnC,aAAY/O,EAAA2M,cAAgBrM,EAAAM,GAAG,iBAAmBN,EAAAM,GAAG,QACrDb,KAAmBC,EAAA2M,cAAa,GAAoB3M,EAAAmG,SAAQ,GAAOkL,6BAAK,GAA2CrR,EAAAmG,SAAQ,GAAOkL,oBAKlIlS,KAAMmK,EAAA4hD,UACP3rD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,kDACenJ,EAAAmG,SAAS4I,mBAAkB,gLAK/CuC,UAAWtR,EAAAmG,SAAS4I,mBACpBxF,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,Y,wBAEX,IAIO,EAJPjX,EAAAA,EAAAA,oBAIO,OAJPc,EAIO,EAHLd,EAAAA,EAAAA,oBAEO,cADLY,EAAAA,EAAAA,aAA4CkR,EAAA,CAAtC/P,KAAK,gBAAgB3B,KAAK,mB,kEAnBnBM,EAAA2M,cAAgBrM,EAAAM,GAAG,iBAAmBN,EAAAM,GAAG,aAAD,G,OAAzD,OAAkE,gCA0B/C0I,EAAAqB,gCAAgD3K,EAAAmG,SAASgK,cAAenQ,EAAA2M,eAMlC,gCAN+C,wCAD1G5L,EAAAA,EAAAA,aAAAqY,EAAA,C,MAMG7P,SAAKgN,EAAAA,EAAAA,eAAOjN,EAAAorB,gBAAe,UAE3B,aAAYp0B,EAAAM,GAAGZ,EAAA2M,cAAa,mBAC5B5M,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,sBACtBg5B,KAAK,QACLz9B,QAAQ,SACP0E,UAAWtR,EAAAmG,SAAS+J,oB,wDALJ5P,EAAAM,GAAGZ,EAAA2M,cAAa,2B,OAAjC,MAUmBrD,EAAAuB,iCAA+C7K,EAAAmG,SAASgK,cAA4BnQ,EAAA2M,eAAa,yDAepHyM,EAAA,C,MAPC,aAAY9Y,EAAAM,GAAE,WACd0Q,UAAWtR,EAAAmG,SAASiK,oBACpBrQ,KAAI,GAAKC,EAAAmG,SAASyK,GAAGS,uBACtB3R,KAAK,SACJ6J,SAAKgN,EAAAA,EAAAA,eAAOjN,EAAAyiC,iBAAgB,U,kBAE7Bn/B,QAAQ,U,wDAPStM,EAAAM,GAAE,mB,OAAnB,OAA+B,iDAe/B0pC,EAAA,CAJC1jC,KAAM5G,EAAA2M,cAAa,kBACnBkM,KAAMvY,EAAAq0B,gB,2BAEN6V,UAASlhC,EAAAwiC,e,gEAcWnB,EAAA,CAVpB9xB,KAAMvY,EAAA80B,iBACNmV,QAAOjhC,EAAA8/B,kBACPoB,UAASlhC,EAAA2/B,gB,4BAEqC,mBAAAwB,EAAA,C,aAAlCrpC,EAAAA,EAAAA,iBAAQd,EAAuBM,GAArB,sB,0CAKR8pC,EAAA,M,uBAHb,IAEI,EAFJprC,EAAAA,EAAAA,oBAEI,IAFJyR,GAEI3P,EAAAA,EAAAA,iBADCd,EAAAM,GAAE,0D,6DASTN,EAAAoqD,mBAAgB,sC,MACrB,cAAa1qD,EAAAmG,SAASyK,GAAGS,MACzB,gBAAerR,EAAA6D,aACfgV,KAAMvY,EAAAoqD,iB,wKCxLiE,CAAC,SAAS,yB,qFCQ7EnrD,MAAM,4B,GACJA,MAAM,W,GAYNA,MAAM,8C,GAEJA,MAAM,uB,SAyFbA,MAAM,oGAsBZ,SACEsB,WAAY,CAAE2Q,O,SAAMA,GAEpB8gB,MAAO,CAAC,gBAAiB,eAAgB,YAEzC7yB,MAAO,CACL,kBACA,oBACA,2BACA,iCACA,sCACA,sCACA,2CACA,kCACA,uCACA,mBACA,uBACA,mBACA,mBACA,6BACA,0BACA,gBACA,kCACA,+BACA,eACA,aACA,wBACA,SACA,OACA,aACA,UACA,iBACA,eACA,YACA,YACA,sBACA,eACA,mBACA,8BACA,2BACA,mBACA,2BACA,oBACA,qCACA,2BACA,uBACA,uBACA,0BACA,cACA,kBACA,0BACA,gBACA,UACA,iBACA,mBACA,uBACA,gBACA,eAGF4H,SAAU,CAIRS,OAAAA,GACE,OAAOtF,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,uBACrC,EAKAwc,iBAAAA,GACE,OAAO7d,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,iCACrC,EAKAyc,iBAAAA,GACE,OAAO9d,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,iCACrC,EAEA+nD,oBAAAA,GACE,GAAIppD,KAAKC,oBACP,OAAOD,KAAKgJ,gBAAkBhJ,KAAKC,oBAAoB+I,cAE3D,IC5NJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,wSDJzD3L,EAAAA,EAAAA,oBAoIM,OAnIJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,4CAA2C,C,qDAC6BnJ,EAAAgM,sBAAgChM,EAAAiM,sBAAgCjM,EAAA8E,cAAwB9E,EAAAoF,aAAuBpF,EAAAmH,YAAsBnH,EAAAuL,0B,EAUnNjM,EAAAA,EAAAA,oBAmGM,MAnGNQ,EAmGM,EAlGJR,EAAAA,EAAAA,oBASM,MATN6B,EASM,CAPInB,EAAAgM,uBAAoB,kBAD5BjL,EAAAA,EAAAA,aAOE8qD,EAAA,C,MALC,8BAA6B7rD,EAAAqG,yBAC7B,qBAAoBrG,EAAA8rD,iBACpBC,kBAAmB/rD,EAAA4C,gBACnBopD,0BAA4BhsD,EAAA6C,wBAC5BgJ,WAAQrC,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,c,iJAKrBO,EAAAA,EAAAA,oBAqFM,MArFNW,EAqFM,EAnFJX,EAAAA,EAAAA,oBAcM,MAdNc,EAcM,CAZIJ,EAAA+L,2BAAwB,kBADhChL,EAAAA,EAAAA,aAYEkrD,EAAA,C,MAVC,gBAAejsD,EAAA6D,aACf,eAAc7D,EAAAsH,kBAAkBlC,YAChC,kBAAiBpF,EAAAsH,kBAAkBjC,cACnC,mBAAkBrF,EAAAsH,kBAAkBhC,gBACpCI,QAAS1F,EAAA8K,iBACT,gBAAe9K,EAAA2F,aACf,aAAY3F,EAAAyL,UACZmiB,SAAU5tB,EAAAupD,gBACV,qBAAoBvpD,EAAAqK,mCACpBF,iBAAgBnK,EAAAgD,c,2MAObhD,EAAAkM,0BAAuB,kBAF/BnL,EAAAA,EAAAA,aAMEqY,EAAA,C,MALC7P,QAAOvJ,EAAAuM,cAER89B,KAAK,QACLz9B,QAAQ,OACPwO,MAAOpb,EAAAiL,iBAAmB,UAAY,U,6DAKjCjL,EAAAoC,QAAQgH,OAAS,IAAH,kBADtBrI,EAAAA,EAAAA,aAIEmrD,EAAA,C,MAFC,gBAAelsD,EAAA6D,aACfzB,OAAQpC,EAAAoC,Q,oEAKHkH,EAAAxB,QAAQsB,OAAS,GAAKpJ,EAAA8E,cAAgB9E,EAAAoF,cAAW,kBADzDrE,EAAAA,EAAAA,aAeEorD,EAAA,C,MAbC,sBAAqB7iD,EAAAgX,kBACrB,sBAAqBhX,EAAA+W,kBACrBvY,QAASwB,EAAAxB,QACT,mBAAkBwB,EAAAsiD,qBAClB,WAAU5rD,EAAA+E,QACV,gBAAe/E,EAAA6D,aACf,eAAc7D,EAAA8E,YACdsD,QAASpI,EAAAoI,QACT,eAAcpI,EAAAoF,YACdgnD,uBAAsB5iD,EAAA,KAAAA,EAAA,GAAAQ,GAAEhK,EAAA+K,qBAAqB/K,EAAAkhB,MAAQ,OACrDmrC,gBAAgBrsD,EAAAoL,cAChBkhD,iBAAkBtsD,EAAA0M,qBAClB6/C,iBAAiBvsD,EAAAwM,gB,+OAKZxM,EAAAiM,uBAAoB,kBAF5BlL,EAAAA,EAAAA,aAgCEyrD,EAAA,C,MA/BAjtD,MAAM,OAENQ,KAAK,cACJ,eAAcC,EAAA8E,YACdF,UAAW5E,EAAA4E,UACX,qBAAoB5E,EAAA8L,kBACpB,mBAAkB9L,EAAA2M,cAClB,8BAA6B3M,EAAAqG,yBAC7B,wBAAuBrG,EAAA6F,yBACvB,0CAAsD7F,EAAAuI,oCAGtD,gDAA4DvI,EAAAwI,yCAG5D,qCAAoCxI,EAAA2K,+BACpC,2CAAuD3K,EAAA4K,oCAGvD,2CAAuD5K,EAAAyI,qCAGvD,sCAAqCzI,EAAA6K,gCACrC4hD,iBAAgBzsD,EAAAmL,wBAChBuhD,oBAAmB1sD,EAAAkL,2BACnByhD,sBAAqB3sD,EAAAsL,6BACrBshD,yBAAwB5sD,EAAAqL,gCACxBwhD,kBAAiB7sD,EAAA2L,yBACjBmhD,qBAAoB9sD,EAAA0L,4BACpB6+B,QAAOvqC,EAAAgL,iBACP,oBAAmBhL,EAAAyM,kB,wkBAOlBzM,EAAA+L,2BAAwB,kBADhClM,EAAAA,EAAAA,oBAiBM,MAjBNkR,EAiBM,EAbJ7Q,EAAAA,EAAAA,aAYE+rD,EAAA,CAXAloB,MAAM,OACL,gBAAe/jC,EAAA6D,aACf,eAAc7D,EAAAsH,kBAAkBlC,YAChC,kBAAiBpF,EAAAsH,kBAAkBjC,cACnC,mBAAkBrF,EAAAsH,kBAAkBhC,gBACpCI,QAAS1F,EAAA8K,iBACT,gBAAe9K,EAAA2F,aACf,aAAY3F,EAAAyL,UACZmiB,SAAU5tB,EAAAupD,gBACV,qBAAoBvpD,EAAAqK,mCACpBF,iBAAgBnK,EAAAgD,c,iNC7HmD,CAAC,SAAS,6B,4ECEtF,SACEvD,MAAO,CACLwkC,OAAQ,CACNvkC,KAAMoyB,OACNlyB,QAAS,MAIbyH,SAAU,CACR+kB,KAAAA,GACE,MAAO,CACL2gC,UAAY,GAAEvqD,KAAKyhC,WAEvB,ICfJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDpkC,EAAAA,EAAAA,oBAEM,OAFDN,MAAM,gDAAiD6sB,OAAK8iB,EAAAA,EAAAA,gBAAE5lC,EAAA8iB,Q,EACjE/rB,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,GCGgE,CAAC,SAAS,mB,4GCIhFhB,MAAM,kF,GAMNA,MAAM,gBACNsiC,MAAM,6BACNkC,MAAM,IACNE,OAAO,KACPrC,QAAQ,YAiBd,SACEtP,MAAO,CAAC,OAAQ,SAEhBhxB,OAAQ,C,SAACS,IAETtC,MAAO,CACLoE,aAAclE,OACdwW,OAAQxW,QAGV66B,OAAQ,CAAC,mBAAoB,6BAE7Bn3B,QAAS,CAIP+/B,WAAAA,GACM5gC,KAAKwqD,UAAYxqD,KAAKyqD,gBACxBzqD,KAAKzD,MAAM,SAEXyD,KAAKzD,MAAM,OAAQ,CACjB6K,IAAKpH,KAAK2T,OACV8oB,UAAWz8B,KAAKy8B,WAGtB,GAGF53B,SAAU,CAIR4lD,eAAAA,GACE,MAAyB,QAAlBzqD,KAAKy8B,SACd,EAKAiuB,cAAAA,GACE,MAAyB,OAAlB1qD,KAAKy8B,SACd,EAKAkuB,QAAAA,GACE,OAAI3qD,KAAKwqD,UAAYxqD,KAAKyqD,gBACjB,mCAGF,kCACT,EAKAG,SAAAA,GACE,OAAI5qD,KAAKwqD,UAAYxqD,KAAK0qD,eACjB,mCAGF,kCACT,EAKAF,QAAAA,GACE,OACExqD,KAAK6qD,YAAc7qD,KAAK2T,QACxB,CAAC,MAAO,QAAQgc,SAAS3vB,KAAKy8B,UAElC,EAKAquB,OAAAA,GACE,OAAO9qD,KAAK+7B,gBACd,EAKA8uB,UAAAA,GACE,OAAO7qD,KAAKuZ,kBAAkBvZ,KAAK8qD,QACrC,EAKAC,YAAAA,GACE,OAAO/qD,KAAKg8B,yBACd,EAKAS,SAAAA,GACE,OAAOz8B,KAAKuZ,kBAAkBvZ,KAAK+qD,aACrC,EAKAC,SAAAA,GACE,OAAUhrD,KAAKwqD,QACjB,EAKAS,QAAAA,GACE,OAAIjrD,KAAKyqD,gBACA,aACEzqD,KAAK0qD,eACP,YAGF,MACT,ICxJJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDrtD,EAAAA,EAAAA,oBA6BS,UA5BPH,KAAK,SACJ6J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAA85B,aAAA95B,EAAA85B,eAAA35B,IAAW,cAC3BlK,MAAM,oHACLQ,KAAI,QAAYC,EAAAmW,OAChB,YAAW7M,EAAAmkD,U,EAEZnuD,EAAAA,EAAAA,oBAIO,OAJP6B,EAIO,EADLd,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,iCAGVV,EAAAA,EAAAA,oBAeM,MAfNI,EAeM,EARJX,EAAAA,EAAAA,oBAGE,QAFCC,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA8jD,WACR5pB,EAAE,2U,SAEJlkC,EAAAA,EAAAA,oBAGE,QAFCC,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA6jD,UACR3pB,EAAE,6U,mBCtBkE,CAAC,SAAS,qB,mUCqBtF,MAAM/jC,EAAQyhC,EAQRwsB,GAAwBhgD,EAAAA,EAAAA,MAAI,GAC5BigD,GAA2BtmD,EAAAA,EAAAA,WAC/B,KACkB,IAAhB5H,EAAM01C,OACN11C,EAAMmuD,KAAKxkD,OAAS3J,EAAM01C,QACzBuY,EAAsBr8C,QAGrBw8C,GAAcxmD,EAAAA,EAAAA,WAAS,KACP,IAAhB5H,EAAM01C,OAAoBuY,EAAsBr8C,MAI7C5R,EAAMmuD,KAHJnuD,EAAMmuD,KAAKrzB,MAAM,EAAG96B,EAAM01C,SAMrC,SAAS2Y,IACPJ,EAAsBr8C,OAAQ,CAChC,C,08BChDA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,iB,oWCkCpE,MAAMylC,GAAQppC,EAAAA,EAAAA,MAAI,GAEZjO,EAAQyhC,EAWd,SAASkC,IACH3jC,EAAMsuD,cACRjX,EAAMzlC,OAASylC,EAAMzlC,MAEzB,C,ovCCnDA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,qB,w1BCApE,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,gB,scCwCpE,MAAMylC,GAAQppC,EAAAA,EAAAA,MAAI,GAEZjO,EAAQyhC,EAWd,SAASkC,IACH3jC,EAAMsuD,cACRjX,EAAMzlC,OAASylC,EAAMzlC,MAEzB,C,6iDCzDA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,oB,wjCCsBpE,QAAA/N,EAAAA,EAAA,G,SACK0qD,IAAa,IAEhB17B,MAAO,CAAC,eAAgB,gBAExB7yB,MAAO,CACLwuD,SAAU,CACRvuD,KAAMoyB,OACNlyB,QAAS,GAGXsuD,SAAU,CACRxuD,KAAMoyB,OACNlyB,QAAS,GAGXwnB,SAAU,CACR1nB,KAAMqtB,MACNntB,QAAS,CAAC,UAGZ0nB,UAAW,CACT5nB,KAAMC,OACNC,QAAS,OAGX+sC,SAAU,CACRjtC,KAAMC,OACNC,QAAS,UAGXonB,gBAAiB,CACftnB,KAAMwC,QACNtC,SAAS,GAGXulB,MAAO,CACLzlB,KAAMC,OACNC,QAAS,WC3Df,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDmB,EAAAA,EAAAA,aAmBYotD,EAAA,CAlBT/mC,SAAUpnB,EAAAonB,SACV6mC,SAAUjuD,EAAAiuD,SACVC,SAAUluD,EAAAkuD,SACV5mC,UAAWtnB,EAAAsnB,UACXqlB,SAAU3sC,EAAA2sC,SACV,mBAAkB3sC,EAAAgnB,gBAClB,iBAAe,EACf7B,MAAOnlB,EAAAmlB,MACPipC,OAAI5kD,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,iBACZsvD,OAAI7kD,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,kB,CAMF+yC,QAAM96B,EAAAA,EAAAA,UACf,IAA4B,EAA5B3W,EAAAA,EAAAA,YAA4BC,EAAAC,OAAA,c,uBAL9B,IAEO,EAFPjB,EAAAA,EAAAA,oBAEO,cADLe,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,gB,+FCT8D,CAAC,SAAS,gB,4ECEtF,MAEA,GACEd,MAAO,CACLo1C,SAAU,CACRj1C,QAAS,SAIbyH,SAAU,CACRk+B,iBAAAA,GACE,MAAO,CACLhmC,MAAOiD,KAAKm/B,OAAOpiC,OAZJ,mCAaf6sB,MAAO,CACLyoB,SACoB,SAAlBryC,KAAKqyC,SAAsBryC,KAAKqyC,SAAY,GAAEryC,KAAKqyC,cAG3D,ICpBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDh1C,EAAAA,EAAAA,oBAEM,OAAAqjD,EAAAA,EAAAA,iBAAAC,EAAAA,EAAAA,oBAFO75C,EAAAi8B,oBAAiB,EAC5BllC,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,e,GCGgE,CAAC,SAAS,uB,wjCCStF,SACE+xB,MAAO,CAAC,SAERkP,cAAc,EAEd/hC,MAAO,CACLoE,aAAclE,OACd+T,YAAaxR,SAGfmB,QAAS,CACPmS,iBAAAA,GACEhT,KAAKzD,MAAM,QACb,ICtBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mGDJzDc,EAAAA,EAAAA,oBASM,aARJK,EAAAA,EAAAA,aAOoByiC,GAPpBI,EAAAA,EAAAA,YAAAz/B,EAAA,GACehD,EAAAqhC,QAAM,CAClB5hC,KAAI,GAAKC,EAAA6D,qCACToV,QAASjZ,EAAA0T,YACTyD,QAAO7N,EAAAkM,oB,wBAER,IAAqC,EAArClW,EAAAA,EAAAA,oBAAqC,aAAA8B,EAAAA,EAAAA,iBAA5Bd,EAAAM,GAAG,iBAAD,M,0CCH2D,CAAC,SAAS,wB,qKCiBtF,SACES,KAAM,WAENmgC,cAAc,EAEdlP,MAAO,CAAC,SAAU,aAAc,gBAEhC7yB,MAAO,CACL4B,KAAM,CAAE3B,KAAMC,QACd0R,MAAO,CAAE3R,KAAMC,QACf42B,YAAa,CAAE72B,KAAMC,QACrBg6B,UAAW,CAAEj6B,KAAMwC,QAAStC,SAAS,GACrC0R,SAAU,CAAE5R,KAAMwC,QAAStC,SAAS,IAGtChB,KAAMA,KAAA,CACJgmD,KAAKA,EAAAA,EAAAA,KACL7gD,SAAS,IAGXV,QAAS,CACPirD,UAAAA,GACM9rD,KAAK8O,UACP9O,KAAK8gC,MAAMirB,UAAUr+B,aAAa,mBAAmB,GAGvD1tB,KAAKuB,SAAU,CACjB,EAEAmyB,YAAAA,GACO1zB,KAAKuB,SACRvB,KAAKzD,MAAM,SAAUyD,KAAK8gC,MAAMirB,UAAUl9C,MAE9C,EAEAm9C,gBAAAA,CAAiBhrD,GACVhB,KAAKm3B,WACRn2B,EAAE2wB,gBAEN,EAEAs6B,aAAAA,CAAcpmC,GACZ7lB,KAAKzD,MAAM,aAAcspB,EAC3B,EAEAqmC,gBAAAA,CAAiBrmC,GACf7lB,KAAKzD,MAAM,eAAgBspB,EAC7B,IChEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yFDJzD/oB,EAAAA,EAAAA,oBAYE,eAZFyjC,EAAAA,EAAAA,YAYE,CAXAr1B,IAAI,YACH+6B,UAAOj/B,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAR,QAAa,WACZsc,MAAOvyB,EAAAskD,KACAtkD,EAAAqhC,OAAM,CACbgtB,aAAWnlD,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,IACbmlD,iBAAeplD,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAglD,YAAAhlD,EAAAglD,cAAA7kD,IACjBolD,oBAAmBrlD,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmlD,eAAAnlD,EAAAmlD,iBAAAhlD,IACrBqlD,uBAAsBtlD,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAolD,kBAAAplD,EAAAolD,oBAAAjlD,IACxBslD,iBAAgBvlD,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAklD,kBAAAllD,EAAAklD,oBAAA/kD,IAClB8sB,YAAav2B,EAAAu2B,YACdh3B,MAAM,8D,YAERD,EAAAA,EAAAA,oBAA6D,SAAtDI,KAAK,SAAU2B,KAAMrB,EAAAqB,KAAOuP,GAAItQ,EAAAskD,IAAMvzC,MAAOrR,EAAAqR,O,iBCTsB,CAAC,SAAS,a,oFCO1E9R,MAAM,2C,GACJA,MAAM,0B,mBAeNA,MAAM,qB,GAQPA,MAAM,Q,SAQiBA,MAAM,Q,SA4BXA,MAAM,qB,mBAQ3BA,MAAM,qB,qlCAehB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR/R,MAAO,CACLuvD,OAAQ,CAAEtvD,KAAMwC,QAAStC,SAAS,IAGpCyD,QAAOC,EAAAA,EAAAA,EAAA,IACFC,EAAAA,EAAAA,IAAW,CAAC,SAAU,wBACtBqwB,EAAAA,EAAAA,IAAa,CAAC,oBAAkB,IAEnC,aAAM6wB,GACAxwB,QAAQzxB,KAAK5B,GAAG,uCAClB4B,KAAK+a,OAAOze,KAAKoX,OAAO,qBACrBvR,MAAK9F,IACa,OAAbA,EAKJC,KAAKM,kBAJHF,SAASC,KAAON,CAII,IAEvBqG,OAAM1B,IACLiZ,EAAAA,QAAQioC,QAAQ,GAGxB,EAEAH,uBAAAA,GACMtwB,QAAQzxB,KAAK5B,GAAG,kDAClB4B,KAAKkb,mBAET,EAEAuxC,oBAAAA,IACsB,IAAhBzsD,KAAKwsD,QACPxsD,KAAKqa,gBAET,IAGFxV,SAAQ/D,EAAAA,EAAA,IACHoM,EAAAA,EAAAA,IAAW,CAAC,cAAe,cAAY,IAE1C20C,QAAAA,GACE,OACE7hD,KAAKoN,YAAYvO,MAAQmB,KAAKoN,YAAYuN,OAAS3a,KAAK5B,GAAG,YAE/D,EAEA89C,cAAAA,GACE,OAAOl8C,KAAK+Y,SAASqE,KAAIpB,IACvB,IAAI6Q,EAAS7Q,EAAE6Q,QAAU,MACrB5vB,EAAQ,CAAEN,KAAMqf,EAAEmK,MAEtB,OAAInK,EAAE2wB,UAAsB,OAAV9f,EACT,CACL5f,UAAW,mBACXhQ,MAAK6D,EAAAA,EAAA,GACA7D,GAAK,IACRiE,OAAQ8a,EAAE9a,QAAU,OAEtBrC,KAAMmd,EAAEnd,KACR8tC,SAAU3wB,EAAE2wB,SACZ5kB,GAAI,CAAC,GAIF,CACL9a,UAAW,mBACXhQ,MAAO2qB,IACLyR,IAAMv4B,EAAAA,EAAC,CAAD,EAEC7D,GAAK,IACR4vB,OAAmB,QAAXA,EAAmBA,EAAS,KACpCzwB,KAAM4f,EAAE5f,MAAQ,KAChBd,QAAS0gB,EAAE1gB,SAAW,KACtBosC,GAAe,QAAX7a,EAAmB,OAAS,gBAElCqtB,KAEFryB,KAEF8kB,SAAU3wB,EAAE2wB,SACZ9tC,KAAMmd,EAAEnd,KACRkpB,GAAI,CAAC,EACLoyB,MAAOn+B,EAAEm+B,MACV,GAEL,EAEAuS,WAAAA,GACE,OACE1sD,KAAKoN,cACJpN,KAAKk8C,eAAet1C,OAAS,GAC5B5G,KAAK8hD,wBACL9hD,KAAKoN,YAAY40C,cAEvB,EAEAF,sBAAAA,GACE,OACwC,IAAtCxlD,KAAKoX,OAAO,wBACc,IAA1B1T,KAAKgb,gBAET,EAEAA,iBAAgBA,IACP1e,KAAKoX,OAAO,oBAGrB6E,cAAaA,IACJ,WAGTo0C,iBAAAA,GACE,OAAuB,IAAhB3sD,KAAKwsD,OAAkB,YAAc,YAC9C,KCjNJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,oQDHjD1lD,EAAA4lD,cAAW,kBADnBnuD,EAAAA,EAAAA,aAsEW+oC,EAAA,C,MApERslB,aAAa9lD,EAAA2lD,qBACb3nC,UAAWhe,EAAA6lD,mB,CA8BDplB,MAAI/yB,EAAAA,EAAAA,UACb,IAkCe,EAlCf9W,EAAAA,EAAAA,aAkCe8pC,EAAA,CAlCDjG,MAAM,MAAMxkC,MAAM,Q,wBAC9B,IAgCM,EAhCND,EAAAA,EAAAA,oBAgCM,MAhCNyR,EAgCM,uBA/BJlR,EAAAA,EAAAA,oBAcY8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAZKpH,EAAAo1C,gBAARnlB,K,kBAFTx4B,EAAAA,EAAAA,cAcY4P,EAAAA,EAAAA,yBAbL4oB,EAAK9pB,YADZszB,EAAAA,EAAAA,YAcY,CAXTn5B,IAAK2vB,EAAK5Q,MACH4Q,EAAK95B,OACb4vD,EAAAA,EAAAA,YAAM91B,EAAKhP,KAAE,C,uBAEb,IAIO,CAJKgP,EAAKojB,QAAK,kBAAtB98C,EAAAA,EAAAA,oBAIO,OAJP+W,EAIO,EAHL1W,EAAAA,EAAAA,aAEQ4Q,EAAA,CAFA,gBAAeyoB,EAAKojB,MAAMC,W,wBAChC,IAAsB,6CAAnBrjB,EAAKojB,MAAMtrC,OAAK,M,sFAEhB,KAEPjQ,EAAAA,EAAAA,iBAAGm4B,EAAKl4B,MAAI,M,oBAKNf,EAAAsP,YAAY40C,gBAAa,kBAFjCzjD,EAAAA,EAAAA,aAMmBkpC,EAAA,C,MALjBC,GAAG,SAEF3gC,QAAOD,EAAAi7C,yB,wBAER,IAA8B,6CAA3BjkD,EAAAM,GAAG,uBAAD,M,qDAKC0I,EAAAg7C,yBAAsB,kBAF9BvjD,EAAAA,EAAAA,aAMmBkpC,EAAA,C,MALjBC,GAAG,SAEF3gC,QAAOD,EAAAm7C,S,wBAER,IAAkB,6CAAfnkD,EAAAM,GAAG,WAAD,M,0FA5Db,IA0BS,EA1BTV,EAAAA,EAAAA,aA0BSkZ,EAAA,CAzBP7Z,MAAM,iBACNqN,QAAQ,QACRw9B,QAAQ,QACR,gBAAc,gB,wBAEd,IAmBO,EAnBP9qC,EAAAA,EAAAA,oBAmBO,OAnBPQ,EAmBO,EAlBLR,EAAAA,EAAAA,oBAaO,OAbP6B,EAaO,CATGb,EAAAsP,YAAY40C,gBAAa,kBAHjCzjD,EAAAA,EAAAA,aAKEqQ,EAAA,C,MAJA1R,KAAK,eACJikC,OAAO,EAERpkC,MAAM,aAGKe,EAAAsP,YAAYgI,SAAM,kBAD/B/X,EAAAA,EAAAA,oBAKE,O,MAHCmnD,IAAK1mD,EAAAM,GAAG,iBAAmB,CAApBS,KAA4BiI,EAAA+6C,WACnCvsC,IAAKxX,EAAAsP,YAAYgI,OAClBrY,MAAM,wB,8CAIVD,EAAAA,EAAAA,oBAEO,OAFPc,GAEOgB,EAAAA,EAAAA,iBADFkI,EAAA+6C,UAAQ,Q,+CA2CH/jD,EAAAsP,cAAW,kBAA3B/P,EAAAA,EAAAA,oBAWM,MAXNoX,EAWM,CATI3W,EAAAsP,YAAYgI,SAAM,kBAD1B/X,EAAAA,EAAAA,oBAKE,O,MAHCmnD,IAAK1mD,EAAAM,GAAG,iBAAmB,CAApBS,KAA4BiI,EAAA+6C,WACnCvsC,IAAKxX,EAAAsP,YAAYgI,OAClBrY,MAAM,6B,4CAGRD,EAAAA,EAAAA,oBAEO,OAFP+Y,GAEOjX,EAAAA,EAAAA,iBADFkI,EAAA+6C,UAAQ,qC,GC5E2D,CAAC,SAAS,iB,yFCF7E9kD,MAAM,O,GACJA,MAAM,4B,GAITD,EAAAA,EAAAA,oBAAM,mB,GAAAA,EAAAA,EAAAA,oBAAM,mB,GAGR8sB,MAAA,uBASZ,SACE3sB,MAAO,CAAC,WChBV,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAeM,YAbmBG,EAAA8W,OAAO1N,OAAS,IAAH,kBAApCvJ,EAAAA,EAAAA,oBAYM,MAZNC,EAYM,EAXJR,EAAAA,EAAAA,oBAUM,MAVN6B,EAUM,EATJ7B,EAAAA,EAAAA,oBAAoC,eAAA8B,EAAAA,EAAAA,iBAAzBd,EAAAM,GAAG,YAAD,yBAAuB,KACpCQ,EAAAA,EAAAA,iBAAGd,EAAAM,GAAG,0BAA2B,IAEjC,GAAAX,EAAMG,GAGNd,EAAAA,EAAAA,oBAEK,KAFLyR,EAEK,uBADHlR,EAAAA,EAAAA,oBAA4C8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAAxB1Q,EAAA8W,QAATvY,K,kBAAXsB,EAAAA,EAAAA,oBAA4C,WAAAuB,EAAAA,EAAAA,iBAAb7C,GAAK,M,iDCP8B,CAAC,SAAS,yB,+GCSpDgB,MAAM,kC,cAgBxBA,MAAM,c,wBAWtB,SACE+B,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4D,QAAS,CAIPktB,QAAAA,GACE,MAAM,aAAE1sB,EAAY,WAAEgL,GAAerM,KAC/BgW,EAAYhW,KAAKmF,MAAM6Q,UAE7B,IAAIyX,EAAOjyB,SAASquB,cAAc,KAClC4D,EAAK9wB,KAAQ,aAAY0E,KAAgBgL,cAAuB2J,IAChEyX,EAAKM,SAAW,WAChBvyB,SAAS4kB,KAAKuN,YAAYF,GAC1BA,EAAKG,QACLpyB,SAAS4kB,KAAK4N,YAAYP,EAC5B,GAGF5oB,SAAU,CACRioD,mBAAAA,GACE,OAAQrwD,IAAMuD,KAAKmF,MAAMwjC,WAC3B,EAEAokB,iBAAAA,GACE,OAAOrtD,QAAQM,KAAKmF,MAAM6nD,cAAgBhtD,KAAKu5B,cACjD,EAEAwJ,iBAAAA,GACE,MAAO,CACLztB,IAAKtV,KAAKmF,MAAMwjC,WAChBskB,SAAUjtD,KAAKmF,MAAM8nD,SACrBC,QAASltD,KAAKmF,MAAM+nD,QAExB,ICzEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4HDJzD3uD,EAAAA,EAAAA,aAiCY4uD,EAAA,CAjCAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAOE,CANM1N,EAAAgmD,sBAAmB,kBAD3BzvD,EAAAA,EAAAA,oBAOE,SAPFkjC,EAAAA,EAAAA,YAOE,CAAAn5B,IAAA,GALQN,EAAAi8B,kBAAiB,CACzBhmC,MAAM,SACLuY,IAAK9X,EAAA2H,MAAMwjC,WACZykB,SAAA,GACAC,aAAa,e,4CAGFvmD,EAAAgmD,qBAA4B,iCAAT,kBAAhCzvD,EAAAA,EAAAA,oBAAgD,OAAAsB,EAAd,MAEzBmI,EAAAimD,oBAAiB,kBAA1B1vD,EAAAA,EAAAA,oBAkBI,IAlBJI,EAkBI,CAhBMD,EAAA2H,MAAM6nD,eAAY,kBAD1B3vD,EAAAA,EAAAA,oBAgBI,K,MAdDE,KAAMC,EAAA2H,MAAM6Q,UAAY,iBACxBiwB,UAAOj/B,EAAA,KAAAA,EAAA,IAAAk/B,EAAAA,EAAAA,WAAAnyB,EAAAA,EAAAA,gBAAA,IAAA9M,IAAgBH,EAAAinB,UAAAjnB,EAAAinB,YAAA9mB,IAAQ,yBAC/BF,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAinB,UAAAjnB,EAAAinB,YAAA9mB,IAAQ,cACxB/I,SAAS,IACTnB,MAAM,yD,EAENW,EAAAA,EAAAA,aAMEkR,EAAA,CALA7R,MAAM,OACNG,KAAK,WACL,WAAS,YACTqkC,MAAM,KACNE,OAAO,QAET3kC,EAAAA,EAAAA,oBAAoD,OAApDyR,GAAoD3P,EAAAA,EAAAA,iBAAxBd,EAAAM,GAAG,aAAD,iF,4BCzBoC,CAAC,SAAS,mB,2FCApDrB,MAAM,cAUxC,SACEE,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCX7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8JDJzDsB,EAAAA,EAAAA,aAUY4uD,EAAA,CAVAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAMQ,EANR9W,EAAAA,EAAAA,aAMQ4Q,EAAA,CANDvR,MAAM,OAAQqJ,MAAO5I,EAAA2H,MAAMiB,MAAQ,gBAAe5I,EAAA2H,MAAMi1C,W,CAClDvS,MAAIrzB,EAAAA,EAAAA,UACb,IAEO,CAFKhX,EAAA2H,MAAM0iC,OAAI,kBAAtBxqC,EAAAA,EAAAA,oBAEO,OAFPC,EAEO,EADLI,EAAAA,EAAAA,aAAyCkR,EAAA,CAAlCuyB,OAAO,EAAOjkC,KAAMM,EAAA2H,MAAM0iC,M,wHCD+B,CAAC,SAAS,mB,gHC+BtF,SACE5qC,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UChC7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,qKDJzDsB,EAAAA,EAAAA,aA+BY4uD,EAAA,CA/BAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAyBO,CAzBKhX,EAAA2H,MAAMmoD,UAAY9vD,EAAA2H,MAAM0J,QAAK,kBAAzCxR,EAAAA,EAAAA,oBAyBO,OAAAC,EAAA,CAvBGE,EAAA2H,MAAMooD,UAAY/vD,EAAA2H,MAAMqoD,oBAAiB,kBADjDjvD,EAAAA,EAAAA,aAeekvD,EAAA,C,MAbZ,gBAAejwD,EAAA2H,MAAM9D,aACrB,cAAa7D,EAAA2H,MAAMuoD,YACnB/pD,SAAUnG,EAAAmG,U,wBAEX,IAQO,EARPjG,EAAAA,EAAAA,aAQOM,EAAA,CAPJ+I,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WACVpX,KAAqBmB,EAAAG,KAAI,cAAeT,EAAA2H,MAAM9D,gBAAgB7D,EAAA2H,MAAMuoD,eAGrE3wD,MAAM,gB,wBAEN,IAAiB,6CAAdS,EAAA2H,MAAM0J,OAAK,M,4FAIlBtQ,EAAAA,EAAAA,aAMOP,EAAA,C,MAJJrB,KAAMmB,EAAAG,KAAK,cAAcT,EAAA2H,MAAM9D,gBAAgB7D,EAAA2H,MAAMuoD,eACtD3wD,MAAM,gB,wBAEN,IAAiB,6CAAdS,EAAA2H,MAAM0J,OAAK,M,qBAGJrR,EAAA2H,MAAM0J,QAAK,kBAAzBxR,EAAAA,EAAAA,oBAAgD,IAAAsB,GAAAC,EAAAA,EAAAA,iBAAlBpB,EAAA2H,MAAM0J,OAAK,wBACzCxR,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,S,4BCzB4D,CAAC,SAAS,uB,4ECWtF,SACEqyB,MAAO,CAAC,kBAER7yB,MAAO,CAAC,eAAgB,aAAc,WAAY,SAElD4D,QAAS,CAIPgM,cAAAA,GACE7M,KAAKzD,MAAM,iBACb,ICtBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+FDJzDgC,EAAAA,EAAAA,aAWEovD,EAAA,CAVCxoD,MAAO3H,EAAA2H,MACP,gBAAe3H,EAAA2H,MAAM9D,aACrB,eAAc7D,EAAA6D,aACd,kBAAiB7D,EAAA6O,WACjB,mBAAkB7O,EAAA2H,MAAMyoD,0BACxB,oBAAmB,gBACnBjmD,iBAAgBb,EAAA+F,eAChB,cAAY,EACZyuB,eAAgB99B,EAAA2H,MAAM5C,SAAW,EACjC,wBAAsB,G,4HCNiD,CAAC,SAAS,2B,4ECUtF,SACEtF,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4H,SAAU,CACRuB,KAAAA,GACE,OAA2B,GAApBpG,KAAKmF,MAAM0J,MAAgB7O,KAAK5B,GAAG,OAAS4B,KAAK5B,GAAG,KAC7D,EAEAlB,IAAAA,GACE,OAA2B,GAApB8C,KAAKmF,MAAM0J,MAAgB,eAAiB,UACrD,EAEAwb,KAAAA,GACE,OAA2B,GAApBrqB,KAAKmF,MAAM0J,MAAgB,iBAAmB,cACvD,ICxBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4HDJzDtQ,EAAAA,EAAAA,aAUY4uD,EAAA,CAVAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAME,EANF9W,EAAAA,EAAAA,aAMEkR,EAAA,CALAwwB,QAAQ,YACRmC,MAAM,KACNE,OAAO,KACNvkC,KAAM4J,EAAA5J,KACNH,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAAujB,Q,wDCH4D,CAAC,SAAS,qB,2FCFpDttB,MAAM,a,sDAmBxC,SACEE,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3Db,KAAMA,KAAA,CACJyS,MAAO,GACP6iC,QAAS,CACPmc,KAAM,iBACNC,MAAO,kBAIX/tD,OAAAA,GACEC,KAAKmF,MAAM0J,MAAQ7O,KAAKmF,MAAM0J,OAAS,CAAC,EAExC7O,KAAK6O,MAAQwO,IACXD,IAAIpd,KAAKmF,MAAM8Q,SAAS83C,IACf,CACLlvD,KAAMkvD,EAAElvD,KACRuH,MAAO2nD,EAAE3nD,MACTqQ,QAASzW,KAAKmF,MAAM0J,MAAMk/C,EAAElvD,QAAS,OAGzCkvD,KACqC,IAA/B/tD,KAAKmF,MAAM6oD,kBAA0C,IAAdD,EAAEt3C,YAEJ,IAA9BzW,KAAKmF,MAAM8oD,iBAAyC,IAAdF,EAAEt3C,UAOzD,GCjDF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mIDJzDlY,EAAAA,EAAAA,aAcY4uD,EAAA,CAdAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IASK,CATK1W,EAAA+Q,MAAMjI,OAAS,IAAH,kBAAtBvJ,EAAAA,EAAAA,oBASK,KATLC,EASK,uBARHD,EAAAA,EAAAA,oBAOK8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YANcpQ,EAAA+Q,OAAVqG,K,kBADT7X,EAAAA,EAAAA,oBAOK,MALFN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAE7I,EAAA4zC,QAAQx8B,EAAOuB,SACjB,8E,EAEN/Y,EAAAA,EAAAA,aAAyDo0C,EAAA,CAA5C/0C,MAAM,YAAa8R,MAAOqG,EAAOuB,S,mBAC9C3Z,EAAAA,EAAAA,oBAA+B,aAAA8B,EAAAA,EAAAA,iBAAtBsW,EAAO9O,OAAK,U,6BAGzB/I,EAAAA,EAAAA,oBAAgD,OAAAsB,GAAAC,EAAAA,EAAAA,iBAAA,KAA3BuG,MAAM+oD,aAAW,O,4BCRgC,CAAC,SAAS,0B,2FCA9EnxD,MAAM,yD,GAEImO,IAAI,e,6iCAYtB,SACEpM,OAAQ,CAACqnD,EAAAA,IAETlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3DkxD,WAAY,KAKZjiD,OAAAA,GACE,MAAMwtB,EAAa15B,KAAK05B,WAExB,IAAKwgB,IAAOxgB,GAAa,CACvB,MAAMhmB,EAAK5S,EAAAA,EAAA,CACTq2C,QAAS,EACTC,gBAAgB,EAChBC,cAAc,EACd+W,aAAa,EACbzrC,MAAO,WACJ3iB,KAAKmF,MAAM8Q,SAAO,IACrB88B,UAAU,EACV70C,SAAU,OAGZ8B,KAAKmuD,WAAatsC,IAAAA,aAAwB7hB,KAAK8gC,MAAMiW,YAAarjC,GAClE1T,KAAKmuD,YAAYrZ,SAASC,SAASrb,GACnC15B,KAAKmuD,YAAYE,QAAQ,OAAQruD,KAAKmF,MAAMs8B,OAC9C,CACF,GC3CF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDljC,EAAAA,EAAAA,aAUY4uD,EAAA,CAVAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAKM,CAJE1W,EAAA47B,aAAU,kBADlBr8B,EAAAA,EAAAA,oBAKM,MALNC,EAKM,EADJR,EAAAA,EAAAA,oBAA8B,WAA9B6B,EAA8B,iCAEhCtB,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,S,4BCJ4D,CAAC,SAAS,kB,qFCD9EV,MAAM,2EAYd,SACEE,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCZ7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDsB,EAAAA,EAAAA,aAWY4uD,EAAA,CAXAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAOM,EAPN1X,EAAAA,EAAAA,oBAOM,MAPNQ,EAOM,EAJJR,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,gBACL6sB,OAAK8iB,EAAAA,EAAAA,gBAAA,CAAA4hB,aAAA,MAAAC,gBAA0C/wD,EAAA2H,MAAM0J,S,yCCHY,CAAC,SAAS,mB,4ECAtF,SACE5R,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCD7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDsB,EAAAA,EAAAA,aAA2C4uD,EAAA,CAA/Bl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,4BCIwC,CAAC,SAAS,sB,uHCUtF,SACErG,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4H,SAAU,CACR2pD,aAAAA,GACE,GAAIxuD,KAAKmF,MAAMq0B,sBACb,OAAOx5B,KAAKmF,MAAMs0B,YAKpB,OAFcg1B,EAAAA,GAASC,QAAQ1uD,KAAKmF,MAAM0J,OAE3B8/C,eAAe,CAC5BC,KAAM,UACNC,MAAO,UACPC,IAAK,WAET,IC5BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDvwD,EAAAA,EAAAA,aAOY4uD,EAAA,CAPAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAEI,CAFK1W,EAAAy7B,eAAiBz7B,EAAA07B,wBAAqB,kBAA/Cn8B,EAAAA,EAAAA,oBAEI,K,MAF8CqB,MAAOlB,EAAA2H,MAAM0J,Q,qBAC1D/H,EAAA0nD,eAAa,EAAAlxD,MAAA,kBAElBD,EAAAA,EAAAA,oBAAqB,IAAAsB,EAAX,S,4BCD4D,CAAC,SAAS,kB,uHCUtF,SACEG,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4H,SAAU,CACRkqD,iBAAAA,GACE,OAAI/uD,KAAKw5B,sBACAx5B,KAAKmF,MAAMs0B,YAGbg1B,EAAAA,GAASC,QAAQ1uD,KAAKmF,MAAM0J,OAChCmgD,QAAQhvD,KAAKkjB,UACbyrC,eAAe,CACdC,KAAM,UACNC,MAAO,UACPC,IAAK,UACLrxB,KAAM,UACNwxB,OAAQ,UACRC,aAAc,SAEpB,EAEAhsC,SAAQA,IACC5mB,KAAKoX,OAAO,iBAAmBpX,KAAKoX,OAAO,cClCxD,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDnV,EAAAA,EAAAA,aAOY4uD,EAAA,CAPAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAEI,CAFK1W,EAAAy7B,eAAiBz7B,EAAA07B,wBAAqB,kBAA/Cn8B,EAAAA,EAAAA,oBAEI,K,MAF8CqB,MAAOlB,EAAA2H,MAAM0J,Q,qBAC1D/H,EAAAioD,mBAAiB,EAAAzxD,MAAA,kBAEtBD,EAAAA,EAAAA,oBAAqB,IAAAsB,EAAX,S,4BCD4D,CAAC,SAAS,sB,2FCFxD5B,MAAM,qB,oCAoBpC,SACE+B,OAAQ,CAACugD,EAAAA,GAAmB8G,EAAAA,IAE5BlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4D,QAAS,CACPulD,IAAAA,GACEpmD,KAAK+vB,qBAAqB/vB,KAAKmF,MAAM0J,MACvC,IC1BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sKDJzDtQ,EAAAA,EAAAA,aAgBY4uD,EAAA,CAhBAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAWI,CAXK1W,EAAAy7B,gBAAa,kBAAtBl8B,EAAAA,EAAAA,oBAWI,IAXJC,EAWI,EAVFR,EAAAA,EAAAA,oBAEI,KAFAH,KAAI,UAAYa,EAAA2H,MAAM0J,QAAS9R,MAAM,iB,qBACpCe,EAAA47B,YAAU,EAAA/6B,GAIPb,EAAAy7B,eAAiB/7B,EAAA2H,MAAMm6C,WAAaxhD,EAAA67B,qBAAmB,wCAD/Dp7B,EAAAA,EAAAA,aAKE8nD,EAAA,C,MAHCt/C,SAAKgN,EAAAA,EAAAA,eAAejN,EAAAs/C,KAAI,oBAEzBrpD,MAAM,Q,yBADKe,EAAAM,GAAG,yBAAD,sDAIjBf,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,S,4BCV4D,CAAC,SAAS,mB,2FCM3CV,MAAM,e,mBAMfA,MAAM,kC,cAgBxBA,MAAM,cAUtB,SACE+B,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4D,QAAS,CAIPktB,QAAAA,GACE,MAAM,aAAE1sB,EAAY,WAAEgL,GAAerM,KAC/BgW,EAAYhW,KAAK6S,eAEvB,IAAI4a,EAAOjyB,SAASquB,cAAc,KAClC4D,EAAK9wB,KAAQ,aAAY0E,KAAgBgL,cAAuB2J,IAChEyX,EAAKM,SAAW,WAChBvyB,SAAS4kB,KAAKuN,YAAYF,GAC1BA,EAAKG,QACLpyB,SAAS4kB,KAAK4N,YAAYP,EAC5B,GAGF5oB,SAAU,CACRsqD,QAAAA,GACE,OAAOzvD,QAAQM,KAAKmF,MAAM0J,OAAS7O,KAAKovD,SAC1C,EAEAC,gBAAAA,GACE,OAAOrvD,KAAKovD,QACd,EAEArC,iBAAAA,GACE,OAAOrtD,QAAQM,KAAKmF,MAAM6nD,cAAgBhtD,KAAKmvD,SACjD,EAEAC,QAAAA,GACE,OAAOpvD,KAAKmF,MAAMwjC,YAAc3oC,KAAKmF,MAAMmqD,YAC7C,EAEAC,YAAAA,GACE,MAAgC,qBAAzBvvD,KAAKmF,MAAM8H,SACpB,IC/EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,oKDJzD1O,EAAAA,EAAAA,aAoCY4uD,EAAA,CApCAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAME,CALM1N,EAAAuoD,mBAAgB,kBADxB9wD,EAAAA,EAAAA,aAMEixD,EAAA,C,MAJCl6C,IAAKxO,EAAAsoD,SACL/c,SAAU70C,EAAA2H,MAAMktC,UAAY70C,EAAA2H,MAAMsqD,YAClC/vB,QAASliC,EAAA2H,MAAMu6B,QACf4S,OAAQ90C,EAAA2H,MAAMmtC,Q,+EAGLx0C,EAAA47B,aAAe5yB,EAAAsoD,WAAQ,kBAAnC/xD,EAAAA,EAAAA,oBAEO,OAFPC,GAEOsB,EAAAA,EAAAA,iBADFd,EAAA47B,YAAU,oCAGF57B,EAAA47B,YAAe5yB,EAAAsoD,UAAiB,iCAAT,kBAApC/xD,EAAAA,EAAAA,oBAAoD,OAAAsB,EAAd,MAE7BmI,EAAAimD,oBAAiB,kBAA1B1vD,EAAAA,EAAAA,oBAkBI,IAlBJI,EAkBI,CAhBMD,EAAA2H,MAAM6nD,eAAY,kBAD1B3vD,EAAAA,EAAAA,oBAgBI,K,MAdDE,KAAMC,EAAA2H,MAAM6Q,UAAY,iBACxBiwB,UAAOj/B,EAAA,KAAAA,EAAA,IAAAk/B,EAAAA,EAAAA,WAAAnyB,EAAAA,EAAAA,gBAAA,IAAA9M,IAAgBH,EAAAinB,UAAAjnB,EAAAinB,YAAA9mB,IAAQ,yBAC/BF,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAinB,UAAAjnB,EAAAinB,YAAA9mB,IAAQ,cACxB/I,SAAS,IACTnB,MAAM,yD,EAENW,EAAAA,EAAAA,aAMEkR,EAAA,CALA7R,MAAM,OACNG,KAAK,WACL,WAAS,YACTqkC,MAAM,KACNE,OAAO,QAET3kC,EAAAA,EAAAA,oBAAoD,OAApDyR,GAAoD3P,EAAAA,EAAAA,iBAAxBd,EAAAM,GAAG,aAAD,iF,4BC5BoC,CAAC,SAAS,kB,wjCCatF,SACE0xB,MAAO,CAAC,kBAER7yB,MAAK6D,EAAAA,EAAA,IACA+K,E,SAAAA,IAAS,CAAC,aAAc,WAAS,IACpCxK,aAAc,CAAC,EACfsC,SAAU,CAAC,IAGb9C,QAAS,CAIPgM,cAAAA,GACE7M,KAAKzD,MAAM,iBACb,IC5BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+FDJzDgC,EAAAA,EAAAA,aAWEovD,EAAA,CAVCxoD,MAAOrH,EAAAqH,MACP,gBAAerH,EAAAqH,MAAM9D,aACrB,eAAc7D,EAAA6D,aACd,kBAAiBvD,EAAAuO,WACjB,mBAAkBvO,EAAAqH,MAAMuqD,oBACxB,oBAAmB,UACnB/nD,iBAAgBb,EAAA+F,eAChB,cAAY,EACZyuB,eAAgBx9B,EAAAqH,MAAM5C,SAAW,EACjC,wBAAsB,G,4HCNiD,CAAC,SAAS,qB,4ECWtF,SACEutB,MAAO,CAAC,kBAER7yB,MAAO,CAAC,eAAgB,aAAc,WAAY,SAElD4D,QAAS,CAIPgM,cAAAA,GACE7M,KAAKzD,MAAM,iBACb,ICtBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+FDJzDgC,EAAAA,EAAAA,aAWEovD,EAAA,CAVCxoD,MAAO3H,EAAA2H,MACP,gBAAe3H,EAAA2H,MAAM9D,aACrB,eAAc7D,EAAA6D,aACd,kBAAiB7D,EAAA6O,WACjB,mBAAkB7O,EAAA2H,MAAMwqD,2BACxB,oBAAmB,iBACnBhoD,iBAAgBb,EAAA+F,eAChB,cAAY,EACZyuB,eAAgB99B,EAAA2H,MAAM5C,SAAW,EACjC,wBAAsB,G,4HCNiD,CAAC,SAAS,4B,2HCmCtF,SACEtF,MAAO,CAAC,eAAgB,aAAc,WAAY,SAElD4H,SAAU,CACR5D,kBAAAA,GACE,OAAOjB,KAAKmF,MAAMlE,kBACpB,EAEA8G,iBAAAA,GACE,OAAO/H,KAAKmF,MAAM4C,iBACpB,EAEA6nD,WAAAA,GACE,OAA8B,MAAvB5vD,KAAKmF,MAAM0qD,QACpB,EAEA7nD,YAAAA,GACE,OAAOhI,KAAKmF,MAAM6I,aACpB,EAEAnL,aAAAA,GACE,OAAO7C,KAAK2D,SAASyK,GAAGS,KAC1B,EAEA/L,eAAAA,GACE,OAAO9C,KAAKmF,MAAMu/B,kBACpB,IC7DJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gMDHjDlnC,EAAA2H,MAAM43B,mBAAgB,kBAD9B1/B,EAAAA,EAAAA,oBAmCM,O,MAjCJN,MAAM,WACLQ,KAAMC,EAAA2H,MAAM9D,aAAe,mBAC3B,oBAAmByF,EAAAhE,iB,CAEHgE,EAAA8oD,c,kBAkBjBvyD,EAAAA,EAAAA,oBAUM,MAAAsB,EAAA,EATJjB,EAAAA,EAAAA,aAQEoyD,EAAA,CAPC,gBAAetyD,EAAA2H,MAAM9D,aACrB,cAAa7D,EAAA2H,MAAM0qD,SACnB,eAAcryD,EAAA6D,aACd,kBAAiByF,EAAAjE,cACjB,mBAAkBiE,EAAAhE,gBAClB,oBAAmBtF,EAAA2H,MAAMxC,iBACzB,kBAAgB,G,qHA1BO,kBAA5BtF,EAAAA,EAAAA,oBAiBW8J,EAAAA,SAAA,CAAAC,IAAA,KAhBT1J,EAAAA,EAAAA,aAEY+I,EAAA,CAFFC,MAAO,EAAG3J,MAAM,0B,wBAAyB,IAEjD,6CADAS,EAAA2H,MAAM6I,eAAa,M,OAErBtQ,EAAAA,EAAAA,aAYOuK,EAAA,M,uBAXL,IAUE,EAVFvK,EAAAA,EAAAA,aAUE4M,EAAA,CATC,sBAAqBxD,EAAAiB,kBACrB,gBAAejB,EAAAkB,aACf,gBAAexK,EAAA2H,MAAM9D,aACrB,eAAc7D,EAAA6D,aACd,kBAAiByF,EAAAjE,cACjB,mBAAkBiE,EAAAhE,gBAClB,oBAAmBtF,EAAA2H,MAAMxC,iBACzB,uBAAsBmE,EAAA7F,mBACtB,wBAAsB,G,uNChB2C,CAAC,SAAS,oB,2HCmCtF,SACEhE,MAAO,CAAC,eAAgB,aAAc,WAAY,SAElD4H,SAAU,CACR5D,kBAAAA,GACE,OAAOjB,KAAKmF,MAAMlE,kBACpB,EAEA8G,iBAAAA,GACE,OAAO/H,KAAKmF,MAAM4C,iBACpB,EAEA6nD,WAAAA,GACE,OAAqC,MAA9B5vD,KAAKmF,MAAM4qD,eACpB,EAEA/nD,YAAAA,GACE,OAAOhI,KAAKmF,MAAM6I,aACpB,EAEAnL,aAAAA,GACE,OAAO7C,KAAK2D,SAASyK,GAAGS,KAC1B,EAEA/L,eAAAA,GACE,OAAO9C,KAAKmF,MAAMw/B,yBACpB,IC7DJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gMDHjDnnC,EAAA2H,MAAM43B,mBAAgB,kBAD9B1/B,EAAAA,EAAAA,oBAmCM,O,MAjCJN,MAAM,WACLQ,KAAMC,EAAA2H,MAAM9D,aAAe,mBAC3B,oBAAmByF,EAAAhE,iB,CAEHgE,EAAA8oD,c,kBAkBjBvyD,EAAAA,EAAAA,oBAUM,MAAAsB,EAAA,EATJjB,EAAAA,EAAAA,aAQEoyD,EAAA,CAPC,gBAAetyD,EAAA2H,MAAM9D,aACrB,cAAa7D,EAAA2H,MAAM4qD,gBACnB,eAAcvyD,EAAA6D,aACd,kBAAiByF,EAAAjE,cACjB,mBAAkBiE,EAAAhE,gBAClB,oBAAmBtF,EAAA2H,MAAMxC,iBACzB,kBAAgB,G,qHA1BO,kBAA5BtF,EAAAA,EAAAA,oBAiBW8J,EAAAA,SAAA,CAAAC,IAAA,KAhBT1J,EAAAA,EAAAA,aAEY+I,EAAA,CAFFC,MAAO,EAAG3J,MAAM,0B,wBAAyB,IAEjD,6CADAS,EAAA2H,MAAM6I,eAAa,M,OAErBtQ,EAAAA,EAAAA,aAYOuK,EAAA,M,uBAXL,IAUE,EAVFvK,EAAAA,EAAAA,aAUE4M,EAAA,CATC,sBAAqBxD,EAAAiB,kBACrB,gBAAejB,EAAAkB,aACf,gBAAexK,EAAA2H,MAAM9D,aACrB,eAAc7D,EAAA6D,aACd,kBAAiByF,EAAAjE,cACjB,mBAAkBiE,EAAAhE,gBAClB,oBAAmBtF,EAAA2H,MAAMxC,iBACzB,wBAAsB,EACtB,wBAAsB,G,gMChB2C,CAAC,SAAS,2B,qFCG7E5F,MAAM,oB,yCAkBf,SACEE,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4H,SAAU,CACR60B,UAAAA,GACE,SAAKzd,EAAAA,EAAAA,GAAOjc,KAAKmF,MAAM0J,QAIhB1R,OAAO6C,KAAKmF,MAAM0J,MAC3B,EAEA8qB,mBAAAA,GACE,OAAO35B,KAAKmF,MAAMy0B,MACpB,ICnCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yFDJzDv8B,EAAAA,EAAAA,oBAmBM,OAlBJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,QAAO,C,gDACyD,IAALnJ,EAAAy6B,M,QAAiC,IAALz6B,EAAAy6B,U,EAK7Fn7B,EAAAA,EAAAA,oBAWM,MAXNQ,EAWM,EAVJO,EAAAA,EAAAA,YASOC,EAAAC,OAAA,YATP,IASO,CARqB+I,EAAA4yB,aAAe5yB,EAAA6yB,sBAAmB,kBAA5Dp7B,EAAAA,EAAAA,aAEUkI,EAAA,C,MAFAC,MAAO,G,wBACf,IAAgB,6CAAbI,EAAA4yB,YAAU,M,OAGF5yB,EAAA4yB,YAAc5yB,EAAA6yB,sBAAmB,kBAD9Ct8B,EAAAA,EAAAA,oBAGO,O,MADLwJ,UAAQrJ,EAAA2H,MAAM0J,O,+BAEhBxR,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,YAAO,E,GCZmD,CAAC,SAAS,qB,qFCJ/EV,MAAM,UAIb,SACEE,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCD7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAAsB,MAAtBC,E,GCI0E,CAAC,SAAS,oB,4ECAtF,SACEL,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCD7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDsB,EAAAA,EAAAA,aAA2C4uD,EAAA,CAA/Bl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,4BCIwC,CAAC,SAAS,gB,qFCS5EpI,MAAM,+D,wBAkBhB,SACEE,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3Db,KAAMA,KAAA,CAAS4zD,QAAS,KAExBjwD,OAAAA,GACEC,KAAKgwD,QAAU5yC,IACb3N,OAAOoM,QAAQ7b,KAAKmF,MAAM0J,OAAS,CAAC,IACpC,EAAEzH,EAAKyH,MAAW,CAChBzH,IAAM,GAAEA,IACRyH,WAGN,GCxCF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,qODJzDtQ,EAAAA,EAAAA,aAyBY4uD,EAAA,CAzBAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAqBoB,CApBZ1W,EAAAkyD,QAAQppD,OAAS,IAAH,kBADtBrI,EAAAA,EAAAA,aAqBoB0xD,EAAA,C,MAnBjB,aAAW,EACZlzD,MAAM,mB,wBAEN,IAGE,EAHFW,EAAAA,EAAAA,aAGEwyD,EAAA,CAFC,YAAW1yD,EAAA2H,MAAMgrD,SACjB,cAAa3yD,EAAA2H,MAAMirD,Y,qCAGtBtzD,EAAAA,EAAAA,oBAUM,MAVNQ,EAUM,uBAPJD,EAAAA,EAAAA,oBAME8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YALwBpQ,EAAAkyD,SAAO,CAAvBj5B,EAAMkB,M,kBADhB15B,EAAAA,EAAAA,aAME8xD,EAAA,CAJCp4B,MAAOA,EACPlB,KAAMA,EACNjoB,UAAU,EACV1H,IAAK2vB,EAAK3vB,K,6GChBqD,CAAC,SAAS,sB,4ECItF,SACEnK,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4H,SAAU,CACRyrD,OAAAA,GACE,OAAOtwD,KAAKmF,MAAMorD,UACpB,ICVJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+HDJzDhyD,EAAAA,EAAAA,aAIY4uD,EAAA,CAJAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAA8D,EAA9D9W,EAAAA,EAAAA,aAA8D8yD,EAAA,CAApD70D,QAASmL,EAAAwpD,QAAU,cAAa9yD,EAAA2H,MAAM4oC,Y,iECEsB,CAAC,SAAS,sB,gHCiBtF,SACE9wC,MAAO,CAAC,QAAS,eAAgB,aAAc,UClBjD,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4HDJzDsB,EAAAA,EAAAA,aAiBY4uD,EAAA,CAjBAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAMO,CALChX,EAAA2H,MAAMmoD,UAAY9vD,EAAA2H,MAAM0J,QAAK,kBADrCtQ,EAAAA,EAAAA,aAMOP,EAAA,C,MAJJrB,KAAMmB,EAAAG,KAAK,cAAcT,EAAA2H,MAAM9D,gBAAgB7D,EAAA2H,MAAMsrD,aACtD1zD,MAAM,uC,wBAEN,IAAgB,6CAAbS,EAAA2H,MAAMtG,MAAO,MAAED,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAM0J,OAAQ,MAAEjQ,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAMurD,eAAgB,KAChE,M,kBACclzD,EAAA2H,MAAMsrD,WAAqC,OAAxBjzD,EAAA2H,MAAMurD,gBAAa,kBAApDrzD,EAAAA,EAAAA,oBAEI,IAAAC,GAAAsB,EAAAA,EAAAA,iBADCpB,EAAA2H,MAAMtG,MAAO,MAAED,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAMsrD,WAAY,MAAE7xD,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAMurD,eAAgB,KACpE,IACclzD,EAAA2H,MAAMsrD,WAAqC,OAAxBjzD,EAAA2H,MAAMurD,gBAAa,kBAApDrzD,EAAAA,EAAAA,oBAEI,IAAAsB,GAAAC,EAAAA,EAAAA,iBADCpB,EAAA2H,MAAMwrD,aAAc,MAAE/xD,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAMsrD,WAAS,wBAE7CpzD,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,S,4BCX4D,CAAC,SAAS,iC,gHCgCtF,SACER,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCjC7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,qKDJzDsB,EAAAA,EAAAA,aAgCY4uD,EAAA,CAhCAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,MAAQ,aAAY3H,EAAA2H,MAAMtG,M,CAC/CgQ,OAAK2F,EAAAA,EAAAA,UACd,IAuBO,CAvBKhX,EAAA2H,MAAMmoD,UAAY9vD,EAAA2H,MAAM0J,QAAK,kBAAzCxR,EAAAA,EAAAA,oBAuBO,OAAAC,EAAA,CArBGE,EAAA2H,MAAMooD,UAAY/vD,EAAA2H,MAAMqoD,oBAAiB,kBADjDjvD,EAAAA,EAAAA,aAaekvD,EAAA,C,MAXZ,gBAAejwD,EAAA2H,MAAM9D,aACrB,cAAa7D,EAAA2H,MAAMsrD,UACnB9sD,SAAUnG,EAAAmG,U,wBAEX,IAMO,EANPjG,EAAAA,EAAAA,aAMOM,EAAA,CALJ+I,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WACVpX,KAAMmB,EAAAG,KAAK,cAAcT,EAAA2H,MAAM9D,gBAAgB7D,EAAA2H,MAAMsrD,aACtD1zD,MAAM,gB,wBAEN,IAAyB,6CAAtBS,EAAA2H,MAAMurD,eAAgB,MAAE9xD,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAM0J,OAAK,M,4FAI7CtQ,EAAAA,EAAAA,aAMOP,EAAA,C,MAJJrB,KAAMmB,EAAAG,KAAK,cAAcT,EAAA2H,MAAM9D,gBAAgB7D,EAAA2H,MAAMsrD,aACtD1zD,MAAM,gB,wBAEN,IAAyB,6CAAtBS,EAAA2H,MAAMurD,eAAgB,MAAE9xD,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAM0J,OAAK,M,qBAI/BrR,EAAA2H,MAAM0J,QAAK,kBAAzBxR,EAAAA,EAAAA,oBAEI,IAAAsB,GAAAC,EAAAA,EAAAA,iBADCpB,EAAA2H,MAAMurD,eAAiBlzD,EAAA2H,MAAMwrD,aAAc,MAAE/xD,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAM0J,OAAK,wBAEhExR,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,S,yCC1B4D,CAAC,SAAS,qB,4ECWtF,SACEqyB,MAAO,CAAC,kBAER7yB,MAAO,CAAC,eAAgB,aAAc,WAAY,SAElD4D,QAAS,CAIPgM,cAAAA,GACE7M,KAAKzD,MAAM,iBACb,ICtBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+FDJzDgC,EAAAA,EAAAA,aAWEovD,EAAA,CAVCxoD,MAAO3H,EAAA2H,MACP,gBAAe3H,EAAA2H,MAAM9D,aACrB,eAAc7D,EAAA6D,aACd,kBAAiB7D,EAAA6O,WACjB,mBAAkB7O,EAAA2H,MAAMyrD,wBACxB,oBAAmB,cACnBjpD,iBAAgBb,EAAA+F,eAChB,cAAY,EACZyuB,eAAgB99B,EAAA2H,MAAM5C,SAAW,EACjC,wBAAsB,G,4HCNiD,CAAC,SAAS,yB,8ICWtF,SACEtF,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4H,SAAU,CACRgsD,WAAAA,GACE,IAAI9hD,EAAW,GAaf,OAXAqJ,IAAQpY,KAAKmF,MAAM8Q,SAASf,IAC1B,IAAIrG,EAAQqG,EAAOrG,MAAMvC,YAGvBqqB,IAAQ32B,KAAKmF,MAAM0J,MAAOA,IAAU,GACpC8nB,IAAQ32B,KAAKmF,MAAM0J,OAAOvC,WAAYuC,IAAU,IAEhDE,EAASwU,KAAKrO,EAAO9O,MACvB,IAGK2I,CACT,IC9BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDxQ,EAAAA,EAAAA,aAQY4uD,EAAA,CARAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACf0J,OAAK2F,EAAAA,EAAAA,UAElB,IAA2B,uBAD7BnX,EAAAA,EAAAA,oBAIE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAHepH,EAAA+pD,aAAR95B,K,kBADT15B,EAAAA,EAAAA,oBAIE,Q,aAFAuB,EAAAA,EAAAA,iBAAQm4B,GACRh6B,MAAM,iG,kDCD8D,CAAC,SAAS,yB,qFCF3EA,MAAM,qB,0DAwCTA,MAAM,6E,eAiBd,SACE+B,OAAQ,CAACC,EAAAA,EAAa+xD,EAAAA,IAEtBjwD,QAAS,CAIPiM,qBAAqB3H,GACZA,EAAM6H,gBACT,UAAY7H,EAAM8H,UAClB9H,EAAM8H,UAMZ8jD,aAAAA,GACE,OAAQ/wD,KAAK+M,MAAM4lC,MAAQ,CAC7B,GAGF9tC,SAAU,CACRgyB,eAAAA,GACE,MAAQ,eAAc72B,KAAK+M,MAAMiJ,qBACnC,EAEA9Q,kBAAAA,GACE,OAAOlF,KAAK+M,OAAO7H,qBAAsB,CAC3C,EAKA2K,MAAAA,GACE,OAAI7P,KAAK+M,MAAM4lC,MAAQ,EACd3yC,KAAK+M,MAAM8C,OAAOkoB,MAAM,EAAG/3B,KAAK+M,MAAM4lC,OAGxC3yC,KAAK+M,MAAM8C,MACpB,EAKAmhD,6BAAAA,GACE,OAAOhxD,KAAK+M,MAAM4lC,MAAQ,CAC5B,ICrGJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,qKDJzDt1C,EAAAA,EAAAA,oBAqDM,aApDJQ,EAAAA,EAAAA,YAqBOC,EAAAC,OAAA,cArBP,IAqBO,EApBLjB,EAAAA,EAAAA,oBAYM,MAZNQ,EAYM,EAXJI,EAAAA,EAAAA,aAA0C+I,EAAA,CAAhCC,MAAO,E,aAAG9H,EAAAA,EAAAA,iBAAQd,EAAWiP,MAALlO,O,wBAG1Bf,EAAAiP,MAAM6sC,cAAW,kBADzBv8C,EAAAA,EAAAA,oBAQS,U,MANN0J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAAyG,gBAAAzG,EAAAyG,kBAAA0C,IACRlK,MAAM,8IACL,aAAYe,EAAAM,GAAG,oBACf,iBAA6B,IAAdN,EAAA0G,UAAsB,OAAS,S,EAE/C9G,EAAAA,EAAAA,aAAyCwJ,EAAA,CAAxB1C,UAAW1G,EAAA0G,WAAS,+DAKjC1G,EAAAiP,MAAM+4B,WAAahoC,EAAA0G,YAAS,kBADpCnH,EAAAA,EAAAA,oBAKE,K,MAHAN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,6CACE7I,EAAAiP,MAAM+4B,SAAW,OAAS,SAClCj/B,UAAQ/I,EAAAiP,MAAM+4B,U,gDAMThoC,EAAA0G,WAAasC,EAAA+I,OAAOjJ,OAAS,IAAH,kBAFnCrI,EAAAA,EAAAA,aA4BO0J,EAAA,C,MA3BLlL,MAAM,gE,wBAKJ,IAAgC,uBAFlCM,EAAAA,EAAAA,oBAUE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YARyBpH,EAAA+I,QAAM,CAAvB1K,EAAO8yB,M,kBAFjB15B,EAAAA,EAAAA,cAUE4P,EAAAA,EAAAA,yBANKrH,EAAAgG,qBAAqB3H,IAAK,CAH9BiC,IAAK6wB,EAELA,MAAOA,EAEP,gBAAen6B,EAAAuD,aACf,cAAavD,EAAAuO,WACb1I,SAAU7F,EAAA6F,SACVwB,MAAOA,EACPwC,iBAAgB7J,EAAA+O,gB,gGAIX/F,EAAAkqD,gCAA6B,kBADrC3zD,EAAAA,EAAAA,oBAWM,MAXNO,EAWM,EAPJd,EAAAA,EAAAA,oBAMS,UALPI,KAAK,SACLH,MAAM,yDACLgK,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAiqD,eAAAjqD,EAAAiqD,iBAAA9pD,M,qBAELnJ,EAAAM,GAAG,oBAAD,yC,2CC7C6D,CAAC,SAAS,c,qFCFhFtB,EAAAA,EAAAA,oBAEI,SAFD,eAEH,GAMN,SACEG,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCP7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDsB,EAAAA,EAAAA,aAMY4uD,EAAA,CANAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAEI,CAFJlX,K,4BCEsE,CAAC,SAAS,sB,6DCFtF,SACE81B,Q,SAAS69B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,mB,4ECapE,SACEnyD,OAAQ,C,SAACgyD,IAETjsD,SAAU,CACRM,KAAAA,GACE,OAAOnF,KAAK+M,MAAM8C,OAAO,EAC3B,IClBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDxS,EAAAA,EAAAA,oBAUM,gCATJkB,EAAAA,EAAAA,cAQE4P,EAAAA,EAAAA,yBAAA,UANerH,EAAA3B,MAAM8H,aAAS,CAD7B7F,IAAG,GAAKN,EAAA3B,MAAM6Q,aAAalY,EAAAuO,aAE3B,gBAAevO,EAAAuD,aACf,cAAavD,EAAAuO,WACb1I,SAAU7F,EAAA6F,SACVwB,MAAO2B,EAAA3B,MACPwC,iBAAgB7J,EAAA+O,gB,oFCJqD,CAAC,SAAS,0B,4ECAtF,SACE5P,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCD7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDsB,EAAAA,EAAAA,aAA2C4uD,EAAA,CAA/Bl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,4BCIwC,CAAC,SAAS,oB,6DCFtF,SACEiuB,Q,SAAS69B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,kB,4GCapE,MAEA,GACEh0D,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3Db,KAAMA,KAAA,CAASq+C,SAAU,OAEzBv6B,MAAO,CACL,aAAc,SAAUy6B,EAASC,GAC/B56C,KAAK66C,aACP,GAGFh6C,QAAS,CACPg6C,WAAAA,GACE76C,KAAKy6C,SAAS5K,OAAO7vC,KAAKmF,MAAM/I,KAClC,GAGF8P,OAAAA,GACElM,KAAKy6C,SAAW,IAAIM,IAAS/6C,KAAKkxD,aAChClxD,KAAK8gC,MAAMka,MACX,CAAEgB,OAAQ,CAACh8C,KAAKmF,MAAM/I,OACtB,CACEqlC,OAAQzhC,KAAKmxD,YACb5vB,MAAOvhC,KAAKoxD,WACZpT,WAAW,EACXlqB,WAAW,EACXqqB,aAAc,CAAEhN,IAAK,EAAGiN,MAAO,EAAGC,OAAQ,EAAGC,KAAM,GACnDC,MAAO,CAAEC,UAAU,EAAOlD,WAAW,EAAOpR,OAAQ,GACpDuU,MAAO,CAAED,UAAU,EAAOlD,WAAW,EAAOpR,OAAQ,IAG1D,EAEArlC,SAAU,CAIRwsD,OAAAA,GACE,OAAOrxD,KAAKmF,MAAM/I,KAAKwK,OAAS,CAClC,EAKAsqD,UAAAA,GAEE,IAAIA,EAAalxD,KAAKmF,MAAM+rD,WAAW/sB,cAGvC,MAJmB,CAAC,OAAQ,OAIZxU,SAASuhC,GAElBA,EAAW5yB,OAAO,GAAGD,cAAgB6yB,EAAWn5B,MAAM,GAFhB,MAG/C,EAKAo5B,WAAAA,GACE,OAAInxD,KAAKmF,MAAMs8B,OAAgB,GAAEzhC,KAAKmF,MAAMs8B,WAEpC,OACV,EAKA2vB,UAAAA,GACE,GAAIpxD,KAAKmF,MAAMo8B,MAAO,MAAQ,GAAEvhC,KAAKmF,MAAMo8B,SAC7C,IClFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDhjC,EAAAA,EAAAA,aAQY4uD,EAAA,CARAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAIE,EAJF1X,EAAAA,EAAAA,oBAIE,OAHAoO,IAAI,QACJnO,MAAM,WACL6sB,OAAK8iB,EAAAA,EAAAA,gBAAA,CAAAnL,MAAWz6B,EAAAsqD,WAAU3vB,OAAU36B,EAAAqqD,e,uCCD+B,CAAC,SAAS,uB,2FCiBtF,SACEl0D,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,SAE3D4H,SAAU,CAIRsqD,QAAAA,GACE,OAAOnvD,KAAKmF,MAAMmsD,KACpB,IC1BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzD/yD,EAAAA,EAAAA,aAiBY4uD,EAAA,CAjBAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAYM,CAXE1N,EAAAqoD,WAAQ,kBADhB9xD,EAAAA,EAAAA,oBAYM,O,MAVHN,OAAK4J,EAAAA,EAAAA,gBAAA,SAAUnJ,EAAA2H,MAAMwiD,YAChB,oB,uBAENtqD,EAAAA,EAAAA,oBAME8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YALe1Q,EAAA2H,MAAMmsD,OAAdhc,K,kBADT/2C,EAAAA,EAAAA,cAME4P,EAAAA,EAAAA,yBAAA,SAHcmnC,EAAKroC,aAAS,CAD3B7F,IAAKkuC,EAAKzmC,MAEV1J,MAAOmwC,EACPj0C,aAAc7D,EAAA6D,c,mEAGnBhE,EAAAA,EAAAA,oBAAqB,IAAAC,EAAX,S,4BCX4D,CAAC,SAAS,mB,oFCGxEP,MAAM,c,UAwBpB,SACE+B,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UC9B7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iMDJzDsB,EAAAA,EAAAA,aAyBY4uD,EAAA,CAzBAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAmBQ,CAlBA1W,EAAAy7B,gBAAa,kBADrBh7B,EAAAA,EAAAA,aAmBQ+P,EAAA,C,MAjBNvR,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,6CACEnJ,EAAA2H,MAAMi1C,a,wBAEd,IAYO,EAZPt9C,EAAAA,EAAAA,oBAYO,OAZPQ,EAYO,CAXuB,WAAdE,EAAA2H,MAAMjI,OAAI,kBAAxBqB,EAAAA,EAAAA,aAAiEgzC,EAAA,C,MAA1BhQ,MAAM,KAAKxkC,MAAM,W,+BAElC,UAAdS,EAAA2H,MAAMjI,OAAI,kBADlBqB,EAAAA,EAAAA,aAIEqQ,EAAA,C,MAFCuyB,OAAO,EACRjkC,KAAK,yB,+BAGe,WAAdM,EAAA2H,MAAMjI,OAAI,kBADlBqB,EAAAA,EAAAA,aAIEqQ,EAAA,C,MAFCuyB,OAAO,EACRjkC,KAAK,mB,uDAEF,KACP0B,EAAAA,EAAAA,iBAAGd,EAAA47B,YAAU,M,uCAGfr8B,EAAAA,EAAAA,oBAA2B,OAAAsB,EAAd,S,4BCnByD,CAAC,SAAS,oB,4FCmBtF,SACE1B,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCpB7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,oKDJzDsB,EAAAA,EAAAA,aAmBY4uD,EAAA,CAnBAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAeM,CAfKhX,EAAA2H,MAAM0J,MAAMjI,OAAS,IAAH,kBAA7BvJ,EAAAA,EAAAA,oBAeM,MAAAC,EAAA,CAboB,UAAhBE,EAAA2H,MAAMykB,QAAK,kBADnBrrB,EAAAA,EAAAA,aAMEgzD,EAAA,C,MAJCnG,KAAM5tD,EAAA2H,MAAM0J,MACZ,gBAAerR,EAAA2H,MAAM9D,aACrBmwD,UAAU,EACV,eAAch0D,EAAA2H,MAAMomD,a,iFAGC,SAAhB/tD,EAAA2H,MAAMykB,QAAK,kBADnBrrB,EAAAA,EAAAA,aAMEkzD,EAAA,C,MAJCrG,KAAM5tD,EAAA2H,MAAM0J,MACZ,gBAAerR,EAAA2H,MAAM9D,aACrBmwD,UAAU,EACV,eAAch0D,EAAA2H,MAAMomD,a,mJCX6C,CAAC,SAAS,iB,4ECAtF,SACEtuD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCD7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDsB,EAAAA,EAAAA,aAA2C4uD,EAAA,CAA/Bl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,4BCIwC,CAAC,SAAS,kB,2ECQtF,SACElI,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCT7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+HDJzDsB,EAAAA,EAAAA,aAQY4uD,EAAA,CARAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAIE,EAJF9W,EAAAA,EAAAA,aAIE8yD,EAAA,CAHC70D,QAAS6B,EAAA2H,MAAM0J,MACf,cAAY,EACZ,cAAarR,EAAA2H,MAAM4oC,Y,iECDgD,CAAC,SAAS,sB,4ECItF,SACE9wC,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCL7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+HDJzDsB,EAAAA,EAAAA,aAIY4uD,EAAA,CAJAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACrB0J,OAAK2F,EAAAA,EAAAA,UACd,IAAkE,EAAlE9W,EAAAA,EAAAA,aAAkE8yD,EAAA,CAAxD70D,QAAS6B,EAAA2H,MAAM0J,MAAQ,cAAarR,EAAA2H,MAAM4oC,Y,iECEkB,CAAC,SAAS,kB,iICoBtF,SACEjvC,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCvB7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2FDJzDsB,EAAAA,EAAAA,aAkBY4uD,EAAA,CAlBAl1B,MAAOz6B,EAAAy6B,MAAQ9yB,MAAO3H,EAAA2H,O,CACf0J,OAAK2F,EAAAA,EAAAA,UACpB,IASI,CATK1W,EAAAy7B,gBAAkBz7B,EAAA67B,sBAAmB,kBAA9Ct8B,EAAAA,EAAAA,oBASI,IAAAC,EAAA,EARFR,EAAAA,EAAAA,oBAOI,KANFC,MAAM,eACLJ,KAAMa,EAAA2H,MAAM0J,MACborC,IAAI,sBACJ/4C,OAAO,W,qBAEJpD,EAAA47B,YAAU,EAAA/6B,MAIJb,EAAA47B,YAAc57B,EAAA67B,sBAAmB,kBAD9Ct8B,EAAAA,EAAAA,oBAGO,O,MADLwJ,UAAQ/I,EAAA47B,Y,+BAEVr8B,EAAAA,EAAAA,oBAAqB,IAAAO,EAAX,S,4BCZ4D,CAAC,SAAS,iB,6DCFtF,SACEw1B,Q,SAASs+B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,wB,6DCDpE,SACEt+B,Q,SAASu+B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,mFCDvD50D,MAAM,SAenB,SACE+yB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CAAEnE,KAAMC,OAAQmS,UAAU,GACxC+O,UAAW,CAAEnhB,KAAMC,OAAQmS,UAAU,GACrCoP,KAAMvhB,QAGR0D,QAAS,CACP6yB,YAAAA,GACE,IAAI7kB,EAAQ7O,KAAK6xC,UAAU7xC,KAAK6O,OAEhC7O,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAOA,GAAS,IAEpB,EAEAgjC,UAAUhjC,IACM,IAAVA,KAEiB,IAAVA,GACF,OAObhK,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEA0J,KAAAA,GACE,IAAIA,EAAQ7O,KAAKqd,OAAOE,aAExB,OAAiB,IAAV1O,IAA4B,IAAVA,EAAkBA,EAAQ,IACrD,IC1DJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yIDJzDtQ,EAAAA,EAAAA,aAakBowC,EAAA,M,uBAZhB,IAWM,EAXN7xC,EAAAA,EAAAA,oBAWM,aAVJA,EAAAA,EAAAA,oBAA8C,QAA9CQ,GAA8CsB,EAAAA,EAAAA,iBAAtBkI,EAAAuW,OAAOxe,MAAI,IAEnC/B,EAAAA,EAAAA,oBAOS,UAPDI,KAAK,SAAU6J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,IAAclK,MAAM,W,EAChDW,EAAAA,EAAAA,aAKEo0C,EAAA,CAJCv0C,KAAI,GAAKuJ,EAAA3B,MAAMuR,mBAChB3Z,MAAM,OACL8R,MAAO/H,EAAA+H,MACPkjC,UAAU,G,wCCLuD,CAAC,SAAS,qB,qFCA3Eh1C,MAAM,a,GACDG,KAAK,UAkBrB,SACE4yB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGR0D,QAAS,CACP6yB,YAAAA,GACE1zB,KAAKzD,MAAM,SACb,GAGFsI,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,ICjDJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+IDJzD5G,EAAAA,EAAAA,aAmBkBowC,EAAA,MAhBLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAaM,EAbN1X,EAAAA,EAAAA,oBAaM,MAbNQ,EAaM,EAZJR,EAAAA,EAAAA,oBAWS,SAXT6B,EAWS,uBAVPtB,EAAAA,EAAAA,oBASE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YALiBpH,EAAA3B,MAAM8Q,SAAhBf,K,kBAJT3W,EAAAA,EAAAA,aASEqzD,EAAA,CARCr0D,KAAI,GAAKuJ,EAAA3B,MAAMuR,oBAAoBxB,EAAOrG,eAC1C,gBAAerR,EAAA6D,aACf+F,IAAK8N,EAAOrG,MAEZwO,OAAQvW,EAAAuW,OACRnI,OAAQA,EACRlB,SAAQlN,EAAA4sB,aACTttB,MAAM,S,qGAbd,IAA8B,EAA9BtJ,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,0B,qFCFzE9B,MAAM,S,GACLA,MAAM,6C,cAYPA,MAAM,c,GACLA,MAAM,6C,yjCAqBpB,SACE+yB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJy1D,WAAY,KACZC,SAAU,KACVjjB,sBAAuB,OAGzB9uC,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KACjE1zB,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK+xD,kBAChC,EAEArxD,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK+xD,kBACjC,EAEA7xC,MAAO,CACL2xC,UAAAA,GACE7xD,KAAK6uC,uBACP,EAEAijB,QAAAA,GACE9xD,KAAK6uC,uBACP,GAGFhuC,QAAS,CACPiuC,qBAAAA,GACE,IAAK+iB,EAAYC,GAAY9xD,KAAKqd,OAAOE,cAAgB,CAAC,KAAM,MAEhEvd,KAAK6xD,YAAa51C,EAAAA,EAAAA,GAAO41C,GACrB7xD,KAAKgyD,gBAAgBH,GAAYI,YACjC,KACJjyD,KAAK8xD,UAAW71C,EAAAA,EAAAA,GAAO61C,GACnB9xD,KAAKgyD,gBAAgBF,GAAUG,YAC/B,IACN,EAEAC,cAAAA,CAAeL,EAAYC,GAMzB,MAAO,CALPD,GAAa51C,EAAAA,EAAAA,GAAO41C,GAChB7xD,KAAKmyD,cAAcN,EAAY,SAC/B,KACJC,GAAW71C,EAAAA,EAAAA,GAAO61C,GAAY9xD,KAAKmyD,cAAcL,EAAU,OAAS,KAGtE,EAEAp+B,YAAAA,GACE1zB,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAKkyD,eAAelyD,KAAK6xD,WAAY7xD,KAAK8xD,WAErD,EAEAC,iBAAAA,GACE/xD,KAAK8gC,MAAMsxB,WAAWvjD,MAAQ,GAC9B7O,KAAK8gC,MAAMuxB,SAASxjD,MAAQ,GAE5B7O,KAAK8uC,uBACP,EAEAkjB,gBAAgBnjD,GACP4/C,EAAAA,GAASC,QAAQ7/C,GAG1BsjD,cAAaA,CAACtjD,EAAO6yC,IACZ+M,EAAAA,GAASC,QAAQ7/C,GAAOojD,aAInCptD,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEAmtD,oBAAAA,GACE,MAAM3vB,EAAQlZ,IAAKzpB,KAAKmF,MAAMotD,gBAAiB,CAAC,aAEhD,OAAAzxD,EAAA,CAIE5D,KAAM8C,KAAKmF,MAAMjI,MAAQ,OACzB62B,YAAa/zB,KAAK5B,GAAG,UAClBukC,EAEP,EAEA6vB,kBAAAA,GACE,MAAM7vB,EAAQlZ,IAAKzpB,KAAKmF,MAAMotD,gBAAiB,CAAC,aAEhD,OAAAzxD,EAAA,CAIE5D,KAAM8C,KAAKmF,MAAMjI,MAAQ,OACzB62B,YAAa/zB,KAAK5B,GAAG,QAClBukC,EAEP,IC5JJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzDpkC,EAAAA,EAAAA,aA4BkBowC,EAAA,MA3BLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAWQ,EAXR1X,EAAAA,EAAAA,oBAWQ,QAXRQ,EAWQ,EAVNR,EAAAA,EAAAA,oBAES,OAFT6B,GAESC,EAAAA,EAAAA,iBAAA,GADJkI,EAAAuW,OAAOxe,UAAUf,EAAAM,GAAG,WAAD,yBAExBtB,EAAAA,EAAAA,oBAME,SANFyjC,EAAAA,EAAAA,YAME,CALAxjC,MAAM,4DACNmO,IAAI,a,qCACKpN,EAAA+zD,WAAUrqD,GAClBjK,KAAI,GAAKuJ,EAAA3B,MAAMuR,yBACR5P,EAAAwrD,sBAAoB,QAAA70D,GAAA,kBAFnBK,EAAA+zD,iBAMb/0D,EAAAA,EAAAA,oBAWQ,QAXRc,EAWQ,EAVNd,EAAAA,EAAAA,oBAES,OAFTyR,GAES3P,EAAAA,EAAAA,iBAAA,GADJkI,EAAAuW,OAAOxe,UAAUf,EAAAM,GAAG,SAAD,yBAExBtB,EAAAA,EAAAA,oBAME,SANFyjC,EAAAA,EAAAA,YAME,CALAxjC,MAAM,4DACNmO,IAAI,W,qCACKpN,EAAAg0D,SAAQtqD,GAChBjK,KAAI,GAAKuJ,EAAA3B,MAAMuR,uBACR5P,EAAA0rD,oBAAkB,QAAAp+C,GAAA,kBAFjBtW,EAAAg0D,iB,QClByD,CAAC,SAAS,kB,qFCF3E/0D,MAAM,uB,GACFA,MAAM,uB,GACLA,MAAM,6C,oCAePA,MAAM,uB,GACLA,MAAM,6C,0FAyBtB,SACE+yB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CAAEnE,KAAMC,OAAQmS,UAAU,GACxC+O,UAAW,CAAEnhB,KAAMC,OAAQmS,UAAU,GACrCoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJq2D,eAAgB,KAChBC,aAAc,KACdC,+BAAgC,KAChCC,6BAA8B,KAC9BC,cAAe,OAGjB9yD,OAAAA,GACEC,KAAK6yD,cAAgB79C,KAAS,IAAMhV,KAAK8yD,cAAc,KACvD9yD,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK+xD,kBAChC,EAEArxD,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK+xD,kBACjC,EAEAlxD,QAAS,CACP40C,IAAGA,IACMA,EAAAA,GAET3G,qBAAAA,GACE,IAAK+iB,EAAYC,GAAY9xD,KAAKqd,OAAOE,cAAgB,CAAC,KAAM,MAEhEvd,KAAKyyD,gBAAiBx2C,EAAAA,EAAAA,GAAO41C,GACzBpD,EAAAA,GAASC,QAAQmD,GAAYkB,SAAS,sBACtC,KAEJ/yD,KAAK0yD,cAAez2C,EAAAA,EAAAA,GAAO61C,GACvBrD,EAAAA,GAASC,QAAQoD,GAAUiB,SAAS,sBACpC,IACN,EAEAb,cAAAA,CAAeL,EAAYC,GAOzB,MAAO,CANPD,GAAa51C,EAAAA,EAAAA,GAAO41C,GAChB7xD,KAAKmyD,cAAcN,EAAY,SAC/B,KAEJC,GAAW71C,EAAAA,EAAAA,GAAO61C,GAAY9xD,KAAKmyD,cAAcL,EAAU,OAAS,KAGtE,EAEAkB,qBAAAA,CAAsBhyD,GACpBhB,KAAKyyD,eAAiBzxD,EAAEE,OAAO2N,MAC/B7O,KAAK6yD,eACP,EAEAI,mBAAAA,CAAoBjyD,GAClBhB,KAAK0yD,aAAe1xD,EAAEE,OAAO2N,MAC7B7O,KAAK6yD,eACP,EAEAC,UAAAA,GACE9yD,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAKkyD,eAAelyD,KAAKyyD,eAAgBzyD,KAAK0yD,eAEzD,EAEAX,iBAAAA,GACE/xD,KAAK8gC,MAAMsxB,WAAWvjD,MAAQ,GAC9B7O,KAAK8gC,MAAMuxB,SAASxjD,MAAQ,GAE5B7O,KAAK8uC,uBACP,EAEAkjB,eAAAA,CAAgBnjD,GACd,OAAO4/C,EAAAA,GAASC,QAAQ7/C,EAAO,CAC7BmgD,SAAS,IAERA,QAAQhvD,KAAKkjB,UACbgwC,OACL,EAEAf,aAAAA,CAActjD,GAMZ,OALc4/C,EAAAA,GAASC,QAAQ7/C,EAAO,CACpCskD,KAAMnzD,KAAKkjB,SACX8rC,SAAS,IAGIA,QAAQ1yD,KAAKoX,OAAO,aAAaw/C,OAClD,GAGFruD,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEA+d,SAAQA,IACC5mB,KAAKoX,OAAO,iBAAmBpX,KAAKoX,OAAO,cCvJxD,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzDnV,EAAAA,EAAAA,aAoCkBowC,EAAA,MAnCLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAgCM,EAhCN1X,EAAAA,EAAAA,oBAgCM,MAhCNQ,EAgCM,EA/BJR,EAAAA,EAAAA,oBAcQ,QAdR6B,EAcQ,EAbN7B,EAAAA,EAAAA,oBAES,OAFTW,GAESmB,EAAAA,EAAAA,iBAAA,GADJkI,EAAAuW,OAAOxe,UAAUf,EAAAM,GAAG,WAAD,IAGxBtB,EAAAA,EAAAA,oBAQE,SAPCkX,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAksD,uBAAAlsD,EAAAksD,yBAAA/rD,IACR4H,MAAO/Q,EAAA20D,eACR11D,MAAM,4DACNmO,IAAI,aACH3N,KAAI,GAAKuJ,EAAA3B,MAAMuR,wBAChBxZ,KAAK,iBACJ62B,YAAaj2B,EAAAM,GAAG,U,cAIrBtB,EAAAA,EAAAA,oBAcQ,QAdRyR,EAcQ,EAbNzR,EAAAA,EAAAA,oBAES,OAFTsX,GAESxV,EAAAA,EAAAA,iBAAA,GADJkI,EAAAuW,OAAOxe,UAAUf,EAAAM,GAAG,SAAD,IAGxBtB,EAAAA,EAAAA,oBAQE,SAPCkX,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmsD,qBAAAnsD,EAAAmsD,uBAAAhsD,IACR4H,MAAO/Q,EAAA40D,aACR31D,MAAM,4DACNmO,IAAI,WACH3N,KAAI,GAAKuJ,EAAA3B,MAAMuR,sBAChBxZ,KAAK,iBACJ62B,YAAaj2B,EAAAM,GAAG,Q,0BC3B+C,CAAC,SAAS,sB,2FCgBjDrB,MAAM,qB,SACGA,MAAM,Q,aAWrCA,MAAM,qB,SACiBA,MAAM,kB,aAI3BA,MAAM,a,uBA6BfD,EAAAA,EAAAA,oBAA0C,UAAlC+R,MAAM,GAAGE,SAAA,IAAS,KAAO,G,iGAczC,SACE+gB,MAAO,CAAC,UAERhxB,OAAQ,CAACqQ,EAAAA,IAETlS,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJiV,mBAAoB,GACpBvB,iBAAkB,KAClBC,mBAAoB,GACpBzN,aAAa,EACb4O,aAAa,EACb7L,OAAQ,GAERwpC,sBAAuB,OAGzB3iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK+xD,mBAE9B/xD,KAAKmM,qBACP,EAEApM,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KAEjEp3B,KAAKiE,IAAI,gBAAiBP,KAAKozD,kCACjC,EAEA1yD,aAAAA,GACEpE,KAAKsE,KAAK,gBAAiBZ,KAAKozD,mCAChC92D,KAAKsE,KAAK,eAAgBZ,KAAK+xD,kBACjC,EAEA7xC,MAAO,CACLpQ,gBAAAA,CAAiBnM,GACf3D,KAAK+P,oBAAqBkM,EAAAA,EAAAA,GAAOtY,GAAYA,EAASkL,MAAQ,EAChE,EAEAkB,kBAAAA,GACE/P,KAAK6uC,uBACP,GAGFhuC,QAAS,CAIPsL,mBAAAA,GACenM,KAAKqd,OAAlB,IACIg2C,GAA8B,EAE9BrzD,KAAKqd,OAAOE,eACdvd,KAAK+P,mBAAqB/P,KAAKqd,OAAOE,cAEZ,IAAtBvd,KAAKoR,eACPiiD,GAA8B,IAI7BrzD,KAAKoR,eAAgBiiD,GACxBrzD,KAAK6Q,wBAAwB1O,MAAK,MACI,IAAhCkxD,GACFrzD,KAAK2S,uBACP,GAGN,EAKA9B,qBAAAA,CAAsBxL,GACpB,IAAIiuD,EAActzD,KAAKszD,YAQvB,OANK72D,IAAM4I,KACTiuD,EAAYriD,OAAQ,EACpBqiD,EAAYtiD,QAAU,KACtBsiD,EAAYjuD,OAASA,GAGhBkuD,EAAAA,EACJj2B,wBAAwBt9B,KAAKqd,OAAOlY,MAAM9D,aAAc,CACvDS,OAAQwxD,IAETnxD,MAAK,EAAG/F,MAAQgG,YAAWE,cAAa4O,mBAClClR,KAAKoR,eACRpR,KAAKkR,YAAcA,GAGrBlR,KAAKqR,mBAAqBjP,EAC1BpC,KAAKsC,YAAcA,CAAU,GAEnC,EAKAqQ,qBAAAA,GACE3S,KAAK8P,iBAAmBgD,IACtB9S,KAAKqR,oBACL0B,GAAKA,EAAElE,QAAU7O,KAAK+P,oBAE1B,EAEAyjD,8BAAAA,GACEl3D,KAAKC,MAAM,gBAAiByD,KAAKqe,UACnC,EAEAo1C,kBAAAA,GACMzzD,KAAK8gC,MAAMz5B,YACbrH,KAAK8gC,MAAMz5B,WAAW0/B,OAE1B,EAEAqsB,iCAAAA,CAAkChsD,GAC5BA,IAAQpH,KAAKqe,WACfre,KAAKyzD,oBAET,EAKAC,oBAAAA,GACE1zD,KAAKmQ,gBACP,EAEAujB,YAAAA,GACE1zB,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAK+P,oBAEhB,EAEAgiD,iBAAAA,GACmC,KAA7B/xD,KAAKqd,OAAOE,eAIhBvd,KAAK+P,mBAAqB,GAC1B/P,KAAK8P,iBAAmB,KACxB9P,KAAKqR,mBAAqB,GAE1BrR,KAAKyzD,qBAELzzD,KAAKmM,sBACP,GAGFtH,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEAwuD,gBAAAA,GACE,OACE3zD,KAAKoR,eACHpR,KAAKoR,cAAgBpR,KAAKqR,mBAAmBzK,OAAS,CAE5D,EAKAwK,YAAAA,GACE,OAAOpR,KAAKmF,MAAMkC,UACpB,EAKAisD,WAAAA,GACE,MAAO,CACLtiD,QAAShR,KAAK+P,mBACdkB,MAAOjR,KAAK+P,oBAAsB/P,KAAKoR,aACvC/L,OAAQrF,KAAKqF,OACb6L,YAAalR,KAAKkR,YAEtB,IChRJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iKDJlCpK,EAAA6sD,mBAAgB,kBAAvCp1D,EAAAA,EAAAA,aAqEkBowC,EAAA,CAAAvnC,IAAA,IAlELiW,QAAM7I,EAAAA,EAAAA,UACf,IAoDc,CAnDN1N,EAAAsK,eAAY,kBADpB7S,EAAAA,EAAAA,aAoDcmW,EAAA,C,MAlDZxJ,IAAI,aACH3N,KAAI,GAAKuJ,EAAA3B,MAAMuR,0BACf/B,QAAO7W,EAAA8W,cACPC,QAAO/N,EAAA4sD,qBACPE,QAAO9sD,EAAA0sD,+BACP1+C,WAAUhX,EAAAiX,eACVC,SAAUlO,EAAA3B,MAAM6P,SAChBnG,MAAO/Q,EAAAgS,iBACP1T,KAAM0B,EAAAuT,mBACN2hC,WAAW,EACZ/9B,QAAQ,QACRlY,MAAM,SACNqH,KAAK,S,CAaM8Q,QAAMV,EAAAA,EAAAA,UACf,EADmBzF,WAAUmG,YAAM,EACnCpY,EAAAA,EAAAA,oBAsBM,MAtBNc,EAsBM,CArBOsX,EAAOE,SAAM,kBAAxB/X,EAAAA,EAAAA,oBAEM,MAFNkR,EAEM,EADJzR,EAAAA,EAAAA,oBAA+D,OAAzDwY,IAAKJ,EAAOE,OAAQrY,MAAM,8B,8CAGlCD,EAAAA,EAAAA,oBAgBM,MAhBN2X,EAgBM,EAfJ3X,EAAAA,EAAAA,oBAKM,OAJJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uCAAsC,iCACDoI,O,qBAExCmG,EAAO9R,SAAO,GAIX0D,EAAA3B,MAAMqQ,gBAAa,kBAD3BnY,EAAAA,EAAAA,oBAOM,O,MALJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qDAAoD,iCACfoI,M,CAE/BmG,EAAOO,WAAQ,kBAA3BpY,EAAAA,EAAAA,oBAAyD,OAAAuY,GAAAhX,EAAAA,EAAAA,iBAAzBsW,EAAOO,UAAQ,wBAC/CpY,EAAAA,EAAAA,oBAA4D,OAAAwY,GAAAjX,EAAAA,EAAAA,iBAA5Cd,EAAAM,GAAG,iCAAD,gD,uBA/B1B,IASM,CATKN,EAAAgS,mBAAgB,kBAA3BzS,EAAAA,EAAAA,oBASM,MATNC,EASM,CAROQ,EAAAgS,iBAAiBsF,SAAM,kBAAlC/X,EAAAA,EAAAA,oBAKM,MALNsB,EAKM,EAJJ7B,EAAAA,EAAAA,oBAGE,OAFCwY,IAAKxX,EAAAgS,iBAAiBsF,OACvBrY,MAAM,8B,mEAEJ,KAEN6B,EAAAA,EAAAA,iBAAGd,EAAAgS,iBAAiB1M,SAAO,yC,uFA+BlBtF,EAAAuT,mBAAmBzK,OAAS,IAAH,kBADtCrI,EAAAA,EAAAA,aASgBuX,EAAA,C,MAPbvY,KAAI,GAAKuJ,EAAA3B,MAAMuR,mBACR3H,SAAUjR,EAAAiS,mB,mCAAAjS,EAAAiS,mBAAkBvI,GACnCwM,SAAMhN,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAiS,mBAAqBvI,GAC7ByO,QAASnY,EAAAuT,mBACVjL,MAAM,W,wBAEN,IAA0C,CAA1C65C,K,iGAjEJ,IAA8B,EAA9BnjD,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,yCCGoD,CAAC,SAAS,sB,yxBCetF,SACEixB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJyS,MAAO,KACPggC,sBAAuB,OAGzB9uC,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KACjE1zB,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK8uC,sBAChC,EAEApuC,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK8uC,sBACjC,EAEA5uB,MAAO,CACLrR,KAAAA,GACE7O,KAAK6uC,uBACP,GAGFhuC,QAAS,CACPiuC,qBAAAA,GACE9uC,KAAK6O,MAAQ7O,KAAKqd,OAAOE,YAC3B,EAEAmW,YAAAA,GACE1zB,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAK6O,OAEhB,GAGFhK,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEAotD,eAAAA,GACE,MAAM5vB,EAAQlZ,IAAKzpB,KAAKmF,MAAMotD,gBAAiB,CAAC,aAEhD,O,+VAAAzxD,CAAA,CAIE5D,KAAM8C,KAAKmF,MAAMjI,MAAQ,QACzB22D,QAAS7zD,KAAKmF,MAAM0uD,QACpB9/B,YAAa/zB,KAAKmF,MAAM4uB,aAAe/zB,KAAKmF,MAAMtG,MAC/C8jC,EAEP,IC1FJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzDpkC,EAAAA,EAAAA,aAYkBowC,EAAA,MATLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAME,uBANF1X,EAAAA,EAAAA,oBAME,SANFyjC,EAAAA,EAAAA,YAME,CALAxjC,MAAM,uD,qCACGe,EAAA+Q,MAAKrH,GACb4G,GAAItH,EAAA3B,MAAMuR,UACVnZ,KAAI,GAAKuJ,EAAA3B,MAAMuR,oBACR5P,EAAAyrD,iBAAe,QAAAj1D,GAAA,kBAHdQ,EAAA+Q,Y,uBALb,IAA8B,EAA9B/R,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,mB,iKCkBtF,SACEixB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJyS,MAAO,KACPggC,sBAAuB,OAGzB9uC,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KACjE1zB,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK8uC,sBAChC,EAEApuC,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK8uC,sBACjC,EAEA5uB,MAAO,CACLrR,KAAAA,GACE7O,KAAK6uC,uBACP,GAGFhuC,QAAS,CACPiuC,qBAAAA,GACE,IAAIqF,EAAiBrhC,IACnB9S,KAAKmF,MAAM2uD,cACX/3C,GAAKA,EAAE7e,OAAS8C,KAAKqd,OAAOE,eAG9Bvd,KAAK6O,MAASpS,IAAM03C,GAAyC,GAAvBA,EAAetlC,KACvD,EAEA6kB,YAAAA,GACE,IAAIygB,EAAiBrhC,IACnB9S,KAAKmF,MAAM2uD,cACX/3C,GAAKA,EAAElN,QAAU7O,KAAK6O,QAGxB7O,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAQpS,IAAM03C,GAAwC,GAAtBA,EAAej3C,MAEnD,GAGF2H,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEA4uD,eAAAA,GACE,OAAO/zD,KAAKmF,MAAM2uD,aAAaltD,OAAS,CAC1C,IC7FJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2IDJzDrI,EAAAA,EAAAA,aAckBowC,EAAA,MAXLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAQgB,EARhB9W,EAAAA,EAAAA,aAQgBoY,EAAA,CAPbvY,KAAI,GAAKuJ,EAAA3B,MAAMuR,mBACR3H,SAAUjR,EAAA+Q,M,mCAAA/Q,EAAA+Q,MAAKrH,GACtBwM,SAAMhN,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAA+Q,MAAQrH,GAChByO,QAASnP,EAAA3B,MAAM2uD,aAChB1tD,MAAM,iB,wBAEN,IAA0D,EAA1DtJ,EAAAA,EAAAA,oBAA0D,UAAlD+R,MAAM,GAAIE,SAAoB,KAAVjR,EAAA+Q,OAAc,IAAO,EAAAvR,M,gEAVrD,IAA8B,EAA9BR,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,qB,wHCetF,SACEixB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJyS,MAAO,KACPggC,sBAAuB,OAGzB9uC,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KACjE1zB,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK8uC,sBAChC,EAEApuC,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK8uC,sBACjC,EAEA5uB,MAAO,CACLrR,KAAAA,GACE7O,KAAK6uC,uBACP,GAGFhuC,QAAS,CACPiuC,qBAAAA,GACE9uC,KAAK6O,MAAQ7O,KAAKqd,OAAOE,YAC3B,EAEAmW,YAAAA,GACE1zB,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAK6O,OAEhB,GAGFhK,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,IC5EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gJDJzD5G,EAAAA,EAAAA,aAakBowC,EAAA,MAVLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAOqB,EAPrB9W,EAAAA,EAAAA,aAOqBs2D,EAAA,CANlBz2D,KAAI,GAAKuJ,EAAA3B,MAAMuR,mBACR3H,SAAUjR,EAAA+Q,M,mCAAA/Q,EAAA+Q,MAAKrH,GACtBwM,SAAMhN,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAA+Q,MAAQrH,GAChByO,QAASnP,EAAA3B,MAAM8Q,S,wBAEhB,IAA0D,EAA1DnZ,EAAAA,EAAAA,oBAA0D,UAAlD+R,MAAM,GAAIE,SAAoB,KAAVjR,EAAA+Q,OAAc,IAAO,EAAAvR,M,gEATrD,IAA8B,EAA9BR,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,yB,qFCFzE9B,MAAM,S,GACLA,MAAM,6C,cAYPA,MAAM,c,GACLA,MAAM,6C,ikCAoBpB,SACE+yB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJy1D,WAAY,KACZC,SAAU,KACVjjB,sBAAuB,OAGzB9uC,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KACjE1zB,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK8uC,sBAChC,EAEApuC,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK8uC,sBACjC,EAEA5uB,MAAO,CACL2xC,UAAAA,GACE7xD,KAAK6uC,uBACP,EAEAijB,QAAAA,GACE9xD,KAAK6uC,uBACP,GAGFhuC,QAAS,CACPiuC,qBAAAA,GACE,IAAK+iB,EAAYC,GAAY9xD,KAAKqd,OAAOE,cAAgB,CAAC,KAAM,MAEhEvd,KAAK6xD,YAAa51C,EAAAA,EAAAA,GAAO41C,GAAcoC,IAASpC,GAAc,KAC9D7xD,KAAK8xD,UAAW71C,EAAAA,EAAAA,GAAO61C,GAAYmC,IAASnC,GAAY,IAC1D,EAEAI,cAAAA,CAAeL,EAAYC,GAgBzB,OAfAD,GAAa51C,EAAAA,EAAAA,GAAO41C,GAAcoC,IAASpC,GAAc,KACzDC,GAAW71C,EAAAA,EAAAA,GAAO61C,GAAYmC,IAASnC,GAAY,KAGlC,OAAfD,GACA7xD,KAAKmF,MAAMu4C,KACX19C,KAAKmF,MAAMu4C,IAAMmU,IAEjBA,EAAaoC,IAASj0D,KAAKmF,MAAMu4C,MAGlB,OAAboU,GAAqB9xD,KAAKmF,MAAMy4C,KAAO59C,KAAKmF,MAAMy4C,IAAMkU,IAC1DA,EAAWmC,IAASj0D,KAAKmF,MAAMy4C,MAG1B,CAACiU,EAAYC,EACtB,EAEAp+B,YAAAA,GACE1zB,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAKkyD,eAAelyD,KAAK6xD,WAAY7xD,KAAK8xD,WAErD,GAGFjtD,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEAmtD,oBAAAA,GACE,MAAM3vB,EAAQlZ,IAAKzpB,KAAKmF,MAAMotD,gBAAiB,CAAC,aAEhD,OAAAzxD,EAAA,CAIE5D,KAAM8C,KAAKmF,MAAMjI,MAAQ,SACzBwgD,IAAK19C,KAAKmF,MAAMu4C,IAChBE,IAAK59C,KAAKmF,MAAMy4C,IAChBsW,KAAMl0D,KAAKmF,MAAM+uD,KACjBL,QAAS7zD,KAAKmF,MAAM0uD,QACpB9/B,YAAa/zB,KAAK5B,GAAG,QAClBukC,EAEP,EAEA6vB,kBAAAA,GACE,MAAM7vB,EAAQlZ,IAAKzpB,KAAKmF,MAAMotD,gBAAiB,CAAC,aAEhD,OAAAzxD,EAAA,CAIE5D,KAAM8C,KAAKmF,MAAMjI,MAAQ,SACzBwgD,IAAK19C,KAAKmF,MAAMu4C,IAChBE,IAAK59C,KAAKmF,MAAMy4C,IAChBsW,KAAMl0D,KAAKmF,MAAM+uD,KACjBL,QAAS7zD,KAAKmF,MAAM0uD,QACpB9/B,YAAa/zB,KAAK5B,GAAG,QAClBukC,EAEP,IC1JJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzDpkC,EAAAA,EAAAA,aA2BkBowC,EAAA,MA1BLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAWQ,EAXR1X,EAAAA,EAAAA,oBAWQ,QAXRQ,EAWQ,EAVNR,EAAAA,EAAAA,oBAES,OAFT6B,GAESC,EAAAA,EAAAA,iBAAA,GADJkI,EAAAuW,OAAOxe,UAAUf,EAAAM,GAAG,WAAD,yBAGxBtB,EAAAA,EAAAA,oBAKE,SALFyjC,EAAAA,EAAAA,YAKE,CAJAxjC,MAAM,6D,qCACGe,EAAA+zD,WAAUrqD,GAClBjK,KAAI,GAAKuJ,EAAA3B,MAAMuR,yBACR5P,EAAAwrD,sBAAoB,QAAA70D,GAAA,kBAFnBK,EAAA+zD,iBAMb/0D,EAAAA,EAAAA,oBAUQ,QAVRc,EAUQ,EATNd,EAAAA,EAAAA,oBAES,OAFTyR,GAES3P,EAAAA,EAAAA,iBAAA,GADJkI,EAAAuW,OAAOxe,UAAUf,EAAAM,GAAG,SAAD,yBAExBtB,EAAAA,EAAAA,oBAKE,SALFyjC,EAAAA,EAAAA,YAKE,CAJAxjC,MAAM,6D,qCACGe,EAAAg0D,SAAQtqD,GAChBjK,KAAI,GAAKuJ,EAAA3B,MAAMuR,uBACR5P,EAAA0rD,oBAAkB,QAAAp+C,GAAA,kBAFjBtW,EAAAg0D,iB,QCjByD,CAAC,SAAS,oB,2FCgBnD/0D,MAAM,qB,+EAkCzC,SACE+yB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZ+O,UAAW,CACTnhB,KAAMC,OACNmS,UAAU,GAEZoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJ+3C,eAAgB,KAChB9uC,OAAQ,GAERwJ,MAAO,KACPggC,sBAAuB,OAGzB3iC,OAAAA,GACE5P,KAAKiE,IAAI,eAAgBP,KAAK+xD,kBAChC,EAEAhyD,OAAAA,GACEC,KAAK6uC,sBAAwB75B,KAAS,IAAMhV,KAAK0zB,gBAAgB,KACjE,IAAI7kB,EAAQ7O,KAAKqd,OAAOE,aAExB,GAAI1O,EAAO,CACT,IAAIslC,EAAiBrhC,IAAK9S,KAAKmF,MAAM8Q,SAAS8F,GAAKA,EAAElN,OAASA,IAE9D7O,KAAKm0D,aAAahgB,EACpB,CACF,EAEAzzC,aAAAA,GACEpE,KAAKsE,KAAK,eAAgBZ,KAAK+xD,kBACjC,EAEA7xC,MAAO,CACLi0B,cAAAA,CAAej/B,GACRzY,IAAMyY,IAAsB,KAAXA,EAGpBlV,KAAK6O,MAAQ,GAFb7O,KAAK6O,MAAQqG,EAAOrG,KAIxB,EAEAA,KAAAA,GACE7O,KAAK6uC,uBACP,GAGFhuC,QAAS,CAIP+T,aAAAA,CAAciR,GACZ7lB,KAAKqF,OAASwgB,CAChB,EAKA1V,cAAAA,GACEnQ,KAAKm0C,eAAiB,KACtBn0C,KAAK6O,MAAQ,GAET7O,KAAK8gC,MAAMz5B,YACbrH,KAAK8gC,MAAMz5B,WAAW0/B,OAE1B,EAKAotB,YAAAA,CAAaj/C,GACXlV,KAAKm0C,eAAiBj/B,EACtBlV,KAAK6O,MAAQqG,EAAOrG,KACtB,EAEA6kB,YAAAA,GACE1zB,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAK6O,OAEhB,EAEAkjD,iBAAAA,GACmC,KAA7B/xD,KAAKqd,OAAOE,cAIhBvd,KAAKmQ,gBACP,GAGFtL,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAKAiM,YAAAA,GACE,OAAOpR,KAAKmF,MAAMkC,UACpB,EAKA+sD,eAAAA,GACE,OAAOp0D,KAAKmF,MAAM8Q,QAAQoH,QAAOnI,GAE7BA,EAAO9O,MACJkG,WACA63B,cACAxN,QAAQ32B,KAAKqF,OAAO8+B,gBAAkB,GAG/C,ICpLJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mLDJzD5lC,EAAAA,EAAAA,aA8CkBowC,EAAA,MA3CLtxB,QAAM7I,EAAAA,EAAAA,UAEf,IA4Bc,CA3BN1N,EAAAsK,eAAY,kBADpB7S,EAAAA,EAAAA,aA4BcmW,EAAA,C,MA1BZxJ,IAAI,aACH3N,KAAI,GAAKuJ,EAAA3B,MAAMuR,0BACf/B,QAAO7N,EAAA8N,cACPC,QAAO/N,EAAAqJ,eACP2E,WAAUhO,EAAAqtD,aACVtlD,MAAO/Q,EAAAq2C,eACP/3C,KAAM0K,EAAAstD,gBACNphB,WAAW,EACZ/9B,QAAQ,QACRlY,MAAM,SACNqH,KAAK,S,CAQM8Q,QAAMV,EAAAA,EAAAA,UACf,EADmBU,SAAQnG,cAAQ,EACnCjS,EAAAA,EAAAA,oBAKM,OAJJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,oDAAmD,cACjCoI,O,qBAErBmG,EAAO9O,OAAK,M,uBAVnB,IAEM,CAFKtI,EAAAq2C,iBAAc,kBAAzB92C,EAAAA,EAAAA,oBAEM,MAFNC,GAEMsB,EAAAA,EAAAA,iBADDd,EAAAq2C,eAAe/tC,OAAK,uC,sFAe3B7H,EAAAA,EAAAA,aAQgBuX,EAAA,C,MANbvY,KAAI,GAAKuJ,EAAA3B,MAAMuR,mBACR3H,SAAUjR,EAAA+Q,M,mCAAA/Q,EAAA+Q,MAAKrH,GACtBwM,SAAMhN,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAA+Q,MAAQrH,GAChByO,QAASnP,EAAA3B,MAAM8Q,S,wBAEhB,IAA0D,EAA1DnZ,EAAAA,EAAAA,oBAA0D,UAAlD+R,MAAM,GAAIE,SAAoB,KAAVjR,EAAA+Q,OAAc,IAAO,EAAAlQ,M,iEA1CrD,IAA8B,EAA9B7B,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,oB,4zBC4BtF,SACEixB,MAAO,CAAC,UAER7yB,MAAO,CACLoE,aAAc,CAAEnE,KAAMC,OAAQmS,UAAU,GACxC+O,UAAW,CAAEnhB,KAAMC,OAAQmS,UAAU,GACrCoP,KAAMvhB,QAGRf,KAAMA,KAAA,CACJyS,MAAO,KACPwlD,sBAAuB,OAGzBt0D,OAAAA,GACEC,KAAKq0D,sBAAwBr/C,KAAS,IAAMhV,KAAK8yD,cAAc,KAC/D9yD,KAAK8uC,uBACP,EAEA5iC,OAAAA,GACE5P,KAAKsQ,IAAK,yBACVtQ,KAAKiE,IAAI,eAAgBP,KAAK8uC,sBAChC,EAEApuC,aAAAA,GACEpE,KAAKsQ,IAAK,2BACVtQ,KAAKsE,KAAK,eAAgBZ,KAAK8uC,sBACjC,EAEAjuC,QAAS,CACPiuC,qBAAAA,GACE9uC,KAAK6O,MAAQ7O,KAAKqd,OAAOE,YAC3B,EAEAmW,YAAAA,CAAa1yB,GACXhB,KAAK6O,MAAQ7N,EAAEE,OAAO2N,MACtB7O,KAAKq0D,uBACP,EAEAvB,UAAAA,GACE9yD,KAAKzD,MAAM,SAAU,CACnBqiB,YAAa5e,KAAKqe,UAClBxP,MAAO7O,KAAK6O,OAEhB,GAGFhK,SAAU,CACRwY,MAAAA,GACE,OAAOrd,KAAK85B,OAAOrgB,QAAS,GAAEzZ,KAAKqB,0BACjCrB,KAAKqe,UAET,EAEAlZ,KAAAA,GACE,OAAOnF,KAAKqd,OAAOlY,KACrB,EAEAotD,eAAAA,GACE,MAAM5vB,EAAQlZ,IAAKzpB,KAAKmF,MAAMotD,gBAAiB,CAAC,aAEhD,O,+VAAAzxD,CAAA,CAIE5D,KAAM8C,KAAKmF,MAAMjI,MAAQ,OACzBwgD,IAAK19C,KAAKmF,MAAMu4C,IAChBE,IAAK59C,KAAKmF,MAAMy4C,IAChBsW,KAAMl0D,KAAKmF,MAAM+uD,KACjBL,QAAS7zD,KAAKmF,MAAM0uD,QACpB9/B,YAAa/zB,KAAKmF,MAAM4uB,aAAe/zB,KAAKmF,MAAMtG,MAC/C8jC,EAEP,ICrGJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iGDJzDpkC,EAAAA,EAAAA,aAyBkBowC,EAAA,MAtBLtxB,QAAM7I,EAAAA,EAAAA,UACf,IAQE,EARF1X,EAAAA,EAAAA,oBAQE,SARFyjC,EAAAA,EAAAA,YAQE,CAPAxjC,MAAM,uDACL4X,QAAK3N,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,IACP4H,MAAO/Q,EAAA+Q,MACPT,GAAItH,EAAA3B,MAAMuR,UACVnZ,KAAI,GAAKuJ,EAAA3B,MAAMuR,oBACR5P,EAAAyrD,gBAAe,CACtBj5B,KAAI,GAAKxyB,EAAA3B,MAAMuR,mB,WAIV5P,EAAA3B,MAAMg0B,aAAeryB,EAAA3B,MAAMg0B,YAAYvyB,OAAS,IAAH,kBADrDvJ,EAAAA,EAAAA,oBASW,Y,MAPR+Q,GAAE,GAAKtH,EAAA3B,MAAMuR,kB,uBAEdrZ,EAAAA,EAAAA,oBAIE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAFqBpH,EAAA3B,MAAMg0B,aAApBm7B,K,kBAFTj3D,EAAAA,EAAAA,oBAIE,UAHC+J,IAAKktD,EAELzlD,MAAOylD,G,oFApBd,IAA8B,EAA9Bx3D,EAAAA,EAAAA,oBAA8B,aAAA8B,EAAAA,EAAAA,iBAArBkI,EAAAuW,OAAOxe,MAAI,M,QCGoD,CAAC,SAAS,kB,6DCFtF,SACEu0B,Q,SAASu+B,QAET9sD,SAAU,CAIR0qD,aAAYA,KACH,ICPb,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,mB,qFCIzDxyD,MAAM,qB,SAsBsBA,MAAM,qB,SACGA,MAAM,Q,qEC/BtD,SACEugC,wBAAuBA,CAACj8B,EAAcwR,EAAgBoD,IAC7C3Z,KAAKsF,UAAUC,IAAK,aAAYR,kBAA6BwR,IAAkBoD,GAGxFrF,uBAAuBvP,GACd/E,KAAKsF,UAAUC,IAAK,aAAYR,mB,8CDyG3C,SACEvC,OAAQ,CACNy1D,EAAAA,GACApvB,EAAAA,GACA5lC,EAAAA,GACA4P,EAAAA,GACAC,EAAAA,IAGFnS,MAAO,CACLoP,WAAY,CAAC,GAGfjQ,KAAMA,KAAA,CACJiV,mBAAoB,GACpBpB,kCAAkC,EAClCukD,yBAAyB,EACzB1kD,iBAAkB,KAClBC,mBAAoB,KACpBzN,aAAa,EACb4O,aAAa,EACb7L,OAAQ,GACR2K,mBAAmB,IAMrB9D,OAAAA,GACElM,KAAKmM,qBACP,EAEAtL,QAAS,CACPsL,mBAAAA,GACEnM,KAAKkR,aAAc,EAEnBlR,KAAK+P,mBAAqB/P,KAAK4zB,aAAa/kB,MAExC7O,KAAKy0D,yBAIPz0D,KAAKiQ,kCAAmC,EACxCjQ,KAAK+P,mBAAqB/P,KAAK4zB,aAAa85B,aACnC1tD,KAAK00D,qBAId10D,KAAKiQ,kCAAmC,EACxCjQ,KAAK+P,mBAAqB/P,KAAK6C,eAG7B7C,KAAKqzD,6BACHrzD,KAAK20D,iBASP30D,KAAKiQ,kCAAmC,GALxCjQ,KAAK6Q,wBAAwB1O,MAAK,IAAMnC,KAAK2S,2BASrC3S,KAAKoR,cAIfpR,KAAK6Q,wBAGP7Q,KAAK4Q,yBAEL5Q,KAAKmF,MAAMuL,KAAO1Q,KAAK0Q,IACzB,EAKAgC,+BAAAA,CAAgC7D,GAC9B7O,KAAK+P,mBAAqBlB,EAC1B7O,KAAK2S,wBAED3S,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK+P,mBAExD,EAKAW,IAAAA,CAAK8B,GACHxS,KAAKwzB,cACHhhB,EACAxS,KAAK6S,eACL7S,KAAK8P,iBAAmB9P,KAAK8P,iBAAiBjB,MAAQ,IAExD7O,KAAKwzB,cACHhhB,EACC,GAAExS,KAAK6S,yBACR7S,KAAKkR,YAET,EAKAL,qBAAAA,GAGE,OAFAvU,KAAKwU,UAAUC,QAERwiD,EACJj2B,wBAAwBt9B,KAAKqB,aAAcrB,KAAK6S,eAAgB,CAC/D/Q,OAAQ9B,KAAKszD,cAEdnxD,MAAK,EAAG/F,MAAQgG,YAAWE,cAAa4O,mBAOvC,GANA5U,KAAKwU,UAAUK,QAEXnR,KAAKiQ,kCAAqCjQ,KAAKoR,eACjDpR,KAAKkR,YAAcA,GAGjBlR,KAAK00D,mBAAoB,CAC3B,IAAI5kD,EAAmBgD,IAAK1Q,GAAW2Q,GACrC/S,KAAK40D,qBAAqB7hD,EAAElE,SAG9B,GACEpS,IAAMqT,KACL9P,KAAK60D,+BAEN,OAAOv4D,KAAKO,MAAM,OAEtB,CAGImD,KAAK20D,iBACP30D,KAAKiQ,kCAAmC,GAE1CjQ,KAAKqR,mBAAqBjP,EAC1BpC,KAAKsC,YAAcA,CAAU,IAE9BI,OAAM1B,IACL1E,KAAKwU,UAAUK,MAAM,GAE3B,EAKAP,sBAAAA,GACE,OAAO2iD,EACJ3iD,uBAAuB5Q,KAAKmF,MAAM9D,cAClCc,MAAKtG,IACJmE,KAAKsC,YAAczG,EAASO,KAAKkG,WAAU,GAEjD,EAKAwyD,UAAUjmD,IACAkmD,MAAMC,WAAWnmD,KAAWomD,SAASpmD,GAM/C8D,qBAAAA,GACE3S,KAAK8P,iBAAmBgD,IAAK9S,KAAKqR,oBAAoB0B,GACpD/S,KAAK40D,qBAAqB7hD,EAAElE,QAEhC,EAKAmE,iBAAAA,GACE,IAAIkiD,EACAC,GAEAl5C,EAAAA,EAAAA,GAAOjc,KAAK8P,oBACdolD,EAA4Bl1D,KAAK8P,iBACjCqlD,EAA8Bn1D,KAAK8P,iBAAiBjB,OAGtD7O,KAAKkR,aAAelR,KAAKkR,YAEzBlR,KAAK8P,iBAAmB,KACxB9P,KAAK+P,mBAAqB,KAErB/P,KAAK20D,gBACR30D,KAAK6Q,wBAAwB1O,MAAK,KAChC,IAAI81B,EAAQmb,IAAUpzC,KAAKqR,oBAAoB0B,GACtCA,EAAElE,QAAUsmD,IAGjBl9B,GAAS,GACXj4B,KAAK8P,iBAAmB9P,KAAKqR,mBAAmB4mB,GAChDj4B,KAAK+P,mBAAqBolD,IAG1Bn1D,KAAK8P,iBAAmB,KACxB9P,KAAK+P,mBAAqB,KAC5B,GAGN,EAEAsD,iBAAAA,GACE/W,KAAKC,MAAM,gCACXyD,KAAKgQ,mBAAoB,CAC3B,EAEAoD,kBAAAA,GACEpT,KAAKgQ,mBAAoB,EACzB1T,KAAKC,MAAM,+BACb,EAEA4W,iBAAAA,EAAkB,GAAE/E,IAClBpO,KAAKoT,qBACLpT,KAAK+P,mBAAqB3B,EAC1BpO,KAAKiQ,kCAAmC,EACxCjQ,KAAKw0D,yBAA0B,EAC/Bx0D,KAAK6Q,wBAAwB1O,MAAK,KAChCnC,KAAK2S,wBAEL3S,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK+P,mBAAmB,GAE3E,EAEAqlD,qBAAAA,CAAsB/vD,GAChBrF,KAAK20D,eACP30D,KAAK4U,cAAcvP,GAEnBrF,KAAKqF,OAASA,CAElB,EAEAiO,sBAAAA,GACEtT,KAAKmQ,iBAEDnQ,KAAK00D,qBAAuB10D,KAAKw0D,wBACnCx0D,KAAK8b,kBAAkB,CACrBlZ,YAAa,KACbC,cAAe,KACfC,gBAAiB,KACjBH,iBAAkB,OACjBR,MAAK,KACN7F,KAAKymB,QAAQm/B,OAAO,CAClBmT,UAAWA,KACTr1D,KAAKiQ,kCAAmC,EACxCjQ,KAAKmM,qBAAqB,GAE5B,KAGAnM,KAAKw0D,0BACPx0D,KAAKw0D,yBAA0B,EAC/Bx0D,KAAKiQ,kCAAmC,GAG1CjQ,KAAK6Q,wBAET,EAEA4kB,aAAAA,GACMz1B,KAAK00D,qBAIT10D,KAAKmM,sBAED1P,IAAMuD,KAAKy0B,YAAY5lB,QAAUpS,IAAMuD,KAAK+P,qBAC9C/P,KAAK2S,wBAET,EAEAgjB,4BAAAA,GACM31B,KAAK00D,oBAIT10D,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK+P,mBACtD,EAEAylB,6BAAAA,GACE,OAAOx1B,KAAK40D,qBAAqB50D,KAAK4zB,aAAa/kB,MACrD,EAEA+lD,oBAAAA,CAAqB/lD,GACnB,OACGpS,IAAMoS,IACPA,GAAOvC,aAAetM,KAAK+P,oBAAoBzD,UAEnD,GAGFzH,SAAU,CAIR4vD,uBAAAA,GACE,OAAOx4C,EAAAA,EAAAA,GAAOjc,KAAKmF,MAAMuoD,YAC3B,EAKAgH,kBAAAA,GACE,OAAOh1D,QACLM,KAAK4C,cAAgB5C,KAAKmF,MAAM9D,cAC9BrB,KAAKmF,MAAMmwD,SACXt1D,KAAK6C,cAEX,EAKAwwD,2BAAAA,GACE,OAAO3zD,QACLM,KAAKy0D,yBACHz0D,KAAK00D,oBACL10D,KAAK4zB,aAAa/kB,MAExB,EAKAuC,YAAAA,GACE,OAAO1R,QAAQM,KAAK4zB,aAAavsB,WACnC,EAKAisD,WAAAA,GACE,MAAO,CACLtiD,QAAShR,KAAK+P,mBACdkB,MAAOjR,KAAKu1D,wBACZlwD,OAAQrF,KAAKqF,OACb6L,YAAalR,KAAKkR,YAClB7E,WAAYrM,KAAKqM,WACjBzJ,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBmK,UAAWjN,KAAKmF,MAAMiwB,sBACtBR,UAAW50B,KAAK81B,4BAChBrpB,SAAS,EACTC,SACEjQ,IAAMuD,KAAKqM,aAAmC,KAApBrM,KAAKqM,WAC3B,SACA,SAEV,EAEAkpD,uBAAAA,GACE,OACGv1D,KAAKiQ,mCACHjQ,KAAK60D,gCACRn1D,QAAQM,KAAK41B,qBAAuB51B,KAAK+P,mBAE7C,EAEA0D,iBAAAA,GACE,OACEzT,KAAKsC,cACJtC,KAAK00D,qBACL10D,KAAK41B,qBACN51B,KAAK4zB,aAAa4hC,mBAEtB,EAEAv0D,kBAAAA,GACE,OAAO6R,IAAKxW,KAAKoX,OAAO,cAAc/P,GAC7BA,EAASgQ,SAAW3T,KAAKmF,MAAM9D,eACrCJ,kBACL,EAEA2S,uBAAAA,GACE,OACE5T,KAAK4zB,aAAa/f,2BACjB7T,KAAKqvB,2BACLrvB,KAAK00D,qBACL10D,KAAK41B,qBACN51B,KAAKiB,kBAET,EAKA8yB,WAAAA,GACE,OAAO/zB,KAAK4zB,aAAaG,aAAe/zB,KAAK5B,GAAG,IAClD,EAKAq3D,iBAAAA,GACE,OAAKz1D,KAAKoR,aASHpR,KAAKqR,mBARHrR,KAAKqR,mBAAmBgM,QAAOnI,GAElCA,EAAO9R,QAAQ+gC,cAAcxN,QAAQ32B,KAAKqF,OAAO8+B,gBAC9C,GAAK,IAAIhnC,OAAO+X,EAAOrG,OAAO8nB,QAAQ32B,KAAKqF,SAAW,GAMjE,EAEAwvD,8BAAAA,GACE,OAAO70D,KAAK00D,qBAAsBz4C,EAAAA,EAAAA,GAAOjc,KAAKqF,OAChD,EAEAsvD,cAAAA,GACE,OAAO30D,KAAKoR,cAAgBpR,KAAK00D,kBACnC,IE/gBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+YFJzDn2D,EAAAA,EAAAA,aA6Fe8V,EAAA,CA5FZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAgEM,EAhEN1X,EAAAA,EAAAA,oBAgEM,MAhENQ,EAgEM,CA9DIwJ,EAAA6tD,iBAAc,kBADtBp2D,EAAAA,EAAAA,aAuCcmW,EAAA,C,MArCXnX,KAAI,GAAKO,EAAAqH,MAAM9D,4BACfyN,SAAUhR,EAAA83B,oBACVjhB,QAAO7N,EAAAsuD,sBACPvgD,QAAO/N,EAAAwM,uBACPwB,WAAUhX,EAAAiX,eACV,YAAWjX,EAAAu6B,SACXrjB,SAAUlX,EAAA81B,aAAa5e,SACvBnG,MAAO/Q,EAAAgS,iBACP1T,KAAM0K,EAAA2uD,kBACNziB,UAAwBl1C,EAAA81B,aAAame,UAAwBjrC,EAAA2tD,yBAAuC3tD,EAAA4tD,oBAAkC52D,EAAA02D,wBAMvIv/C,QAAQ,QACRlY,MAAM,SACLqH,KAAMtG,EAAAsG,M,CAaI8Q,QAAMV,EAAAA,EAAAA,UACf,EADmBzF,WAAUmG,YAAM,EACnCxX,EAAAA,EAAAA,aAIEg4D,EAAA,CAHCxgD,OAAQA,EACRnG,SAAUA,EACV,iBAAgBjR,EAAA81B,aAAape,e,yEAflC,IASM,CATK1X,EAAAgS,mBAAgB,kBAA3BzS,EAAAA,EAAAA,oBASM,MATNsB,EASM,CAROb,EAAAgS,iBAAiBsF,SAAM,kBAAlC/X,EAAAA,EAAAA,oBAKM,MALNI,EAKM,EAJJX,EAAAA,EAAAA,oBAGE,OAFCwY,IAAKxX,EAAAgS,iBAAiBsF,OACvBrY,MAAM,8B,mEAEJ,KAEN6B,EAAAA,EAAAA,iBAAGd,EAAAgS,iBAAiB1M,SAAO,yC,2IAY/B7E,EAAAA,EAAAA,aAcgBuX,EAAA,C,MAZd/Y,MAAM,SACL,YAAWe,EAAAu6B,SACX96B,KAAI,GAAKO,EAAAqH,MAAM9D,sBACfyN,SAAUhR,EAAA83B,oBACV3f,QAASnY,EAAAuT,mBACFtC,SAAUjR,EAAAiS,mB,mCAAAjS,EAAAiS,mBAAkBvI,GACnCwM,SAAQlN,EAAA4L,gCACTtM,MAAM,W,wBAEN,IAES,EAFTtJ,EAAAA,EAAAA,oBAES,UAFD+R,MAAM,GAAGE,SAAA,GAAUD,UAAWhR,EAAA81B,aAAame,W,qBAC9CjrC,EAAAitB,aAAW,EAAAxlB,M,yEAKVzH,EAAA8M,yBAAuB,wCAD/BrV,EAAAA,EAAAA,aAKE4X,EAAA,C,MAFCpP,QAAOD,EAAAuM,kBACP9V,KAAI,GAAKO,EAAAqH,MAAM6Q,2B,gCAFLlY,EAAAM,GAAG,mBAAoB,CAArBuF,SAAiC7F,EAAAqH,MAAM6I,oBAAa,kCAMrEtQ,EAAAA,EAAAA,aAUE0Y,EAAA,CATCC,KAAMvP,EAAA8M,yBAA2B9V,EAAAkS,kBACjCswB,KAAMxiC,EAAAqH,MAAMs9C,UACZnsC,cAAcxP,EAAAqM,kBACdoD,kBAAkBzP,EAAAsM,mBAClB,gBAAetV,EAAAqH,MAAM9D,aACrB,cAAa7D,EAAA6O,WACb,mBAAkBvO,EAAAgF,gBAClB,eAAchF,EAAA8E,YACd,kBAAiB9E,EAAA+E,e,8IAIZiE,EAAA2M,oBAAiB,kBADzBlV,EAAAA,EAAAA,aAMEiY,EAAA,C,MAJAzZ,MAAM,OACL,gBAAee,EAAAqH,MAAM9D,aACrBoV,QAAS3Y,EAAAoT,YACTyD,QAAO7N,EAAAkM,mB,qJEtF4D,CAAC,SAAS,uB,sGCoBtF,SACE3U,WAAY,CACV4pD,SAAQA,EAAAA,GAGVnpD,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElC1zD,QAAS,CAIPyyB,eAAAA,GACEtzB,KAAK6O,MAAQ7O,KAAK4zB,aAAa/kB,OAAS7O,KAAK6O,KAC/C,EAKAwkB,kBAAiBA,KACR,EAOT3iB,IAAAA,CAAK8B,GACHxS,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB7S,KAAK21D,UACzD,EAEA1nB,MAAAA,GACEjuC,KAAK6O,OAAS7O,KAAK6O,MAEf7O,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,MAExD,GAGFhK,SAAU,CACR4R,OAAAA,GACE,OAAO/W,QAAQM,KAAK6O,MACtB,EAEA8mD,SAAAA,GACE,OAAQ31D,KAAKyW,OACf,IClEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mIDJzDlY,EAAAA,EAAAA,aAiBe8V,EAAA,CAhBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAQE,EARF9W,EAAAA,EAAAA,aAQE6kC,EAAA,CAPCzzB,SAAUhR,EAAA83B,oBACVr4B,KAAMO,EAAA81B,aAAald,UACnBtI,GAAItQ,EAAA81B,aAAald,UACjB,cAAa5P,EAAA2P,QACb5X,KAAMf,EAAAqH,MAAMtG,KACZmV,SAAQlN,EAAAmnC,OACTlxC,MAAM,Q,uICV8D,CAAC,SAAS,qB,qFCG3EA,MAAM,a,yGAwBjB,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCn4D,KAAMA,KAAA,CACJyS,MAAO,CAAC,IAGVhO,QAAS,CAIPyyB,eAAAA,GACE,IAAIvK,EAAS6sC,IAAM51D,KAAK61D,aAAc71D,KAAK4zB,aAAa/kB,OAAS,CAAC,GAElE7O,KAAK6O,MAAQuO,IAAIpd,KAAK4zB,aAAa3d,SAAS83C,IACnC,CACLlvD,KAAMkvD,EAAElvD,KACRuH,MAAO2nD,EAAE3nD,MACTqQ,QAASsS,EAAOglC,EAAElvD,QAAS,KAGjC,EAMA6R,IAAAA,CAAK8B,GACHxS,KAAKwzB,cACHhhB,EACAxS,KAAK6S,eACL8K,KAAKC,UAAU5d,KAAK61D,cAExB,EAKA5nB,MAAAA,CAAOpoB,EAAO3Q,GACQpC,IAAK9S,KAAK6O,OAAOk/C,GAAKA,EAAElvD,MAAQqW,EAAOrW,OAC/C4X,QAAUoP,EAAM3kB,OAAOuV,QAE/BzW,KAAKmF,OACPnF,KAAK4S,qBACH5S,KAAK6S,eACL8K,KAAKC,UAAU5d,KAAK61D,cAG1B,EAEApgC,aAAAA,GACEz1B,KAAKszB,iBACP,GAGFzuB,SAAU,CAIRgxD,YAAAA,GACE,OAAOvrC,IAAUlN,IAAIpd,KAAK6O,OAAOk/C,GAAK,CAACA,EAAElvD,KAAMkvD,EAAEt3C,WACnD,ICxFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4IDJzDlY,EAAAA,EAAAA,aAoBe8V,EAAA,CAnBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAWM,EAXN1X,EAAAA,EAAAA,oBAWM,MAXNQ,EAWM,uBAVJD,EAAAA,EAAAA,oBASoB8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YARDpQ,EAAA+Q,OAAVqG,K,kBADT3W,EAAAA,EAAAA,aASoB4hC,EAAA,CAPjB/4B,IAAK8N,EAAOrW,KACZA,KAAMqW,EAAOrW,KACb4X,QAASvB,EAAOuB,QAChB9B,QAAKnN,GAAEV,EAAAmnC,OAAOzmC,EAAQ0N,GACtBpG,SAAUhR,EAAA83B,qB,wBAEX,IAA+B,EAA/B94B,EAAAA,EAAAA,oBAA+B,aAAA8B,EAAAA,EAAAA,iBAAtBsW,EAAO9O,OAAK,M,oICZ6C,CAAC,SAAS,0B,0mCCmBtF,SACEtH,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCpG,WAAY,KAKZjiD,OAAAA,GACElM,KAAKszB,kBAEDtzB,KAAKyzB,WACPzzB,KAAK81D,wBAET,EAEA51C,MAAO,CACL8U,kBAAAA,CAAmBhkB,EAASuuC,IACV,IAAZvuC,IAAiC,IAAbuuC,EACtBv/C,KAAKyB,WAAU,IAAMzB,KAAK81D,4BACL,IAAZ9kD,IAAkC,IAAbuuC,GAC9Bv/C,KAAK+1D,uBAET,GAGFl1D,QAAS,CACPi1D,sBAAAA,GACE,MAAMpiD,EAAK5S,EAAAA,EAAA,CACTq2C,QAAS,EACTC,gBAAgB,EAChBC,cAAc,EACd+W,aAAa,EACbzrC,MAAO,WACJ,CAAEowB,SAAU/yC,KAAK41B,sBACjB51B,KAAK4zB,aAAa3d,SAGvBjW,KAAKmuD,WAAatsC,IAAAA,aAAwB7hB,KAAK8gC,MAAMiW,YAAarjC,GAClE1T,KAAKmuD,WAAWrZ,SAASC,SAAS/0C,KAAK6O,OAAS7O,KAAK4zB,aAAa/kB,OAClE7O,KAAKmuD,WAAWE,QAAQ,OAAQruD,KAAK4zB,aAAa6N,QAClDzhC,KAAKmuD,WAAWrZ,SAAS/sB,GAAG,UAAU,CAACyuB,EAAIC,KACzCz2C,KAAK6O,MAAQ2nC,EAAGH,WAEZr2C,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,MACtD,GAEJ,EAEAknD,qBAAAA,GACE/1D,KAAKmuD,WAAa,IACpB,EAEA14B,aAAAA,GACMz1B,KAAKmuD,YACPnuD,KAAKmuD,WAAWrZ,SAASC,SAAS/0C,KAAK4zB,aAAa/kB,MAExD,IC7EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDtQ,EAAAA,EAAAA,aAae8V,EAAA,CAZZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,qBAAoBxW,EAAA+1B,iBACpB,iBAAgB/1B,EAAAsxB,c,CAENjqB,OAAKqP,EAAAA,EAAAA,UACd,IAIE,EAJF1X,EAAAA,EAAAA,oBAIE,YAHAoO,IAAI,cACHkD,GAAItQ,EAAA81B,aAAald,UAClB3Z,MAAM,oE,gFCN8D,CAAC,SAAS,kB,oyBCgCtF,SACE+B,OAAQ,CAACy1D,EAAAA,GAAoByB,EAAAA,GAAkB7wB,EAAAA,IAE/CtgC,SAAU,CACRk+B,iBAAAA,GACE,O,+VAAAjiC,CAAA,CACE/D,MAAOiD,KAAKo4B,cACTp4B,KAAKo5B,sBAEZ,ICzCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzD76B,EAAAA,EAAAA,aA0Be8V,EAAA,CAzBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IASE,EATF1X,EAAAA,EAAAA,oBASE,SATFyjC,EAAAA,EAAAA,YACUz5B,EAQRi8B,kBARyB,CACzBhmC,MAAM,6DACNG,KAAK,QACJyX,QAAK3N,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAA41B,cAAA51B,EAAA41B,gBAAAzsB,IACP4H,MAAO/Q,EAAA+Q,MACPT,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACZlH,SAAUhR,EAAA83B,sB,WAGG93B,EAAAq7B,YAAYvyB,OAAS,IAAH,kBAAlCvJ,EAAAA,EAAAA,oBAMW,Y,MAN8B+Q,GAAItQ,EAAAo7B,e,uBAC3C77B,EAAAA,EAAAA,oBAIE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAFqBpQ,EAAAq7B,aAAdm7B,K,kBAFTj3D,EAAAA,EAAAA,oBAIE,UAHC+J,IAAKktD,EAELzlD,MAAOylD,G,gIClB0D,CAAC,SAAS,mB,qFCG3Ev3D,MAAM,gD,GACJA,MAAM,e,GAEPA,MAAM,sM,8hCAuBlB,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCt3D,MAAO,CAAC,eAAgB,aAAc,SAEtC4H,SAAU,CACRk+B,iBAAAA,GACE,MAAO,CACL7lC,KAAM,SACNwgD,IAAK19C,KAAK4zB,aAAa8pB,IACvBE,IAAK59C,KAAK4zB,aAAagqB,IACvBsW,KAAMl0D,KAAK4zB,aAAasgC,KACxBL,QAAS7zD,KAAK4zB,aAAaigC,QAC3B9/B,YAAa/zB,KAAK4zB,aAAaG,aAAe/zB,KAAKmF,MAAMtG,KACzD9B,MAAOiD,KAAKo4B,aAEhB,EACAm6B,eAAAA,GACE,MAAM5vB,EAAQ3iC,KAAK4zB,aAAa2+B,gBAEhC,OAAAzxD,EAAAA,EAAA,GAIKd,KAAK+iC,mBACLJ,EAEP,ICxDJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDpkC,EAAAA,EAAAA,aA2Be8V,EAAA,CA1BZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAkBM,EAlBN1X,EAAAA,EAAAA,oBAkBM,MAlBNQ,EAkBM,EAjBJR,EAAAA,EAAAA,oBAMM,MANN6B,EAMM,EALJ7B,EAAAA,EAAAA,oBAIO,OAJPW,GAIOmB,EAAAA,EAAAA,iBADFd,EAAA81B,aAAaqiC,UAAQ,MAI5Bn5D,EAAAA,EAAAA,oBAQE,SARFyjC,EAAAA,EAAAA,YAQE,CAPAxjC,MAAM,0HACLqR,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMC,EAAA2H,MAAM6Q,WACLlP,EAAAyrD,gBAAe,CACtBzjD,SAAUhR,EAAA83B,oBACVjhB,QAAK3N,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAA41B,cAAA51B,EAAA41B,gBAAAzsB,IACP4H,MAAO/Q,EAAA+Q,Q,mFCnB0D,CAAC,SAAS,sB,qFCG3E9R,MAAM,qB,oHA2BjB,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElC1zD,QAAS,CAIPyyB,eAAAA,GACO72B,IAAMuD,KAAK4zB,aAAa/kB,SAC3B7O,KAAK6O,MAAQ4/C,EAAAA,GAASC,QACpB1uD,KAAK4zB,aAAa/kB,OAAS7O,KAAK6O,OAChCojD,YAEN,EAKAvhD,IAAAA,CAAK8B,GACCxS,KAAKg1B,oBACPh1B,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB7S,KAAK6O,MAE3D,EAKA6kB,YAAAA,CAAa7N,GACX7lB,KAAK6O,MAAQgX,GAAO3kB,QAAQ2N,OAASgX,EAEjC7lB,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,MAExD,IC/DJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDtQ,EAAAA,EAAAA,aAyBe8V,EAAA,CAxBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAgBM,EAhBN1X,EAAAA,EAAAA,oBAgBM,MAhBNQ,EAgBM,EAfJR,EAAAA,EAAAA,oBAcE,SAbAI,KAAK,OACLH,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,gDAME7I,EAAAs6B,eALRltB,IAAI,iBACHkD,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACZnX,KAAMf,EAAAqH,MAAMtG,KACZgQ,MAAO/Q,EAAA+Q,MAEPC,SAAUhR,EAAA83B,oBACV5hB,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,IACRy2C,IAAK5/C,EAAA81B,aAAa8pB,IAClBE,IAAK9/C,EAAA81B,aAAagqB,IAClBsW,KAAMp2D,EAAA81B,aAAasgC,M,mFCjB8C,CAAC,SAAS,kB,qFCG3En3D,MAAM,qB,gEAiBHA,MAAM,Q,yDAcpB,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCn4D,KAAMA,KAAA,CACJoyD,cAAe,KAGjB3tD,QAAS,CAIPyyB,eAAAA,GACE,IAAK72B,IAAMuD,KAAK4zB,aAAa/kB,OAAQ,CACnC,IAAIqnD,EAAUzH,EAAAA,GAASC,QAAQ1uD,KAAK4zB,aAAa/kB,OAAS7O,KAAK6O,MAAO,CACpEskD,KAAM72D,KAAKoX,OAAO,cAGpB1T,KAAK6O,MAAQqnD,EAAQ5pD,WAErB4pD,EAAUA,EAAQlH,QAAQhvD,KAAKkjB,UAE/BljB,KAAKwuD,cAAgB,CACnB0H,EAAQjE,YACRiE,EAAQnD,SAAS/yD,KAAKm2D,aACtBvrC,KAAK,IACT,CACF,EAKAla,IAAAA,CAAK8B,GAGH,GAFAxS,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB7S,KAAK6O,OAAS,IAE5D7O,KAAKg1B,qBAAsB/Y,EAAAA,EAAAA,GAAOjc,KAAK6O,OAAQ,CACjD,IAAIqnD,EAAUzH,EAAAA,GAASC,QAAQ1uD,KAAK6O,MAAO,CAAEskD,KAAMnzD,KAAKkjB,WAExDljB,KAAKwuD,cAAgB,CACnB0H,EAAQjE,YACRiE,EAAQnD,SAAS/yD,KAAKm2D,aACtBvrC,KAAK,IACT,CACF,EAKA8I,YAAAA,CAAa7N,GACX,IAAIhX,EAAQgX,GAAO3kB,QAAQ2N,OAASgX,EAEpC,IAAI5J,EAAAA,EAAAA,GAAOpN,GAAQ,CACjB,IAAIqnD,EAAUzH,EAAAA,GAASC,QAAQ7/C,EAAO,CAAEskD,KAAMnzD,KAAKkjB,WAEnDljB,KAAK6O,MAAQqnD,EAAQlH,QAAQ1yD,KAAKoX,OAAO,aAAapH,UACxD,MACEtM,KAAK6O,MAAQ7O,KAAKqzB,oBAGhBrzB,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,MAExD,GAGFhK,SAAU,CACRsxD,UAAAA,GACE,OAAOn2D,KAAK4zB,aAAasgC,KAAO,IAAO,EAAI,QAAU,UACvD,EAEAhxC,SAAQA,IACC5mB,KAAKoX,OAAO,iBAAmBpX,KAAKoX,OAAO,cCxGxD,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDnV,EAAAA,EAAAA,aA6Be8V,EAAA,CA5BZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAoBM,EApBN1X,EAAAA,EAAAA,oBAoBM,MApBNQ,EAoBM,EAnBJR,EAAAA,EAAAA,oBAcE,SAbAI,KAAK,iBACLH,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,gDAME7I,EAAAs6B,eALRltB,IAAI,iBACHkD,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACZnX,KAAMf,EAAAqH,MAAMtG,KACZgQ,MAAO/Q,EAAA0wD,cAEP1/C,SAAUhR,EAAA83B,oBACV5hB,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA4sB,cAAA5sB,EAAA4sB,gBAAAzsB,IACRy2C,IAAK5/C,EAAA81B,aAAa8pB,IAClBE,IAAK9/C,EAAA81B,aAAagqB,IAClBsW,KAAMp2D,EAAA81B,aAAasgC,M,YAGtBp3D,EAAAA,EAAAA,oBAEO,OAFPW,GAEOmB,EAAAA,EAAAA,iBADFkI,EAAAoc,UAAQ,Q,mECrBuD,CAAC,SAAS,sB,+wBCmBtF,SACEpkB,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElC1vD,SAAU,CACR0tD,eAAAA,GACE,O,+VAAAzxD,CAAA,CAIE5D,KAAM8C,KAAK4zB,aAAa12B,MAAQ,QAChC22D,QAAS7zD,KAAK4zB,aAAaigC,QAC3B9/B,YAAa/zB,KAAK4zB,aAAaG,aAAe/zB,KAAKmF,MAAMtG,KACzD9B,MAAOiD,KAAKo4B,cACTp4B,KAAK4zB,aAAa2+B,gBAEzB,IClCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDh0D,EAAAA,EAAAA,aAiBe8V,EAAA,CAhBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAQE,EARF1X,EAAAA,EAAAA,oBAQE,SARFyjC,EAAAA,EAAAA,YACUz5B,EAORyrD,gBAPuB,CACvBx1D,MAAM,uDACL4X,QAAK3N,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAA41B,cAAA51B,EAAA41B,gBAAAzsB,IACP4H,MAAO/Q,EAAA+Q,MACPT,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACZlH,SAAUhR,EAAA83B,sB,iFCVyD,CAAC,SAAS,mB,qFCK3E74B,MAAM,a,SAGPA,MAAM,oC,6CA0ChB,SAASq5D,EAAW9+B,GAClB,MAAO,CACLz4B,KAAMy4B,EAAKz4B,KACXw3D,UAAW/+B,EAAKz4B,KAAK6Z,MAAM,KAAKC,MAChCzb,KAAMo6B,EAAKp6B,KACX4rC,aAAcxR,EACdg/B,OAAO,EACP9tB,YAAY,EACZC,SAAU,EAEd,CAEA,SACE3Y,MAAO,CAAC,sBAAuB,uBAAwB,gBAEvDhxB,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCv8B,OAAQ,CAAC,cAETu+B,OAAQ,CAAC,gBAETn6D,KAAMA,KAAA,CACJo6D,YAAa,KACbl/B,KAAM,KACNm/B,iBAAiB,EACjBC,SAAS,EACTzoC,SAAS,EACT0oC,aAAc,IAAI3qD,EAAAA,GAClB4qD,UAAW,CACTxvD,IAAK,GACLyvD,KAAM,GACNC,SAAU,GACVT,UAAW,IAEbU,eAAgB,EAChBxoC,aAAa,EAEbyoC,kBAAkB,IAGpB,aAAM9qD,GACJlM,KAAKi3D,sBAELj3D,KAAKmF,MAAMuL,KAAO8B,IAChB,IAAIwD,EAAYhW,KAAK6S,eAEjB7S,KAAKs3B,OAASt3B,KAAKuvD,cACrB/8C,EAASC,OAAOuD,EAAWhW,KAAKs3B,KAAKwR,aAAc9oC,KAAKs3B,KAAKz4B,MAG3DmB,KAAKs3B,MAAQt3B,KAAKuvD,eACpB/8C,EAASC,OAAOuD,EAAWhW,KAAKs3B,KAAKz4B,MAErCmB,KAAKk3D,qBAAqB1kD,EAAUwD,GACtC,CAEJ,EAEAnV,QAAS,CACPo2D,mBAAAA,GACMj3D,KAAKmvD,UAAYnvD,KAAKovD,UACxBpvD,KAAKm3D,oBAGHn3D,KAAKmvD,WAAanvD,KAAKovD,WACzBpvD,KAAKw2D,YAAcJ,EAAW,CAC5Bv3D,KAAMmB,KAAK4zB,aAAa/kB,MACxB3R,KAAM8C,KAAK4zB,aAAa/kB,MAAM6J,MAAM,KAAKC,QAG/C,EAEA,uBAAMw+C,GACJ,IAAIt7D,QAAiBm7B,MAAMh3B,KAAKovD,UAC5BhzD,QAAaP,EAASu7D,OAE1Bp3D,KAAKw2D,YAAcJ,EACjB,IAAIiB,KAAK,CAACj7D,GAAO4D,KAAK4zB,aAAa/kB,MAAO,CAAE3R,KAAMd,EAAKc,OAE3D,EAEAk8C,gBAAAA,CAAiBke,GACft3D,KAAKs3B,KAAO8+B,EAAWkB,EAAS,IAE5Bt3D,KAAKuvD,eACPvvD,KAAKs3B,KAAKg/B,OAAQ,EAClBt2D,KAAKu3D,mBAET,EAEAA,gBAAAA,GACEv3D,KAAKs3B,KAAKkR,YAAa,EACvBxoC,KAAKzD,MAAM,uBAEXi7D,IAAAA,MAAYx3D,KAAKs3B,KAAKwR,aAAc,CAClCL,SAAUA,IACRzoC,KAAKs3B,KAAKmR,SAAW7wB,KAAK4kC,MAAiB,IAAX/T,EAAe,IAGhDtmC,MAAKtG,IACJmE,KAAK42D,UAAUxvD,IAAMvL,EAASuL,IAC9BpH,KAAK42D,UAAUC,KAAOh7D,EAASg7D,KAC/B72D,KAAK42D,UAAUE,SAAW92D,KAAKs3B,KAAKz4B,KACpCmB,KAAK42D,UAAUP,UAAYr2D,KAAKs3B,KAAK++B,UACrCr2D,KAAKs3B,KAAKkR,YAAa,EACvBxoC,KAAKs3B,KAAKmR,SAAW,IACrBzoC,KAAKzD,MAAM,uBAAuB,IAEnCmG,OAAM3G,IACyB,MAA1BA,EAAMF,SAASM,QACjBG,KAAKP,MACHiE,KAAK5B,GAAG,yDAEZ,GAEN,EAEAq5D,cAAAA,GACEz3D,KAAKy2D,iBAAkB,CACzB,EAEAiB,gBAAAA,GACE13D,KAAKy2D,iBAAkB,CACzB,EAEA9iC,YAAAA,GACE3zB,KAAK23D,oBACP,EAEA,wBAAMA,GAEJ,UACQ33D,KAAK8W,WAAW9W,KAAK6S,gBAC3B7S,KAAKzD,MAAM,gBACXyD,KAAKiuB,SAAU,EACfjuB,KAAKs3B,KAAO,KACZh7B,KAAKmV,QAAQzR,KAAK5B,GAAG,yBACvB,CAAE,MAAOrC,GACwB,MAA3BA,EAAMF,UAAUM,SAClB6D,KAAK22D,aAAe,IAAI3qD,EAAAA,GAAOjQ,EAAMF,SAASO,KAAKkY,QAEvD,CAAE,QACAtU,KAAK03D,kBACP,CACF,EAEAR,oBAAAA,CAAqB1kD,EAAUwD,GAC7B,MAAM4hD,EACJplD,aAAoBqc,EAAAA,EAChBrc,EAASyc,KAAKjZ,GACdA,EAEA6hD,EACJrlD,aAAoBqc,EAAAA,EAAiBrc,EAASA,SAAWA,EAE3DqlD,EAAcplD,OACX,aAAYmlD,UACb53D,KAAK42D,UAAUxvD,KAEjBywD,EAAcplD,OACX,aAAYmlD,WACb53D,KAAK42D,UAAUC,MAEjBgB,EAAcplD,OACX,aAAYmlD,eACb53D,KAAK42D,UAAUE,UAEjBe,EAAcplD,OACX,aAAYmlD,gBACb53D,KAAK42D,UAAUP,UAEnB,GAGFxxD,SAAU,CACR2pB,KAAAA,GACE,OAAOxuB,KAAKs3B,KAAO,CAACt3B,KAAKs3B,MAAQ,EACnC,EAKAe,QAAAA,GACE,OAAOr4B,KAAK22D,aAAa5gD,IAAI/V,KAAK6S,eACpC,EAKA2lB,UAAAA,GACE,GAAIx4B,KAAKq4B,SACP,OAAOr4B,KAAK22D,aAAa1lD,MAAMjR,KAAK6S,eAExC,EAKAilD,MAAAA,GACE,OAAO93D,KAAKggC,QACd,EAKAA,QAAAA,GACE,IAAInhC,EAAOmB,KAAKqB,aAMhB,OAJIrB,KAAKuP,sBACP1Q,GAAQ,IAAMmB,KAAKuP,qBAGb,QAAO1Q,KAAQmB,KAAK6S,gBAC9B,EAKAs8C,QAAAA,GACE,OACEzvD,QAAQM,KAAKmF,MAAM0J,OAAS7O,KAAKovD,YAChC1vD,QAAQM,KAAKiuB,WACbvuB,QAAQM,KAAK02D,QAElB,EAKArH,gBAAAA,GACE,OAAQ3vD,QAAQM,KAAKiuB,UAAYvuB,QAAQM,KAAKovD,SAChD,EAKA2I,eAAAA,GACE,OAAOr4D,SAASM,KAAK41B,oBACvB,EAKAoiC,sBAAAA,GACE,OAAOt4D,QAAQM,KAAK4zB,aAAaqkC,YAAcj4D,KAAK41B,oBACtD,EAKAw5B,QAAAA,GACE,OAAOpvD,KAAK4zB,aAAa+U,YAAc3oC,KAAK4zB,aAAa07B,YAC3D,EAKAC,YAAAA,GACE,MAAuC,qBAAhCvvD,KAAK4zB,aAAa3mB,SAC3B,ICrTJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sODJzD1O,EAAAA,EAAAA,aA6Ce8V,EAAA,CA5CZlP,MAAOrH,EAAA81B,aACP,YAAW9sB,EAAAk5B,SACX1rB,OAAQxW,EAAAwW,OACR,kBAAiBxW,EAAAm2B,YAAcn2B,EAAAsxB,aAC/B,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UAEd,IAkCM,EAlCN1X,EAAAA,EAAAA,oBAkCM,MAlCNQ,EAkCM,CAhCIwJ,EAAAqoD,UAAYrxD,EAAA04D,aAAgC,IAAjB1vD,EAAA0nB,MAAM5nB,SAAM,kBAD/CvJ,EAAAA,EAAAA,oBAYM,MAZNsB,EAYM,CAPIb,EAAA04D,cAAW,kBADnBj4D,EAAAA,EAAAA,aAOE25D,EAAA,C,MALC5gC,KAAMx5B,EAAA04D,YACN2B,UAAWrxD,EAAAkxD,uBACXI,UAAStxD,EAAA2wD,eACT/3B,QAAS5hC,EAAAqH,MAAMu6B,QACfniC,KAAI,GAAKO,EAAAqH,MAAM6Q,yB,+HAKpBtY,EAAAA,EAAAA,aAIE26D,EAAA,CAHChiD,KAAMvY,EAAA24D,gBACNzuB,UAASlhC,EAAA6wD,mBACT5vB,QAAOjhC,EAAA4wD,kB,uCAKF5wD,EAAAixD,kBAAe,kBADvBx5D,EAAAA,EAAAA,aAUE+5D,EAAA,C,MARC9pC,MAAO1nB,EAAA0nB,MACP+pC,cAAczxD,EAAAsyC,iBACdof,cAAYxxD,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAw5B,KAAO,MACrBoI,QAAS5hC,EAAAqH,MAAMu6B,QACf,iBAAgB5hC,EAAAqH,MAAMszD,cACtB3pD,SAAUhR,EAAAw5B,MAAMkR,WAChBjrC,KAAI,GAAKO,EAAAqH,MAAM6Q,wBACf,aAAYlY,EAAAqH,MAAM6Q,W,iNCrC+C,CAAC,SAAS,kB,yFCoBpEjZ,MAAM,uD,cAORA,MAAM,0B,GAGNA,MAAM,0B,qlCAuBtB,SACE+yB,MAAO,CACL,gBACA,qCACA,sBACA,wBAGFhxB,OAAQ,CAACqmC,EAAAA,GAAyB/Q,EAAAA,IAElCvd,OAAAA,GACE,MAAO,CACLC,WAAY9W,KAAK8W,WAErB,EAEA7Z,MAAK6D,EAAAA,EAAA,IACA+K,EAAAA,EAAAA,IAAS,CACV,eACA,aACA,cACA,gBACA,qBACA,IAEF1G,MAAO,CACLjI,KAAMuS,QAGRwE,aAAc,CACZ/W,KAAMC,QAGRmX,OAAQ,CACNpX,KAAMuS,OACNH,UAAU,KAIdlT,IAAAA,GACE,MAAO,CACLmF,SAAS,EACTm3D,UAAmC,OAAxB14D,KAAKmF,MAAM0qD,WAA6C,IAAxB7vD,KAAKmF,MAAMmK,SACtDO,OAAQ,GAEZ,EAKA3D,OAAAA,GACElM,KAAKmM,qBACP,EAEAtL,QAAS,CACPsL,mBAAAA,GACEnM,KAAK4jC,YAEL5jC,KAAKmF,MAAMuL,KAAO1Q,KAAK0Q,IACzB,EAEAoG,UAAAA,CAAWd,GACT,MAAM,aAAE3U,EAAY,WAAEgL,GAAerM,KAErC1D,KAAKsF,UAAUyV,OACZ,aAAYhW,KAAgBgL,WAAoB2J,IAErD,EAEAtF,IAAAA,CAAK8B,GACCxS,KAAK04D,WAAa14D,KAAKyzB,WACzBnhB,IAAI,IAAIuc,EAAAA,EAAe7uB,KAAK6S,eAAgBL,IAAW+U,IACrD9W,IAAKzQ,KAAK24D,iBAAiBxzD,IACzBA,EAAMuL,KAAK6W,EAAK,GAChB,GAGR,EAKA,eAAMqc,GACJ5jC,KAAKuB,SAAU,EAEfvB,KAAK8L,OAAS,GACd9L,KAAK6P,OAAS,GAEd,MACEzT,MAAM,MAAEsC,EAAK,OAAEoN,EAAM,OAAE+D,UACfvT,KAAKsF,UACZC,IAAI7B,KAAK44D,kBAAmB,CAC3B92D,OAAQ,CACN2K,SAAS,EACTC,SAAU1M,KAAK0M,SACf9J,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBH,iBAAkB3C,KAAKmF,MAAMxC,oBAGhCD,OAAM3G,IACD,CAAC,IAAK,KAAK4zB,SAAS5zB,EAAMF,SAASM,SACrCG,KAAKP,MAAMiE,KAAK5B,GAAG,8CACrB,IAGJ4B,KAAK6P,OAASuN,IAAIvN,GAAQ1K,IAEtBA,EAAM9D,eAAiBrB,KAAKmF,MAAMqlB,KAAK5nB,aACZ,cAA3BuC,EAAMxC,kBACa,WAAlB3C,KAAK0M,UACJvH,EAAMuoD,YAAYphD,aAChBtM,KAAKmF,MAAMqlB,KAAK3nB,cAAcyJ,WAKP,YAA3BnH,EAAMxC,mBACa,WAAlB3C,KAAK0M,UACHvH,EAAM9D,eAAiBrB,KAAKmF,MAAMqlB,KAAK5nB,aACtCuC,EAAMsrD,UAAUnkD,aACdtM,KAAKmF,MAAMqlB,KAAK3nB,cAAcyJ,cAEpCnH,EAAM6uB,SAAU,EAChB7uB,EAAMuL,KAAO,SAVbvL,EAAM6uB,SAAU,EAChB7uB,EAAMuL,KAAO,QAYfvL,EAAMmzB,cAAiB,GAAEt4B,KAAK6S,kBAAkB1N,EAAMmzB,gBAE/CnzB,KAGTnF,KAAKuB,SAAU,EAEfjF,KAAKC,MAAM,kBAAmB,CAC5B8E,aAAcrB,KAAKqB,aACnBgL,WAAYrM,KAAKqM,WAAarM,KAAKqM,WAAWC,WAAa,KAC3DlI,KAAMpE,KAAK0M,UAEf,EAEAmsD,YAAAA,GACE74D,KAAK04D,WAAY,CACnB,EAEAI,iBAAAA,GACE94D,KAAKzD,MAAM,qCACb,GAGFsI,SAAU,CACR8zD,eAAAA,GACE,OAAOz8D,IAAO8D,KAAK6P,QAAQ1K,GAEtB,CAAC,sBAAsBwqB,SAASxqB,EAAM8H,YACrC,CAAC,SAAU,YAAY0iB,SACrBxqB,EAAM0K,OAAO,GAAGlN,mBAEpBwC,EAAM+uB,UAGZ,EAEA0kC,iBAAAA,GACE,MAAsB,WAAlB54D,KAAK0M,SACC,aAAY1M,KAAKqB,gBAAgBrB,KAAKqM,2BAGxC,aAAYrM,KAAKqB,8BAC3B,EAEAqL,QAAAA,GACE,OAA+B,OAAxB1M,KAAKmF,MAAM0qD,SAAoB,SAAW,QACnD,ICnOJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8HDJzDtxD,EAAAA,EAAAA,aAwCO0J,EAAA,M,uBAvCL,IAsCc,EAtCdvK,EAAAA,EAAAA,aAsCc2I,EAAA,CAtCA9E,QAASw3D,EAAAx3D,SAAO,C,uBAC5B,IAqBW,CArBKw3D,EAAAL,YAAS,oBACvBr7D,EAAAA,EAAAA,oBAmBE8J,EAAAA,SAAA,CAAAC,IAAA,IAAA8G,EAAAA,EAAAA,YAlByBpH,EAAA6xD,iBAAe,CAAhCxzD,EAAO8yB,M,kBADjB15B,EAAAA,EAAAA,cAmBE4P,EAAAA,EAAAA,yBAAA,QAfahJ,EAAM8H,aAAS,CAF3BgrB,MAAOA,EACP7wB,IAAK6wB,EAEL3jB,OAAQ9W,EAAA8W,OACR,cAAaxW,EAAAuO,WACb,gBAAevO,EAAAuD,aACf8D,MAAOA,EACP,eAAcrH,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,gCAA8B,EAC9B,iBAAgBtF,EAAAyW,aAChB4wB,eAAa79B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,kBACrBy8D,cAAclyD,EAAAgyD,kBACdh0B,oBAAmB99B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,wBAC3BwoC,qBAAoB/9B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,yBAC5B,iBAAgBuB,EAAAsxB,c,qMAGrB/xB,EAAAA,EAAAA,oBAcM,MAdNC,EAcM,EAbJR,EAAAA,EAAAA,oBAYS,UAXPC,MAAM,yTACLQ,KAAI,UAAYC,EAAA2H,MAAM6Q,4BACtBjP,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAA+xD,cAAA/xD,EAAA+xD,gBAAA5xD,IAAY,cAC5B/J,KAAK,U,EAELJ,EAAAA,EAAAA,oBAEO,OAFPW,GAEOmB,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,mBAAoB,CAArBuF,SAAiCnG,EAAA2H,MAAM6I,iBAAa,IAE3DlR,EAAAA,EAAAA,oBAEO,OAFPc,GAEOgB,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,WAAD,e,+BC/B2D,CAAC,SAAS,oB,kGCYtF,SACEU,OAAQ,C,SAACy1D,IAETt3D,MAAO,CACLg7B,MAAO,CAAE/6B,KAAMoyB,QACfjuB,aAAc,CAAEnE,KAAMC,OAAQykB,SAAS,GACvCzc,MAAO,CAAEjI,KAAMuS,OAAQmS,SAAS,IAGlC/gB,QAAS,CAIP2yB,aAAAA,CAAchhB,EAAUwD,EAAWnH,GACjC,GAIJhK,SAAU,CACR6sC,QAASA,IAAM,CACb,4BACA,iBACA,SACA,OACA,QAGF/X,mBAAAA,GACE,OAAO35B,KAAK4zB,aAAagG,SAAU,CACrC,ICzCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gHDJrC97B,EAAA81B,aAAaI,UAAO,kBAAxCz1B,EAAAA,EAAAA,aAUe06D,EAAA,CAAA7xD,IAAA,I,uBARb,IAIE,CAHMN,EAAA6yB,sBAAmB,kBAD3Bt8B,EAAAA,EAAAA,oBAIE,O,MAFAwJ,UAAQ/I,EAAA81B,aAAa/kB,MACpB9R,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA4qC,U,gCAEVr0C,EAAAA,EAAAA,oBAEM,O,MAFON,OAAK4J,EAAAA,EAAAA,gBAAEG,EAAA4qC,U,EAClBh0C,EAAAA,EAAAA,aAAsD+I,EAAA,CAA5CC,MAAO,GAAC,C,uBAAE,IAAwB,6CAArB5I,EAAA81B,aAAa/kB,OAAK,M,uDCJ6B,CAAC,SAAS,qB,gICItF,SACE/P,OAAQ,CAACy1D,EAAAA,GAAoBpvB,EAAAA,KCL/B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzD9nC,EAAAA,EAAAA,oBAEM,OAFDN,MAAM,SAAUuX,OAAQxW,EAAAwW,Q,EAC3BxX,EAAAA,EAAAA,oBAA8D,SAAtDS,KAAMO,EAAAqH,MAAM6Q,UAAW9Y,KAAK,SAAU2R,MAAO/Q,EAAA+Q,O,kBCGmB,CAAC,SAAS,oB,qFCczE9R,MAAM,6D,GAeRA,MAAM,oC,8HA8BjB,SAASm8D,IACP,IAAIC,EAAK,WACP,OAA+B,OAArB,EAAIvhD,KAAKwhD,UAAuB,GAAG9sD,SAAS,IAAI+sD,UAAU,EACtE,EACA,OACEF,IACAA,IACA,IACAA,IACA,IACAA,IACA,IACAA,IACA,IACAA,IACAA,IACAA,GAEJ,CAEA,SACEr6D,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCl2D,WAAY,CACV2Q,OAAAA,EAAAA,GAGF5S,KAAMA,KAAA,CAAS4zD,QAAS,KAExB9jD,OAAAA,GACE,KAAKotD,sBACP,EAEAz4D,QAAS,CAIPy4D,oBAAAA,GACE,KAAKtJ,QAAU5yC,IAAI3N,OAAOoM,QAAQ,KAAKhN,OAAS,CAAC,IAAI,EAAEzH,EAAKyH,MAAM,CAChET,GAAI8qD,IACJ9xD,IAAM,GAAEA,IACRyH,YAG0B,IAAxB,KAAKmhD,QAAQppD,QACf,KAAK2yD,QAET,EAMA7oD,IAAAA,CAAK8B,GACH,KAAKghB,cACHhhB,EACA,KAAKK,eACL8K,KAAKC,UAAU,KAAKi4C,cAExB,EAKA0D,MAAAA,GACE,OAAOjnD,IAAI4mD,KAAQ9qD,IACjB,KAAK4hD,QAAU,IAAI,KAAKA,QAAS,CAAE5hD,KAAIhH,IAAK,GAAIyH,MAAO,KAChDT,IAEX,EAKAorD,eAAAA,GACE,OAAO,KAAKC,UAAU,KAAKF,SAC7B,EAKAG,SAAAA,CAAUtrD,GACR,OAAOkE,IACL8gC,IAAU,KAAK4c,SAAS7P,GAAOA,EAAI/xC,KAAOA,KAC1C6pB,GAAS,KAAK+3B,QAAQxzB,OAAOvE,EAAO,IAExC,EAKAwhC,SAAAA,CAAUE,GACR,OAAO,KAAKl4D,WAAU,KACpB,KAAKq/B,MAAM64B,GAAO,GAAGC,qBAAoB,GAE7C,EAEAnkC,aAAAA,GACE,KAAK6jC,sBACP,GAGFz0D,SAAU,CAIRgxD,YAAAA,GACE,OAAOvrC,IACLpuB,IACEkhB,IAAI,KAAK4yC,SAAS7P,GAChBA,GAAOA,EAAI/4C,IAAM,CAAC+4C,EAAI/4C,IAAK+4C,EAAItxC,YAAS6Y,KAE1Cy4B,QAAez4B,IAARy4B,IAGb,IC9KJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2QDJzD5hD,EAAAA,EAAAA,aAAA8V,EAAA,CACGlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,qBAA2BxW,EAAA+1B,kBAAgB,yBAA8BlE,SAAS7xB,EAAAsG,MAGlF,iBAAgBtG,EAAAsxB,c,CAENjqB,OAAKqP,EAAAA,EAAAA,UACd,IAsBoB,EAtBpB9W,EAAAA,EAAAA,aAsBoBuyD,EAAA,CArBjB,aAAYnyD,EAAA83B,oBACZ,iBAAgB93B,EAAA81B,aAAaimC,c,wBAE9B,IAGE,EAHFn8D,EAAAA,EAAAA,aAGEwyD,EAAA,CAFC,YAAWpyD,EAAA81B,aAAau8B,SACxB,cAAaryD,EAAA81B,aAAaw8B,Y,qCAG7BtzD,EAAAA,EAAAA,oBAYM,MAZNQ,EAYM,uBAXJD,EAAAA,EAAAA,oBAUE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YATwBpQ,EAAAkyD,SAAO,CAAvBj5B,EAAMkB,M,kBADhB15B,EAAAA,EAAAA,aAUE8xD,EAAA,CARCp4B,MAAOA,EACP6hC,YAAYhzD,EAAA4yD,UACZ3iC,KAAWA,EACX3vB,IAAK2vB,EAAK3oB,G,WACVlD,IAAK6rB,EAAK3oB,GACV,YAAWtQ,EAAA83B,oBACX,iBAAgB93B,EAAA81B,aAAammC,aAC7B,iBAAgBj8D,EAAA81B,aAAaimC,c,2IAKpC/8D,EAAAA,EAAAA,oBAgBM,MAhBN6B,EAgBM,CAdkBb,EAAA83B,qBAAoC93B,EAAA81B,aAAammC,eAA4Bj8D,EAAA81B,aAAaomC,W,iCAAS,kBADzHz7D,EAAAA,EAAAA,aAcSqY,EAAA,C,MANN7P,QAAOD,EAAA0yD,gBACPj8D,KAAI,GAAKO,EAAAqH,MAAM6Q,0BAChB,eAAa,cACb5L,QAAQ,Q,wBAER,IAA6B,6CAA1BtM,EAAA81B,aAAamxB,YAAU,M,oGC3CwC,CAAC,SAAS,sB,qFCHlFhoD,MAAM,gG,GAGJA,MAAM,mF,GAMNA,MAAM,sIAQZ,SACEE,MAAO,CACLkzD,SAAU,CACRjzD,KAAMC,QAERizD,WAAY,CACVlzD,KAAMC,UCpBZ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDE,EAAAA,EAAAA,oBAcM,MAdNC,EAcM,EAXJR,EAAAA,EAAAA,oBAIM,MAJN6B,GAIMC,EAAAA,EAAAA,iBADDpB,EAAA2yD,UAAQ,IAGbrzD,EAAAA,EAAAA,oBAIM,MAJNW,GAIMmB,EAAAA,EAAAA,iBADDpB,EAAA4yD,YAAU,I,GCRyD,CAAC,SAAS,uB,2FCJ5DrzD,MAAM,oC,GAE1BA,MAAM,iF,2EA4DNA,MAAM,wD,wBAoBZ,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR8gB,MAAO,CAAC,cAER7yB,MAAO,CACLg7B,MAAO3I,OACPyH,KAAMtnB,OACNX,SAAU,CACR5R,KAAMwC,QACNtC,SAAS,GAEX21C,SAAU,CACR71C,KAAMwC,QACNtC,SAAS,GAEX68D,aAAc,CACZ/8D,KAAMwC,QACNtC,SAAS,GAEXy8D,aAAc,CACZ38D,KAAMwC,QACNtC,SAAS,IAIb8O,OAAAA,GACEguD,IAASl6D,KAAK8gC,MAAMq5B,UACpBD,IAASl6D,KAAK8gC,MAAMs5B,WACtB,EAEAv5D,QAAS,CACP+4D,mBAAAA,GACE55D,KAAK8gC,MAAMq5B,SAASzpC,QACtB,EAEA2pC,qBAAAA,GACEr6D,KAAK8gC,MAAMs5B,WAAW1pC,QACxB,GAGF7rB,SAAU,CACRy1D,WAAAA,GACE,QAASt6D,KAAK+2B,KAAKloB,iBAAiBY,OACtC,EACAunC,UAAAA,GACE,OAAQh3C,KAAK+yC,WAAa/yC,KAAK8O,QACjC,IC/HJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sEDJ9ChI,EAAAwzD,cAAW,kBAAtBj9D,EAAAA,EAAAA,oBA2EM,MA3ENC,EA2EM,EA1EJR,EAAAA,EAAAA,oBAyDM,MAzDN6B,EAyDM,EAtDJ7B,EAAAA,EAAAA,oBA0BM,OAzBJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,6BAA4B,CACdnJ,EAAAy8D,eAAiBnzD,EAAAkwC,WAAU,8D,uBAM/Cl6C,EAAAA,EAAAA,oBAiBE,YAhBAy9D,KAAK,IACJh9D,KAAI,iBAAmBC,EAAAy6B,Q,qCACfz6B,EAAAu5B,KAAK3vB,IAAGI,GAChB4pC,QAAKpqC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA8yD,qBAAA9yD,EAAA8yD,uBAAA3yD,IACRiE,IAAI,WACJhO,KAAK,OACLH,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,wIAAuI,C,mEAIrCG,EAAAkwC,YAAcx5C,EAAAy8D,a,qEAA8GnzD,EAAAkwC,aAAex5C,EAAAy8D,gBAHlP/lC,UAAWptB,EAAAkwC,YAAcx5C,EAAAy8D,aACzB/7D,UAAW4I,EAAAkwC,YAAcx5C,EAAAy8D,cAAgB,EAAI,EAC9CrwC,MAAA,kC,0BAPSpsB,EAAAu5B,KAAK3vB,QAAG,IAiBrBtK,EAAAA,EAAAA,oBAyBM,OAxBHiK,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAuzD,uBAAAvzD,EAAAuzD,yBAAApzD,IACRlK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,0DAAyD,CAC3CnJ,EAAAy8D,eAAiBnzD,EAAAkwC,WAAU,8D,uBAM/Cl6C,EAAAA,EAAAA,oBAeE,YAdAy9D,KAAK,IACJh9D,KAAI,mBAAqBC,EAAAy6B,Q,qCACjBz6B,EAAAu5B,KAAKloB,MAAKrH,GAClB4pC,QAAKpqC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAuzD,uBAAAvzD,EAAAuzD,yBAAApzD,IACRiE,IAAI,aACJhO,KAAK,OACLH,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,8DAA6D,C,gDAGIG,EAAAkwC,W,oHAA2JlwC,EAAAkwC,cAFjO9iB,UAAWptB,EAAAkwC,WACX94C,SAAW4I,EAAAkwC,WAAkB,GAAJ,G,0BANjBx5C,EAAAu5B,KAAKloB,UAAK,KAiBjB/H,EAAAkwC,YAAcx5C,EAAAq8D,eAAY,kBADlCx8D,EAAAA,EAAAA,oBAcM,MAdNkR,EAcM,EAVJ7Q,EAAAA,EAAAA,aASEkZ,EAAA,CARC7P,QAAKC,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,aAAciB,EAAAu5B,KAAK3oB,KAChC7Q,KAAI,oBAAsBC,EAAAy6B,QAC3B7tB,QAAQ,OACRwO,MAAM,SACN1b,KAAK,SACLgB,SAAS,IACRQ,MAAOZ,EAAAM,GAAG,UACXypC,KAAK,gB,iGCpE+D,CAAC,SAAS,qB,4ECKtF,SACE5qC,MAAO,CACLu9D,iBAAkB,CAChBt9D,KAAMwC,QACNtC,SAAS,GAEXsP,SAAU,CACRxP,KAAMwC,QACNtC,SAAS,KCbf,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDC,EAAAA,EAAAA,oBAKM,OAJJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,oHAAmH,SACtGnJ,EAAAkP,UAAYlP,EAAAg9D,qB,EAE/B38D,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,c,GCAgE,CAAC,SAAS,sB,+GC2BtF,SACEe,OAAQ,CACNqmC,EAAAA,GACAs1B,EAAAA,GACAlG,EAAAA,IAGFt3D,OAAO4O,EAAAA,EAAAA,IAAS,CAAC,eAAgB,aAAc,SAE/CnL,aAAAA,GACEpE,KAAKsE,KAAKZ,KAAKkzB,6BAA8BlzB,KAAKuzB,qBACpD,EAEA1yB,QAAS,CACPirD,UAAAA,GACE9rD,KAAK8gC,MAAM45B,kBAAkB3lB,SAC3B/0C,KAAK6O,OAAS7O,KAAK4zB,aAAa/kB,OAGlCvS,KAAKiE,IAAIP,KAAKkzB,6BAA8BlzB,KAAKuzB,qBACnD,EAEA7iB,IAAAA,CAAK8B,GACHxS,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB7S,KAAK6O,OAAS,IAEhE7O,KAAK63B,sBAAsBrlB,EAC7B,EAEAkhB,YAAAA,CAAa7kB,GACX7O,KAAK6O,MAAQA,EAET7O,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,MAExD,EAEA4mB,aAAAA,GACMz1B,KAAKg1B,oBAAsBh1B,KAAK8gC,MAAM45B,oBACxC16D,KAAK8gC,MAAM45B,kBAAkB3lB,SAC3B/0C,KAAK4zB,aAAa/kB,OAAS7O,KAAK6O,OAElC7O,KAAK8gC,MAAM45B,kBAAkBjhB,UAC3B,WACAz5C,KAAK41B,qBAGX,EAEArC,oBAAAA,CAAqB1kB,GACf7O,KAAKg1B,oBACPh1B,KAAK8gC,MAAM45B,kBAAkB3lB,SAASlmC,GAGxC7O,KAAK0zB,aAAa7kB,EACpB,EAEA,yBAAM8rD,CAAoB9rD,GACxBvS,KAAKwU,UAAUC,QAEf,MACE3U,MAAM,QAAEw+D,UACAt+D,KAAKsF,UAAUuQ,KACtB,aAAYnS,KAAKqB,sBAAsBrB,KAAK6S,yBAC7C,CAAEhE,SACF,CACE/M,OAAQ,CACN2K,SAAS,EACTC,SAAUjQ,IAAMuD,KAAKqM,YAAc,SAAW,YAOpD,OAFA/P,KAAKwU,UAAUK,OAERypD,CACT,GAGF/1D,SAAU,CACR00C,SAAAA,GACE,IAAKv5C,KAAKm0B,gBACR,OAAOn0B,KAAK26D,mBAEhB,EAEAvkB,QAAAA,GACE,IAAKp2C,KAAKm0B,iBAAmBn0B,KAAKmF,MAAMgyB,UACtC,OAAOn3B,KAAKq3B,gBAEhB,ICpHJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yIDJzD94B,EAAAA,EAAAA,aAmBe8V,EAAA,CAlBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,qBAAoBxW,EAAA+1B,iBACpB,iBAAgB/1B,EAAAsxB,c,CAENjqB,OAAKqP,EAAAA,EAAAA,UACd,IAUE,uBAVF9W,EAAAA,EAAAA,aAUEm9D,EAAA,CATA3vD,IAAI,oBAEHnO,OAAK4J,EAAAA,EAAAA,gBAAA,+BAAmC7I,EAAAu6B,WACxCjqB,GAAItQ,EAAAqH,MAAM6Q,UACVujC,UAAWzyC,EAAAyyC,UACXnD,SAAUtvC,EAAAsvC,SACVliB,SAAUp2B,EAAA83B,oBACVklC,aAAYh0D,EAAAglD,WACZ93C,SAAQlN,EAAA4sB,c,6FAPD51B,EAAAk3B,yB,mECL4D,CAAC,SAAS,sB,qFCJ/Ej4B,MAAM,iD,SASuBA,MAAM,iB,6EA6BpBA,MAAM,sC,GAefA,MAAM,0B,SAqBsBA,MAAM,qB,SACGA,MAAM,Q,aAWrCA,MAAM,qB,SACiBA,MAAM,kB,aAO3BA,MAAM,a,0FC/F3B,SACEugC,uBAAAA,CAAwBj8B,EAAcwR,EAAgBoD,GACpD,QAAqByR,IAAjBrmB,GAAgDqmB,MAAlB7U,GAA0C6U,MAAXzR,EAC/D,MAAM,IAAI8kD,MAAM,gCAGlB,OAAOz+D,KAAKsF,UAAUC,IAAK,aAAYR,eAA0BwR,IAAkBoD,EACrF,EAEArF,uBAAuBoqD,GACd1+D,KAAKsF,UAAUC,IAAK,aAAYm5D,mB,0BD2K3C,SACEl8D,OAAQ,CACNy1D,EAAAA,GACApvB,EAAAA,GACA5lC,EAAAA,GACA4P,EAAAA,GACAC,EAAAA,IAGFhT,KAAMA,KAAA,CACJ4+D,aAAc,GACd/qD,kCAAkC,EAClCukD,yBAAyB,EACzBlyD,aAAa,EACbyN,mBAAoB,KACpBD,iBAAkB,KAClBzK,OAAQ,GACR2K,mBAAmB,EACnBkB,aAAa,IAMfhF,OAAAA,GACElM,KAAKmM,qBACP,EAEAtL,QAAS,CACPsL,mBAAAA,GACEnM,KAAK+P,mBAAqB/P,KAAKmF,MAAM0J,MAEjC7O,KAAKy0D,yBACPz0D,KAAKiQ,kCAAmC,EACxCjQ,KAAKg7D,aAAeh7D,KAAKmF,MAAMwrD,YAC/B3wD,KAAK+P,mBAAqB/P,KAAKmF,MAAMsrD,WAC5BzwD,KAAK00D,qBACd10D,KAAKiQ,kCAAmC,EACxCjQ,KAAKg7D,aAAeh7D,KAAK4C,YACzB5C,KAAK+P,mBAAqB/P,KAAK6C,eAG7B7C,KAAKqzD,+BACFrzD,KAAKg7D,cAAgBh7D,KAAKmF,MAAM81D,kBACnCj7D,KAAKg7D,aAAeh7D,KAAKmF,MAAM81D,iBAEjCj7D,KAAK6Q,wBAAwB1O,MAAK,IAAMnC,KAAK2S,2BAG3C3S,KAAKg7D,cACPh7D,KAAK4Q,yBAGP5Q,KAAKmF,MAAMuL,KAAO1Q,KAAK0Q,IACzB,EAKAwqD,6BAAAA,CAA8Bv3D,GACxB3D,KAAKmF,OACPnF,KAAK4S,qBACF,GAAE5S,KAAK6S,sBACR7S,KAAKg7D,cAITh7D,KAAK+U,eAAepR,EACtB,EAKA+O,+BAAAA,CAAgC7D,GAC9B7O,KAAK+P,mBAAqBlB,EAC1B7O,KAAK2S,wBAED3S,KAAKmF,QACPnF,KAAK4S,qBACF,GAAE5S,KAAK6S,sBACR7S,KAAKg7D,cAEPh7D,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK+P,oBAExD,EAKAW,IAAAA,CAAK8B,GACCxS,KAAK8P,kBAAoB9P,KAAKg7D,cAChCh7D,KAAKwzB,cACHhhB,EACAxS,KAAK6S,eACL7S,KAAK8P,iBAAiBjB,OAExB7O,KAAKwzB,cACHhhB,EACC,GAAExS,KAAK6S,sBACR7S,KAAKg7D,gBAGPh7D,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB,IAClD7S,KAAKwzB,cAAchhB,EAAW,GAAExS,KAAK6S,sBAAuB,KAG9D7S,KAAKwzB,cACHhhB,EACC,GAAExS,KAAK6S,yBACR7S,KAAKkR,YAET,EAKAL,qBAAAA,CAAsBxL,EAAS,IAG7B,OAFA/I,KAAKwU,UAAUC,QAERwiD,EACJj2B,wBAAwBt9B,KAAKqB,aAAcrB,KAAK6S,eAAgB,CAC/D/Q,OAAQ9B,KAAKszD,cAEdnxD,MAAK,EAAG/F,MAAQgG,YAAWE,cAAa4O,mBACvC5U,KAAKwU,UAAUK,QAEXnR,KAAKiQ,kCAAqCjQ,KAAKoR,eACjDpR,KAAKkR,YAAcA,GAGjBlR,KAAKoR,eACPpR,KAAKiQ,kCAAmC,GAE1CjQ,KAAKqR,mBAAqBjP,EAC1BpC,KAAKsC,YAAcA,CAAU,IAE9BI,OAAM1B,IACL1E,KAAKwU,UAAUK,MAAM,GAE3B,EAEAskB,aAAAA,GACMz1B,KAAKg7D,eAAiBh7D,KAAK4zB,aAAa+8B,aAC1C3wD,KAAKm7D,8BAA8Bn7D,KAAK4zB,aAAa+8B,YAEzD,EAKAh+C,qBAAAA,GACE3S,KAAK8P,iBAAmBgD,IACtB9S,KAAKqR,oBACL0B,GAAKA,EAAElE,OAAS7O,KAAK+P,oBAEzB,EAKAa,sBAAAA,GACE,OAAO2iD,EACJ3iD,uBAAuB5Q,KAAKg7D,cAC5B74D,MAAK,EAAG/F,MAAQkG,kBAAqBtC,KAAKsC,YAAcA,GAC7D,EAKA,mCAAM64D,CAA8Bt1C,GAClC7lB,KAAKg7D,aAAen1C,GAAO3kB,QAAQ2N,OAASgX,EAC5C7lB,KAAKqR,mBAAqB,GAC1BrR,KAAK8P,iBAAmB,GACxB9P,KAAK+P,mBAAqB,GAC1B/P,KAAKkR,aAAc,EAEnBlR,KAAKsC,aAAc,EACnBtC,KAAK4Q,0BAEA5Q,KAAKoR,cAAgBpR,KAAKg7D,cAC7Bh7D,KAAK6Q,wBAAwB1O,MAAK,KAChCnC,KAAK4S,qBACF,GAAE5S,KAAK6S,sBACR7S,KAAKg7D,cAEPh7D,KAAK4S,qBAAqB5S,KAAK6S,eAAgB,KAAK,GAG1D,EAKAG,iBAAAA,IAEOiJ,EAAAA,EAAAA,GAAOjc,KAAK8P,oBACf9P,KAAKkR,aAAelR,KAAKkR,YAGpBlR,KAAKoR,cACRpR,KAAK6Q,wBAGX,EAEAwC,iBAAAA,GACE/W,KAAKC,MAAM,gCACXyD,KAAKgQ,mBAAoB,CAC3B,EAEAoD,kBAAAA,GACEpT,KAAKgQ,mBAAoB,EACzB1T,KAAKC,MAAM,+BACb,EAEA4W,iBAAAA,EAAkB,GAAE/E,IAClBpO,KAAKoT,qBACLpT,KAAK+P,mBAAqB3B,EAC1BpO,KAAKw0D,yBAA0B,EAC/Bx0D,KAAKiQ,kCAAmC,EACxCjQ,KAAK6Q,wBAAwB1O,MAAK,KAChCnC,KAAK2S,wBAEL3S,KAAK4S,qBACF,GAAE5S,KAAK6S,sBACR7S,KAAKg7D,cAEPh7D,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK+P,mBAAmB,GAE3E,EAEAqlD,qBAAAA,CAAsB/vD,GAChBrF,KAAK20D,eACP30D,KAAK4U,cAAcvP,GAEnBrF,KAAKqF,OAASA,CAElB,EAEAiO,sBAAAA,GACEtT,KAAKmQ,iBAEDnQ,KAAK00D,qBAAuB10D,KAAKw0D,wBACnCx0D,KAAK8b,kBAAkB,CACrBlZ,YAAa,KACbC,cAAe,KACfC,gBAAiB,KACjBH,iBAAkB,OACjBR,MAAK,KACN7F,KAAKymB,QAAQm/B,OAAO,CAClBmT,UAAWA,KACTr1D,KAAKiQ,kCAAmC,EACxCjQ,KAAKmM,qBAAqB,GAE5B,KAGAnM,KAAKw0D,0BACPx0D,KAAKw0D,yBAA0B,EAC/Bx0D,KAAKiQ,kCAAmC,GAG1CjQ,KAAK6Q,wBAET,GAGFhM,SAAU,CAIR4vD,uBAAAA,GACE,OAAO/0D,QAAQM,KAAKmF,MAAMsrD,WAAazwD,KAAKmF,MAAMwrD,YACpD,EAKA+D,kBAAAA,GACE,OAAOh1D,QACLoT,IACE9S,KAAK4zB,aAAakgC,cAClB52D,GAAQA,EAAK2R,OAAS7O,KAAK4C,eAE3B5C,KAAK4C,aACL5C,KAAK6C,eACL7C,KAAK4zB,aAAa0hC,QAExB,EAKAjC,2BAAAA,GACE,OAAO3zD,QACLM,KAAKy0D,yBACHz0D,KAAK00D,oBACLh1D,QAAQM,KAAKmF,MAAM0J,OAAS7O,KAAKmF,MAAM81D,iBAE7C,EAKA7pD,YAAAA,GACE,OAAO1R,QAAQM,KAAK4zB,aAAavsB,WACnC,EAEAkuD,uBAAAA,GACE,OACIv1D,KAAK20D,iBACJ30D,KAAK60D,gCACN70D,KAAKqzD,6BACLrzD,KAAKw0D,0BACPx0D,KAAKiQ,gCAET,EAKAqjD,WAAAA,GACE,MAAO,CACLp2D,KAAM8C,KAAKg7D,aACXhqD,QAAShR,KAAK+P,mBACdkB,MAAOjR,KAAKu1D,wBACZlwD,OAAQrF,KAAKqF,OACb6L,YAAalR,KAAKkR,YAClBtO,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBmK,UAAWjN,KAAKmF,MAAMiwB,sBACtBR,UAAW50B,KAAK81B,4BAChBrpB,SAAS,EACTC,SACEjQ,IAAMuD,KAAKqM,aAAmC,KAApBrM,KAAKqM,WAC3B,SACA,SAEV,EAKA+4B,SAAAA,GACE,OAAOplC,KAAKmF,MAAMtG,IACpB,EAKAu8D,aAAAA,GACE,OAAIp7D,KAAKg7D,cAELloD,IAAK9S,KAAK4zB,aAAakgC,cAAc52D,GAC5BA,EAAK2R,OAAS7O,KAAKg7D,gBACxBhtD,eAID,EACT,EAKA+lD,eAAAA,GACE,OAAO/zD,KAAK4zB,aAAakgC,aAAaltD,OAAS,CACjD,EAEA3F,kBAAAA,GACE,OAAO6R,IAAKxW,KAAKoX,OAAO,cAAc/P,GAC7BA,EAASgQ,QAAU3T,KAAKg7D,eAC9B/5D,kBACL,EAEA2S,uBAAAA,GACE,OACE5T,KAAK4zB,aAAa/f,0BAClB7T,KAAKg7D,eACJh7D,KAAKqvB,2BACLrvB,KAAK00D,qBACL10D,KAAK41B,qBACN51B,KAAKiB,kBAET,EAEAwS,iBAAAA,GACE,OACEzT,KAAKsC,cACJtC,KAAK00D,qBACL10D,KAAK41B,qBACN51B,KAAK4zB,aAAa4hC,mBAEtB,EAEA3/B,kBAAAA,GACE,MAAO,CACL,CAAC71B,KAAK6S,gBAAiB7S,KAAK6O,MAC5B,CAAE,GAAE7O,KAAK6S,uBAAwB7S,KAAKg7D,aAE1C,EAKAvF,iBAAAA,GACE,OAAKz1D,KAAKoR,aASHpR,KAAKqR,mBARHrR,KAAKqR,mBAAmBgM,QAAOnI,GAElCA,EAAO9R,QAAQ+gC,cAAcxN,QAAQ32B,KAAKqF,OAAO8+B,gBAC9C,GAAK,IAAIhnC,OAAO+X,EAAOrG,OAAO8nB,QAAQ32B,KAAKqF,SAAW,GAMjE,EAEAg2D,+BAAAA,GACE,OAAOr7D,KAAK00D,qBAAsBz4C,EAAAA,EAAAA,GAAOjc,KAAKqF,OAChD,EAEAsvD,cAAAA,GACE,OAAO30D,KAAKoR,cAAgBpR,KAAK00D,kBACnC,IEzlBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,mWFJzDr3D,EAAAA,EAAAA,oBAoKM,MApKNC,EAoKM,EAnKJI,EAAAA,EAAAA,aAyCe2W,EAAA,CAxCZlP,MAAOrH,EAAA81B,aACP,eAAa,EACb,aAAY9sB,EAAAs+B,UACZ,iBAAgBtnC,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IA4BM,CA5BK1N,EAAAitD,kBAAe,kBAA1B12D,EAAAA,EAAAA,oBA4BM,MA5BNsB,EA4BM,EA3BJ7B,EAAAA,EAAAA,oBAsBS,UArBNgS,SAA0BhI,EAAA4tD,qBAAuB5tD,EAAAu0D,iCAAkDv9D,EAAA83B,oBAInGr4B,KAAI,GAAKO,EAAAqH,MAAM6Q,iBACfnH,MAAO/Q,EAAAk9D,aACPhnD,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAq0D,+BAAAr0D,EAAAq0D,iCAAAl0D,IACTlK,MAAM,8E,EAEND,EAAAA,EAAAA,oBAES,UAFD+R,MAAM,GAAGE,SAAA,GAAUD,UAAWhR,EAAA81B,aAAame,W,qBAC9Cj0C,EAAAM,GAAG,gBAAD,EAAAR,KAAA,oBAGPP,EAAAA,EAAAA,oBAOS8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YANUpQ,EAAA81B,aAAakgC,cAAvB5+C,K,kBADT7X,EAAAA,EAAAA,oBAOS,UALN+J,IAAK8N,EAAOrG,MACZA,MAAOqG,EAAOrG,MACdE,SAAUjR,EAAAk9D,cAAgB9lD,EAAOrG,Q,qBAE/BqG,EAAOlH,eAAa,EAAAO,M,cAI3B7Q,EAAAA,EAAAA,aAEE8kC,EAAA,CADAzlC,MAAM,8DAAsD,kBAGhEM,EAAAA,EAAAA,oBAEQ,QAFR+W,GAEQxV,EAAAA,EAAAA,iBADHd,EAAAM,GAAG,sDAAD,O,qEAUH0I,EAAAitD,kBAAe,kBALvBx1D,EAAAA,EAAAA,aAuHe8V,EAAA,C,MAtHZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,kBAAgB,EAChB,aAAYxN,EAAAs0D,cAEZ,qBAAoBt9D,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAwFM,EAxFN1X,EAAAA,EAAAA,oBAwFM,MAxFN2X,EAwFM,CAtFI3N,EAAA6tD,iBAAc,kBADtBp2D,EAAAA,EAAAA,aA2DcmW,EAAA,C,MAzDZ3X,MAAM,SACLQ,KAAI,GAAKO,EAAAqH,MAAM6Q,yBACflH,SAAUhR,EAAA83B,oBACVjhB,QAAO7N,EAAAsuD,sBACPvgD,QAAO/N,EAAAwM,uBACPwB,WAAUhO,EAAAo0D,8BACVlmD,SAAUlX,EAAA81B,aAAa5e,SACvBnG,MAAO/Q,EAAAgS,iBACP1T,KAAM0K,EAAA2uD,kBACNziB,UAA0Bl1C,EAAA81B,aAAame,UAA0BjrC,EAAA2tD,yBAAyC3tD,EAAA4tD,oBAAoC52D,EAAA02D,wBAM/Iv/C,QAAQ,QACP7Q,KAAMtG,EAAAsG,M,CAaI8Q,QAAMV,EAAAA,EAAAA,UACf,EADmBzF,WAAUmG,YAAM,EACnCpY,EAAAA,EAAAA,oBAyBM,MAzBNqY,EAyBM,CAxBOD,EAAOE,SAAM,kBAAxB/X,EAAAA,EAAAA,oBAKM,MALNgY,EAKM,EAJJvY,EAAAA,EAAAA,oBAGE,OAFCwY,IAAKJ,EAAOE,OACbrY,MAAM,8B,8CAIVD,EAAAA,EAAAA,oBAgBM,MAhBNyY,EAgBM,EAfJzY,EAAAA,EAAAA,oBAKM,OAJJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,kCAAiC,cACfoI,O,qBAErBmG,EAAO9R,SAAO,GAIXtF,EAAA81B,aAAape,gBAAa,kBADlCnY,EAAAA,EAAAA,oBAOM,O,MALJN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,qDAAoD,cAClCoI,M,CAEZmG,EAAOO,WAAQ,kBAA3BpY,EAAAA,EAAAA,oBAAyD,OAAAqY,GAAA9W,EAAAA,EAAAA,iBAAzBsW,EAAOO,UAAQ,wBAC/CpY,EAAAA,EAAAA,oBAA4D,OAAAsY,GAAA/W,EAAAA,EAAAA,iBAA5Cd,EAAAM,GAAG,iCAAD,gD,uBAlC1B,IASM,CATKN,EAAAgS,mBAAgB,kBAA3BzS,EAAAA,EAAAA,oBASM,MATNuY,EASM,CARO9X,EAAAgS,iBAAiBsF,SAAM,kBAAlC/X,EAAAA,EAAAA,oBAKM,MALNwY,EAKM,EAJJ/Y,EAAAA,EAAAA,oBAGE,OAFCwY,IAAKxX,EAAAgS,iBAAiBsF,OACvBrY,MAAM,8B,mEAEJ,KAEN6B,EAAAA,EAAAA,iBAAGd,EAAAgS,iBAAiB1M,SAAO,yC,+HAiC/B7E,EAAAA,EAAAA,aAkBgBuX,EAAA,C,MAhBd/Y,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,SAAQ,+BAC2B7I,EAAAu6B,YACxC96B,KAAI,GAAKO,EAAAqH,MAAM6Q,mBACfhC,SAAQlN,EAAA4L,gCACR5D,UAAWhR,EAAAk9D,cAAgBl9D,EAAA83B,oBAC3B3f,QAASnY,EAAAuT,mBACFtC,SAAUjR,EAAAiS,mB,mCAAAjS,EAAAiS,mBAAkBvI,GACpCpB,MAAM,W,wBAEN,IAMS,EANTtJ,EAAAA,EAAAA,oBAMS,UALP+R,MAAM,GACLC,UAAWhR,EAAA81B,aAAame,SACxBhjC,SAAiC,KAAvBjR,EAAAiS,qB,qBAERjS,EAAAM,GAAG,WAAY,KAACQ,EAAAA,EAAAA,iBAAGkI,EAAAs0D,eAAa,EAAAllD,M,qEAK/BpP,EAAA8M,0BAAuB,kBAD/BrV,EAAAA,EAAAA,aAKE4X,EAAA,C,MAHCpP,QAAOD,EAAAuM,kBACRtW,MAAM,OACLQ,KAAI,GAAKO,EAAAqH,MAAM6Q,2B,8DAKZlP,EAAA8M,0BAAuB,kBAD/BrV,EAAAA,EAAAA,aAUE6X,EAAA,C,MARCC,KAAMvY,EAAAkS,kBACNswB,KAAMxiC,EAAAqH,MAAMs9C,UACZnsC,cAAcxP,EAAAqM,kBACdoD,kBAAkBzP,EAAAsM,mBAClB,gBAAetV,EAAAk9D,aACf,mBAAkBl9D,EAAAgF,gBAClB,eAAchF,EAAA8E,YACd,kBAAiB9E,EAAA+E,e,iKAIZiE,EAAA2M,oBAAiB,kBADzBlV,EAAAA,EAAAA,aAMEiY,EAAA,C,MAJAzZ,MAAM,OACL,gBAAee,EAAAqH,MAAM6Q,UACrBS,QAAS3Y,EAAAoT,YACTyD,QAAO7N,EAAAkM,mB,oLE5J0D,CAAC,SAAS,qB,iMCkCtF,SACElU,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCn4D,KAAMA,KAAA,CACJiJ,OAAQ,KAGVxE,QAAS,CAIPyyB,eAAAA,GACE,IAAIvK,OAC0BrB,IAA5B1nB,KAAK4zB,aAAa/kB,OACU,OAA5B7O,KAAK4zB,aAAa/kB,OACU,KAA5B7O,KAAK4zB,aAAa/kB,MAEhB+mD,IAAM51D,KAAK4zB,aAAa/kB,OAAS,GAAI7O,KAAK6O,OAC1C7O,KAAK6O,MAELysD,EAAkBj+C,IACpBrd,KAAK4zB,aAAa3d,SAAW,IAC7B8F,GAAKgN,EAAO4N,QAAQ5a,EAAElN,QAAU,IAGlC7O,KAAK6O,MAAQuO,IAAIk+C,GAAiBvN,GAAKA,EAAEl/C,OAC3C,EAKAwkB,kBAAiBA,IACR,GAUT3iB,IAAAA,CAAK8B,GACHxS,KAAKwzB,cACHhhB,EACAxS,KAAK6S,eACL8K,KAAKC,UAAU5d,KAAK6O,OAExB,EAKA+F,aAAAA,CAAciR,GACZ7lB,KAAKqF,OAASwgB,CAChB,EAKA6N,YAAAA,CAAa7kB,GACX7O,KAAK6O,MAAQA,EAET7O,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,MAExD,EAEA4mB,aAAAA,GACEz1B,KAAKszB,iBACP,GAGFzuB,SAAU,CAIRuvD,eAAAA,GAGE,OAFcp0D,KAAK4zB,aAAa3d,SAAW,IAE5BoH,QAAOnI,GAElBA,EAAO9O,MACJkG,WACA63B,cACAxN,QAAQ32B,KAAKqF,OAAO8+B,gBAAkB,GAG/C,EAKApQ,WAAAA,GACE,OAAO/zB,KAAK4zB,aAAaG,aAAe/zB,KAAK5B,GAAG,mBAClD,EAKA+wD,QAAAA,GACE,OAAOzvD,eACYgoB,IAAf1nB,KAAK6O,OAAsC,OAAf7O,KAAK6O,OAAiC,KAAf7O,KAAK6O,OAE9D,EAEA0sD,qBAAAA,GACE,OAAOt/C,EAAAA,EAAAA,GAAOjc,KAAK4zB,aAAaG,cAAgB/zB,KAAK4zB,aAAame,QACpE,IC9IJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6IDJzDxzC,EAAAA,EAAAA,aA4Be8V,EAAA,CA3BZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UAEd,IAkBqB,EAlBrB9W,EAAAA,EAAAA,aAkBqBs2D,EAAA,CAjBlB5lD,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACLjH,SAAUjR,EAAA+Q,M,mCAAA/Q,EAAA+Q,MAAKrH,GACtBwM,SAAQlN,EAAA4sB,aACT32B,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,SACE7I,EAAAs6B,eACPniB,QAASnY,EAAA81B,aAAa3d,QACtBnH,SAAUhR,EAAA83B,qB,wBAEX,IAOS,CAND9uB,EAAAy0D,wBAAqB,kBAD7Bl+D,EAAAA,EAAAA,oBAOS,U,MALPwR,MAAM,GACLE,UAAWjI,EAAAqoD,SACXrgD,UAAWhR,EAAA81B,aAAame,W,qBAEtBjrC,EAAAitB,aAAW,EAAAz2B,KAAA,kC,+ICpBoD,CAAC,SAAS,yB,umCC4CtF,SACEuB,KAAM,YAENC,OAAQ,CAAC08D,EAAAA,IAET1rC,MAAO,CACL,gBACA,qCACA,eACA,sBACA,wBAGF7yB,MAAK6D,EAAAA,EAAA,IACA+K,EAAAA,EAAAA,IAAS,CAAC,UAAQ,IACrBwjB,yBAA0B,CAAEnyB,KAAMwC,QAAStC,SAAS,GACpDgyB,aAAc,CAAElyB,KAAMwC,QAAStC,SAAS,GACxC2P,MAAO,CAAE7P,KAAMuS,OAAQH,UAAU,GACjCzQ,KAAM,CAAEzB,QAAS,SACjBG,KAAM,CAAEL,KAAMC,QACd0S,OAAQ,CAAE3S,KAAMqtB,MAAOntB,QAAS,IAChC6W,aAAc,CAAE/W,KAAMC,QACtBoX,iBAAkB,CAAErX,KAAMuS,OAAQH,UAAU,GAC5CjO,aAAc,CAAEnE,KAAMC,OAAQmS,UAAU,GACxCjD,WAAY,CAAEnP,KAAM,CAACoyB,OAAQnyB,SAC7BoS,oBAAqB,CAAErS,KAAMC,QAC7B4Z,kBAAmB,CAAE7Z,KAAM,CAACoyB,OAAQnyB,SACpCyF,YAAa,CAAE1F,KAAMC,QACrB0F,cAAe,CAAE3F,KAAM,CAACoyB,OAAQnyB,SAChC2F,gBAAiB,CAAE5F,KAAMC,UAG3B0D,QAAS,CACPi4D,iBAAAA,GACE94D,KAAKzD,MAAM,qCACb,IC/EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,wGDJ9CiB,EAAAuP,MAAM8C,OAAOjJ,OAAS,GAAH,wCAA9BvJ,EAAAA,EAAAA,oBA0CM,MAAAC,EAAA,EAzCJI,EAAAA,EAAAA,aAMU+I,EAAA,CALPC,MAAO,EACP3J,OAAK4J,EAAAA,EAAAA,gBAAEnJ,EAAAuP,MAAM+4B,SAAW,OAAS,QACjCvoC,KAAI,GAAKC,EAAAD,gB,wBAEV,IAAgB,6CAAbC,EAAAuP,MAAMlO,MAAI,M,yBAIPrB,EAAAuP,MAAM+4B,WAAQ,kBADtBzoC,EAAAA,EAAAA,oBAIE,K,MAFAN,MAAM,kDACN8J,UAAQrJ,EAAAuP,MAAM+4B,U,4CAGhBpoC,EAAAA,EAAAA,aA0BOuK,EAAA,CA1BDlL,MAAM,iDAA+C,C,uBAEvD,IAAsC,uBADxCM,EAAAA,EAAAA,oBAwBE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAvByB1Q,EAAAuP,MAAM8C,QAAM,CAA7B1K,EAAO8yB,M,kBADjB15B,EAAAA,EAAAA,cAwBE4P,EAAAA,EAAAA,yBAAA,QApBahJ,EAAM8H,aAAS,CAF3BgrB,MAAOA,EACP7wB,IAAK6wB,EAEL3jB,OAAQ9W,EAAA+W,iBACR,cAAa/W,EAAA6O,WACb,gBAAe7O,EAAA6D,aACf,wBAAuB7D,EAAA+R,oBACvB,sBAAqB/R,EAAAuZ,kBACrB5R,MAAOA,EACP,eAAc3H,EAAAoF,YACd,kBAAiBpF,EAAAqF,cACjB,mBAAkBrF,EAAAsF,gBAClB,+BAA8BtF,EAAA6xB,yBAC9B,iBAAgB7xB,EAAAyW,aAChB7P,KAAMtG,EAAAsG,KACNq3D,aAAa39D,EAAAs8B,iBACbshC,cAAc59D,EAAAu8B,kBACdwK,eAAa79B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,kBACrBy8D,cAAclyD,EAAAgyD,kBACdh0B,oBAAmB99B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,wBAC3BwoC,qBAAoB/9B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,yBAC5B,iBAAgBiB,EAAA4xB,c,8TAvCqBtxB,EAAAw8B,mBAAqB,MAAH,8B,GCIY,CAAC,SAAS,c,0ICqBtF,SACEx7B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,KCtBpC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDh2D,EAAAA,EAAAA,aAmBe8V,EAAA,CAlBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAUE,uBAVF1X,EAAAA,EAAAA,oBAUE,SATCsR,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACb9Y,KAAK,W,qCACIY,EAAA+Q,MAAKrH,GACdzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDACE7I,EAAAs6B,eACPrE,YAAaj2B,EAAAi2B,YACd7f,aAAa,eACZpF,SAAUhR,EAAA83B,qB,0BALF93B,EAAA+Q,Y,mECP2D,CAAC,SAAS,sB,8JCsBtF,SACE/P,OAAQ,CAACqmC,EAAAA,GAAyB/Q,EAAAA,IAKlCloB,OAAAA,GACElM,KAAKszB,kBAELtzB,KAAKmF,MAAMuL,KAAO1Q,KAAK0Q,KAEvB1Q,KAAK27D,kBACP,EAEA96D,QAAS,CAIP86D,gBAAAA,GACE,MAAMC,EAASh6C,EAAQ,OAIjBlO,GAFY1T,KAAKmF,MAAM02D,UAEd,CACbC,MAAOx/D,KAAKoX,OAAO,gBACnBqoD,OAAQz/D,KAAKoX,OAAO,iBACpB08B,UAAWpwC,KAAK8gC,MAAM9gC,KAAK6S,gBAC3B3V,KAAM8C,KAAKmF,MAAM02D,UAAY77D,KAAKmF,MAAM02D,UAAY,UACpDG,UAAW,CACTntD,MAAMylD,GACGA,EAAWz1D,QAKpBmB,KAAKmF,MAAM82D,YACbvoD,EAAOuoD,UAAYj8D,KAAKmF,MAAM82D,WAG5Bj8D,KAAKmF,MAAM8jB,WACbvV,EAAOuV,SAAWjpB,KAAKmF,MAAM8jB,UAG/B,MAAMizC,EAAqBN,EAAOloD,GAElCwoD,EAAmBn0C,GAAG,UAAU/mB,IAC9BhB,KAAKyB,WAAU,KACbzB,KAAK6O,MAAQ7N,EAAEszD,WAAWz1D,KAE1BmB,KAAK8yB,eAAe9yB,KAAKmF,MAAMg3D,kBAAmB,IAClDn8D,KAAK8yB,eAAe9yB,KAAKmF,MAAMi3D,KAAMp7D,EAAEszD,WAAW8H,MAElDp8D,KAAK8yB,eACH9yB,KAAKmF,MAAMyT,MACX5Y,KAAKq8D,WACHr7D,EAAEszD,WAAWgI,eACbt7D,EAAEszD,WAAWiI,cAIjBv8D,KAAK8yB,eAAe9yB,KAAKmF,MAAMq3D,WAAYx7D,EAAEszD,WAAWmI,UACxDz8D,KAAK8yB,eAAe9yB,KAAKmF,MAAMu3D,OAAQ17D,EAAEszD,WAAWoI,QAEpD18D,KAAK8yB,eACH9yB,KAAKmF,MAAMw3D,QACX37D,EAAEszD,WAAWiI,YAAYl+B,eAG3Br+B,KAAK8yB,eAAe9yB,KAAKmF,MAAMy3D,SAAU57D,EAAEszD,WAAWuI,OAAOC,KAC7D98D,KAAK8yB,eAAe9yB,KAAKmF,MAAM43D,UAAW/7D,EAAEszD,WAAWuI,OAAOG,IAAI,GAClE,IAGJd,EAAmBn0C,GAAG,SAAS,KAC7B/nB,KAAKyB,WAAU,KACbzB,KAAK6O,MAAQ,GAEb7O,KAAK8yB,eAAe9yB,KAAKmF,MAAMg3D,kBAAmB,IAClDn8D,KAAK8yB,eAAe9yB,KAAKmF,MAAMi3D,KAAM,IACrCp8D,KAAK8yB,eAAe9yB,KAAKmF,MAAMyT,MAAO,IACtC5Y,KAAK8yB,eAAe9yB,KAAKmF,MAAMq3D,WAAY,IAC3Cx8D,KAAK8yB,eAAe9yB,KAAKmF,MAAMu3D,OAAQ,IACvC18D,KAAK8yB,eAAe9yB,KAAKmF,MAAMw3D,QAAS,IACxC38D,KAAK8yB,eAAe9yB,KAAKmF,MAAMy3D,SAAU,IACzC58D,KAAK8yB,eAAe9yB,KAAKmF,MAAM43D,UAAW,GAAG,GAC7C,GAEN,EAKAV,UAAAA,CAAWzjD,EAAO2jD,GAChB,MAAmB,MAAfA,EACK3jD,EAGF9F,IAAK9S,KAAKi9D,QAAQvjD,GAChBA,EAAE7a,MAAQ+Z,IAChBskD,IACL,GAGFr4D,SAAU,CAIRo4D,OAAMA,KACG,CACLE,GAAI,CACFr5D,MAAO,IACPjF,KAAM,UACNq+D,KAAM,MAERE,GAAI,CACFt5D,MAAO,IACPjF,KAAM,SACNq+D,KAAM,MAERG,GAAI,CACFv5D,MAAO,IACPjF,KAAM,UACNq+D,KAAM,MAERI,GAAI,CACFx5D,MAAO,IACPjF,KAAM,WACNq+D,KAAM,MAERK,GAAI,CACFz5D,MAAO,IACPjF,KAAM,aACNq+D,KAAM,MAERM,GAAI,CACF15D,MAAO,IACPjF,KAAM,WACNq+D,KAAM,MAERO,GAAI,CACF35D,MAAO,IACPjF,KAAM,cACNq+D,KAAM,MAERQ,GAAI,CACF55D,MAAO,IACPjF,KAAM,WACNq+D,KAAM,MAERS,GAAI,CACF75D,MAAO,IACPjF,KAAM,uBACNq+D,KAAM,MAERU,GAAI,CACF95D,MAAO,IACPjF,KAAM,UACNq+D,KAAM,MAERW,GAAI,CACF/5D,MAAO,KACPjF,KAAM,UACNq+D,KAAM,MAERY,GAAI,CACFh6D,MAAO,KACPjF,KAAM,SACNq+D,KAAM,MAERa,GAAI,CACFj6D,MAAO,KACPjF,KAAM,QACNq+D,KAAM,MAERc,GAAI,CACFl6D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAERe,GAAI,CACFn6D,MAAO,KACPjF,KAAM,UACNq+D,KAAM,MAERgB,GAAI,CACFp6D,MAAO,KACPjF,KAAM,OACNq+D,KAAM,MAERiB,GAAI,CACFr6D,MAAO,KACPjF,KAAM,SACNq+D,KAAM,MAERkB,GAAI,CACFt6D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAERmB,GAAI,CACFv6D,MAAO,KACPjF,KAAM,YACNq+D,KAAM,MAERoB,GAAI,CACFx6D,MAAO,KACPjF,KAAM,QACNq+D,KAAM,MAERqB,GAAI,CACFz6D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAERsB,GAAI,CACF16D,MAAO,KACPjF,KAAM,gBACNq+D,KAAM,MAERuB,GAAI,CACF36D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAERwB,GAAI,CACF56D,MAAO,KACPjF,KAAM,YACNq+D,KAAM,MAERyB,GAAI,CACF76D,MAAO,KACPjF,KAAM,cACNq+D,KAAM,MAER0B,GAAI,CACF96D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAER2B,GAAI,CACF/6D,MAAO,KACPjF,KAAM,UACNq+D,KAAM,MAER4B,GAAI,CACFh7D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAER6B,GAAI,CACFj7D,MAAO,KACPjF,KAAM,SACNq+D,KAAM,MAER8B,GAAI,CACFl7D,MAAO,KACPjF,KAAM,gBACNq+D,KAAM,MAER+B,GAAI,CACFn7D,MAAO,KACPjF,KAAM,aACNq+D,KAAM,MAERgC,GAAI,CACFp7D,MAAO,KACPjF,KAAM,aACNq+D,KAAM,MAERiC,GAAI,CACFr7D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAERkC,GAAI,CACFt7D,MAAO,KACPjF,KAAM,iBACNq+D,KAAM,MAERmC,GAAI,CACFv7D,MAAO,KACPjF,KAAM,eACNq+D,KAAM,MAERoC,GAAI,CACFx7D,MAAO,KACPjF,KAAM,OACNq+D,KAAM,MAERqC,GAAI,CACFz7D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAERsC,GAAI,CACF17D,MAAO,KACPjF,KAAM,SACNq+D,KAAM,MAERuC,GAAI,CACF37D,MAAO,KACPjF,KAAM,eACNq+D,KAAM,MAERwC,GAAI,CACF57D,MAAO,KACPjF,KAAM,eACNq+D,KAAM,MAERyC,GAAI,CACF77D,MAAO,KACPjF,KAAM,iBACNq+D,KAAM,MAER0C,GAAI,CACF97D,MAAO,KACPjF,KAAM,eACNq+D,KAAM,MAER2C,GAAI,CACF/7D,MAAO,KACPjF,KAAM,YACNq+D,KAAM,MAER4C,GAAI,CACFh8D,MAAO,KACPjF,KAAM,QACNq+D,KAAM,MAER6C,GAAI,CACFj8D,MAAO,KACPjF,KAAM,OACNq+D,KAAM,MAER8C,GAAI,CACFl8D,MAAO,KACPjF,KAAM,UACNq+D,KAAM,MAER+C,GAAI,CACFn8D,MAAO,KACPjF,KAAM,WACNq+D,KAAM,MAERgD,GAAI,CACFp8D,MAAO,KACPjF,KAAM,aACNq+D,KAAM,MAERiD,GAAI,CACFr8D,MAAO,KACPjF,KAAM,gBACNq+D,KAAM,MAERkD,GAAI,CACFt8D,MAAO,KACPjF,KAAM,YACNq+D,KAAM,MAERmD,GAAI,CACFv8D,MAAO,KACPjF,KAAM,UACNq+D,KAAM,UChYhB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzD3+D,EAAAA,EAAAA,aAmBe8V,EAAA,CAlBZlP,MAAOrH,EAAAqH,MACPmP,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAUE,uBAVF1X,EAAAA,EAAAA,oBAUE,SATCoO,IAAKpN,EAAAqH,MAAM6Q,UACX5H,GAAItQ,EAAAqH,MAAMuR,UACVnZ,KAAMO,EAAAqH,MAAM6Q,UACb9Y,KAAK,O,qCACIY,EAAA+Q,MAAKrH,GACdzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDACE7I,EAAAs6B,eACPrE,YAAaj2B,EAAAqH,MAAMtG,KACnBiQ,SAAUhR,EAAAm2B,Y,0BAJFn2B,EAAA+Q,Y,mECR2D,CAAC,SAAS,mB,knCCgCtF,SACEhQ,KAAM,wBAENixB,MAAO,CACL,gBACA,qCACA,sBACA,uBACA,gBAGFhxB,OAAQ,CAACgyD,EAAAA,IAET7zD,MAAK6D,EAAAA,EAAA,CACHuuB,yBAA0B,CAAEnyB,KAAMwC,QAAStC,SAAS,GACpDgyB,aAAc,CAAElyB,KAAMwC,QAAStC,SAAS,GACxC2P,MAAO,CAAE7P,KAAMuS,OAAQH,UAAU,GACjCzQ,KAAM,CAAEzB,QAAS,wBACdyO,EAAAA,EAAAA,IAAS,CAAC,UAAQ,IACrBgE,OAAQ,CAAE3S,KAAMqtB,MAAOntB,QAAS,IAChC6W,aAAc,CAAE/W,KAAMC,QACtBoX,iBAAkB,CAAErX,KAAMuS,OAAQH,UAAU,GAC5CjO,aAAc,CAAEnE,KAAMC,OAAQmS,UAAU,GACxCjD,WAAY,CAAEnP,KAAM,CAACoyB,OAAQnyB,SAC7ByF,YAAa,CAAE1F,KAAMC,QACrB0F,cAAe,CAAE3F,KAAM,CAACoyB,OAAQnyB,SAChC2F,gBAAiB,CAAE5F,KAAMC,UAG3Bf,KAAMA,KAAA,CACJkkE,sBAAsBle,EAAAA,EAAAA,OAGxBl2C,OAAAA,GACOlM,KAAKmF,MAAMlE,qBACdjB,KAAKmF,MAAMuL,KAAO,OAEtB,EAEA7P,QAAS,CACPi4D,iBAAAA,GACE94D,KAAKzD,MAAM,qCACb,GAGFsI,SAAU,CACRM,KAAAA,GACE,OAAOnF,KAAK+M,MAAM8C,OAAO,EAC3B,EAEA0wD,UAAAA,GACE,GAAI,CAAC,SAAU,YAAY5wC,SAAS3vB,KAAKmF,MAAMxC,kBAC7C,OAAO3C,KAAKmF,MAAM0qD,QAEtB,ICtFJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,uEDJ9C/oD,EAAA3B,MAAMlE,qBAAkB,kBAAnC5D,EAAAA,EAAAA,oBA4BM,MAAAC,EAAA,EA3BJI,EAAAA,EAAAA,aAEY+I,EAAA,CAFFC,MAAO,EAAI3J,OAAK4J,EAAAA,EAAAA,gBAAEnJ,EAAAuP,MAAM+4B,SAAW,OAAS,S,wBAAQ,IAE5D,6CADAtoC,EAAAuP,MAAMlO,MAAI,M,kBAIJrB,EAAAuP,MAAM+4B,WAAQ,kBADtBzoC,EAAAA,EAAAA,oBAIK,K,MAFHN,MAAM,kDACN8J,UAAQrJ,EAAAuP,MAAM+4B,U,+DAGhBvnC,EAAAA,EAAAA,cAgBE4P,EAAAA,EAAAA,yBAAA,QAfarH,EAAA3B,MAAM8H,aAAS,CAC3BqH,OAAQ9W,EAAA+W,iBACR,cAAazN,EAAAy5D,WACb,gBAAez5D,EAAA3B,MAAM9D,aACrB8D,MAAO2B,EAAA3B,MACP,eAAc2B,EAAA3B,MAAMqlB,KAAK5nB,YACzB,kBAAiBkE,EAAA3B,MAAMqlB,KAAK3nB,cAC5B,mBAAkBiE,EAAA3B,MAAMqlB,KAAK1nB,gBAC7B,iBAAgBhF,EAAAwiE,qBAChBl8D,KAAMtG,EAAAsG,KACNygC,eAAa79B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,kBACrBy8D,cAAclyD,EAAAgyD,kBACdh0B,oBAAmB99B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,wBAC3BwoC,qBAAoB/9B,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,yBAC5B,iBAAgBiB,EAAA4xB,c,6MCtBqD,CAAC,SAAS,0B,mJC4EtF,SACEtwB,OAAQ,CAACs1B,EAAAA,GAAW+Q,EAAAA,IAEpB9mC,WAAY,CAAE2Q,OAAMA,EAAAA,GAEpB6H,OAAAA,GACE,MAAO,CACLC,WAAY9W,KAAK8W,WACjBuY,0BAA0BxqB,EAAAA,EAAAA,WAAS,IAAM7E,KAAKqvB,2BAC9CzsB,aAAaiC,EAAAA,EAAAA,WAAS,IAAM7E,KAAK4C,cACjCC,eAAegC,EAAAA,EAAAA,WAAS,IAAM7E,KAAK6C,gBACnCC,iBAAiB+B,EAAAA,EAAAA,WAAS,IAAM7E,KAAK8C,kBACrCzB,cAAcwD,EAAAA,EAAAA,WAAS,IAAM7E,KAAKqB,eAClCgL,YAAYxH,EAAAA,EAAAA,WAAS,IAAM7E,KAAKqM,aAEpC,EAEAjQ,KAAMA,KAAA,CACJokE,SAAU,IAAIC,UAGhBtY,WAAAA,GACEnoD,KAAK6O,MAAMuO,KAAIsjD,IACb1gE,KAAKwgE,SAAStkD,IAAIwkD,GAAYte,EAAAA,EAAAA,MAEvBse,IAEX,EAEA7/D,QAAS,CAIPwyB,kBAAiBA,IACR,GAGTvc,UAAAA,CAAWd,GACT,MAAM,aACJ3U,EAAY,WACZgL,EAAU,oBACVkD,EAAmB,kBACnBwH,EAAiB,gBACjBjU,GACE9C,KAEE2gE,EACJ79D,GAAmByM,GAAuBwH,EACrC,aAAY1V,KAAgBgL,KAAckD,KAAuBwH,WAA2Bf,qBAA6BlT,IACzH,aAAYzB,KAAgBgL,WAAoB2J,IAEvD1Z,KAAKsF,UAAUyV,OAAOspD,EACxB,EAEAjwD,IAAAA,CAAK8B,GACHxS,KAAK61D,aAAaz9C,SAAQ,CAACsoD,EAAY1kD,KACrC,MAAMhG,EAAa,GAAEhW,KAAK6S,kBAAkBmJ,KAC5CxJ,EAASC,OAAQ,GAAEuD,UAAmB0qD,EAAWxjE,MACjDuS,OAAO0I,KAAKuoD,EAAW7wD,QAAQuI,SAAQhR,IACrCoL,EAASC,OACN,GAAEuD,aAAqB5O,KACxBs5D,EAAW7wD,OAAOzI,GACnB,GACD,GAEN,EAEAw5D,OAAAA,CAAQC,GACN,MAAMH,EAAa1gE,KAAK4zB,aAAaktC,YAAYhuD,MAC/CiuD,GAAKA,EAAE7jE,OAAS2jE,IAEZza,EAAOhnC,IAAUshD,GAEvB1gE,KAAKwgE,SAAStkD,IAAIkqC,GAAMhE,EAAAA,EAAAA,MAExBpiD,KAAK6O,MAAM0U,KAAK6iC,EAClB,EAEAjZ,UAAAA,CAAWlV,GACT,MAAMlB,EAAO/2B,KAAK6O,MAAM2tB,OAAOvE,EAAO,GAEtCj4B,KAAKwgE,SAASnpD,OAAO0f,EACvB,EAEAiqC,MAAAA,CAAO/oC,GACL,MAAMlB,EAAO/2B,KAAK6O,MAAM2tB,OAAOvE,EAAO,GACtCj4B,KAAK6O,MAAM2tB,OAAO5kB,KAAKgmC,IAAI,EAAG3lB,EAAQ,GAAI,EAAGlB,EAAK,GACpD,EAEAkqC,QAAAA,CAAShpC,GACP,MAAMlB,EAAO/2B,KAAK6O,MAAM2tB,OAAOvE,EAAO,GACtCj4B,KAAK6O,MAAM2tB,OAAO5kB,KAAK8lC,IAAI19C,KAAK6O,MAAMjI,OAAQqxB,EAAQ,GAAI,EAAGlB,EAAK,GACpE,GAGFlyB,SAAU,CACRgxD,YAAAA,GACE,OAAO71D,KAAK6O,MAAMuO,KAAIsjD,IACpB,MAAMluD,EAAW,IAAID,SACf1C,EAAS,CAAC,EAEhB6wD,EAAW7wD,OAAOuI,SAAQkF,GAAKA,EAAE5M,MAAQ4M,EAAE5M,KAAK8B,KAEhD,IAAK,MAAM0uD,KAAQ1uD,EAASqJ,UAC1BhM,EAAOqxD,EAAK,IAAMA,EAAK,GAGzB,MAAO,CAAEhkE,KAAMwjE,EAAWxjE,KAAM2S,SAAQ,GAE5C,ICzLJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gXDJzDtR,EAAAA,EAAAA,aAsEe8V,EAAA,CArEZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAgBM,CAhBK1W,EAAA+Q,MAAMjI,OAAS,IAAH,kBAAvBvJ,EAAAA,EAAAA,oBAgBM,O,MAhBuBN,MAAM,YAAaQ,KAAMO,EAAA+U,gB,uBACpDxV,EAAAA,EAAAA,oBAcE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAbwBpQ,EAAA+Q,OAAK,CAArBkoB,EAAMkB,M,kBADhB15B,EAAAA,EAAAA,aAcE4iE,EAAA,CAZC5jE,KAAI,GAAK06B,iBACT,mBAAkBn6B,EAAA0iE,SAAS3+D,IAAIk1B,GAC/BA,KAAMA,EACNkB,MAAOA,EACP7wB,IAAKtJ,EAAA0iE,SAAS3+D,IAAIk1B,GAClBhwB,QAAOD,EAAAqmC,WACP74B,OAAQxW,EAAAwW,OACRzU,SAAU/B,EAAA81B,aAAa/zB,UAAY/B,EAAA+Q,MAAMjI,OAAS,EAClDw6D,SAASt6D,EAAAk6D,OACTK,WAAWv6D,EAAAm6D,SACX97D,MAAOrH,EAAA81B,aACP,aAAY91B,EAAA+U,gB,+KAGjB/V,EAAAA,EAAAA,oBA4CM,aA3CJA,EAAAA,EAAAA,oBA0CM,OAzCJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,cAAa,C,0FACwH,IAAZ7I,EAAA+Q,MAAMjI,W,CAKrH9I,EAAA81B,aAAaktC,YAAYl6D,OAAS,IAAH,kBAA/CrI,EAAAA,EAAAA,aAsBW+oC,EAAA,CAAAlgC,IAAA,IAbEmgC,MAAI/yB,EAAAA,EAAAA,UACb,IAUe,EAVf9W,EAAAA,EAAAA,aAUe8pC,EAAA,CAVDzqC,MAAM,QAAM,C,uBAItB,IAA8C,uBAHhDM,EAAAA,EAAAA,oBAQmB8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YALIpQ,EAAA81B,aAAaktC,aAA3BJ,K,kBAHTniE,EAAAA,EAAAA,aAQmBkpC,EAAA,CAPhB1gC,QAAKA,IAAQD,EAAA85D,QAAQF,EAAWxjE,MACjCwqC,GAAG,SAEH3qC,MAAM,a,wBAEN,IAAmD,EAAnDD,EAAAA,EAAAA,oBAAmD,cAA7CY,EAAAA,EAAAA,aAAsCkR,EAAA,CAAhCuyB,MAAA,GAAOjkC,KAAMwjE,EAAW74B,M,oBACpC/qC,EAAAA,EAAAA,oBAA2C,aAAA8B,EAAAA,EAAAA,iBAAlC8hE,EAAW1yD,eAAa,M,mEAjBvC,IAMS,EANTtQ,EAAAA,EAAAA,aAMSkZ,EAAA,CALPxM,QAAQ,OACR,eAAa,cACb,gBAAc,gB,wBAEd,IAAoB,6CAAjBtM,EAAAM,GAAG,aAAD,M,oCAkBTG,EAAAA,EAAAA,aAUiB+iE,EAAA,C,MARdv6D,QAAKC,EAAA,KAAAA,EAAA,GAAAQ,GAAEV,EAAA85D,QAAQ9iE,EAAA81B,aAAaktC,YAAY,GAAG5jE,OAC5CA,KAAK,U,wBAEL,IAIS,EAJTJ,EAAAA,EAAAA,oBAIS,aAAA8B,EAAAA,EAAAA,iBAHPd,EAAAM,GAAG,gBAAiB,C,SAA4BN,EAAA81B,aAAaktC,YAAW,GAAI9yD,iB,yFC1Dd,CAAC,SAAS,sB,2FCoBnDjR,MAAM,qB,qGA0CzC,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElCn4D,KAAMA,KAAA,CACJiJ,OAAQ,GACR8uC,eAAgB,OAGlBp0C,OAAAA,GACE,IAAIkc,EAAAA,EAAAA,GAAOjc,KAAKmF,MAAM0J,OAAQ,CAC5B,IAAIslC,EAAiBrhC,IACnB9S,KAAKmF,MAAM8Q,SACX8F,GAAKA,EAAElN,OAAS7O,KAAKmF,MAAM0J,QAG7B7O,KAAKyB,WAAU,KACbzB,KAAKm0D,aAAahgB,EAAe,GAErC,CACF,EAEAtzC,QAAS,CAIPwyB,kBAAiBA,IACR,KAUT3iB,IAAAA,CAAK8B,GACHxS,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB7S,KAAK6O,OAAS,GAClE,EAKA+F,aAAAA,CAAciR,GACZ7lB,KAAKqF,OAASwgB,CAChB,EAKA1V,cAAAA,GACEnQ,KAAKm0C,eAAiB,KACtBn0C,KAAK6O,MAAQ7O,KAAKqzB,oBAEdrzB,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,MAExD,EAKAslD,YAAAA,CAAaj/C,GACPzY,IAAMyY,GACRlV,KAAKmQ,kBAIPnQ,KAAKm0C,eAAiBj/B,EACtBlV,KAAK6O,MAAQqG,EAAOrG,MAEhB7O,KAAKmF,OACPnF,KAAK4S,qBAAqB5S,KAAK6S,eAAgB7S,KAAK6O,OAExD,EAKA6kB,YAAAA,CAAa7kB,GACX,IAAIslC,EAAiBrhC,IACnB9S,KAAK4zB,aAAa3d,SAClB8F,GAAKA,EAAElN,OAASA,IAGlB7O,KAAKm0D,aAAahgB,EACpB,EAKA1e,aAAAA,GACE,IAAI8rC,EAAwB,KACxBpS,GAAW,EAEXnvD,KAAKm0C,iBACPgb,GAAW,EACXoS,EAAwBzuD,IACtB9S,KAAK4zB,aAAa3d,SAClB8F,GAAKA,EAAElN,QAAU7O,KAAKm0C,eAAetlC,SAIzC,IAAIslC,EAAiBrhC,IACnB9S,KAAK4zB,aAAa3d,SAClB8F,GAAKA,EAAElN,OAAS7O,KAAK4zB,aAAa/kB,QAGpC,GAAIpS,IAAM8kE,GASR,OARAvhE,KAAKmQ,sBAEDnQ,KAAK4zB,aAAa/kB,MACpB7O,KAAKm0D,aAAahgB,GACTgb,IAAanvD,KAAK4zB,aAAame,UACxC/xC,KAAKm0D,aAAaljD,IAAMjR,KAAK4zB,aAAa3d,WAK5CsrD,GACAptB,GACA,CAAC,SAAU,UAAUxkB,SAAS3vB,KAAK0M,UAEnC1M,KAAKm0D,aAAahgB,GAKpBn0C,KAAKm0D,aAAaoN,EACpB,GAGF18D,SAAU,CAIRuM,YAAAA,GACE,OAAOpR,KAAK4zB,aAAavsB,UAC3B,EAKA+sD,eAAAA,GACE,OAAOp0D,KAAK4zB,aAAa3d,QAAQoH,QAAOnI,GAEpCA,EAAO9O,MACJkG,WACA63B,cACAxN,QAAQ32B,KAAKqF,OAAO8+B,gBAAkB,GAG/C,EAKApQ,WAAAA,GACE,OAAO/zB,KAAK4zB,aAAaG,aAAe/zB,KAAK5B,GAAG,mBAClD,EAKA+wD,QAAAA,GACE,OAAOzvD,eACYgoB,IAAf1nB,KAAK6O,OAAsC,OAAf7O,KAAK6O,OAAiC,KAAf7O,KAAK6O,OAE9D,ICtOJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gLDJzDtQ,EAAAA,EAAAA,aAwDe8V,EAAA,CAvDZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UAEd,IA6Bc,EA5BL1W,EAAA83B,qBAAuB9uB,EAAAsK,eAAY,kBAD5C7S,EAAAA,EAAAA,aA6BcmW,EAAA,C,MA3BXnX,KAAI,GAAKO,EAAAqH,MAAM6Q,yBACfrB,QAAO7N,EAAA8N,cACPC,QAAO/N,EAAAqJ,eACP2E,WAAUhO,EAAAqtD,aACV,YAAWr2D,EAAAu6B,SACXxpB,MAAO/Q,EAAAq2C,eACP/3C,KAAM0K,EAAAstD,gBACNphB,UAAWl1C,EAAA81B,aAAame,SACzB98B,QAAQ,QACRlY,MAAM,SACLqH,KAAMtG,EAAAsG,KACN0K,SAAUhR,EAAA83B,qB,CAOA1gB,QAAMV,EAAAA,EAAAA,UAEf,EAFmBzF,WAAUmG,YAAM,EAEnCpY,EAAAA,EAAAA,oBAKM,OAJJC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,oDAAmD,cACjCoI,O,qBAErBmG,EAAO9O,OAAK,M,uBAVnB,IAEM,CAFKtI,EAAAq2C,iBAAc,kBAAzB92C,EAAAA,EAAAA,oBAEM,MAFNC,GAEMsB,EAAAA,EAAAA,iBADDd,EAAAq2C,eAAe/tC,OAAK,uC,gIAe3B7H,EAAAA,EAAAA,aAcgBuX,EAAA,C,MAZb1H,GAAItQ,EAAAqH,MAAM6Q,UACVzY,KAAMO,EAAAqH,MAAM6Q,UACLjH,SAAUjR,EAAA+Q,M,mCAAA/Q,EAAA+Q,MAAKrH,GACtBwM,SAAQlN,EAAA4sB,aACT32B,MAAM,SACL,YAAWe,EAAAu6B,SACXpiB,QAASnY,EAAA81B,aAAa3d,QACtBnH,SAAUhR,EAAA83B,qB,wBAEX,IAES,EAFT94B,EAAAA,EAAAA,oBAES,UAFD+R,MAAM,GAAGE,SAAA,GAAUD,UAAWhR,EAAA81B,aAAame,W,qBAC9CjrC,EAAAitB,aAAW,EAAAp1B,M,oJChDoD,CAAC,SAAS,oB,qFCG3E5B,MAAM,qB,0iCA4BjB,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyB/Q,EAAAA,IAElCh4B,KAAMA,KAAA,CACJolE,sBAAsB,EACtB3yB,sBAAuB,OAGzB3iC,OAAAA,GACMlM,KAAKyhE,+BACPzhE,KAAK0hE,wBAET,EAEAhhE,aAAAA,GACEV,KAAK2hE,sBACP,EAEA9gE,QAAS,CACP,yBAAM85D,CAAoB9rD,GACxB,MACEzS,MAAM,QAAEw+D,UACAt+D,KAAKsF,UAAUuQ,KACtB,aAAYnS,KAAKqB,sBAAsBrB,KAAK6S,yBAC7C,CAAEhE,UAGJ,OAAO+rD,CACT,EAEA8G,sBAAAA,GACEplE,KAAKiE,IAAIP,KAAK4hE,UAAW5sD,IAAShV,KAAK0zB,aAAc,MAErD1zB,KAAKwhE,sBAAuB,CAC9B,EAEAG,oBAAAA,IACoC,IAA9B3hE,KAAKwhE,sBACPllE,KAAKsE,KAAKZ,KAAK4hE,UAEnB,EAEA,kBAAMluC,CAAa7kB,GACjB7O,KAAK6O,YAAc7O,KAAK26D,oBAAoB9rD,EAC9C,EAEAgzD,oBAAAA,GACE,GAAI7hE,KAAKmF,MAAM+uB,SAOb,OANAl0B,KAAK2hE,uBACL3hE,KAAKwhE,sBAAuB,EAC5BxhE,KAAKmF,MAAM+uB,UAAW,EACtBl0B,KAAKmF,MAAMotD,gBAAgBr+B,UAAW,EACtCl0B,KAAKmF,MAAM28D,qBAAsB,OACjC9hE,KAAK8gC,MAAMihC,SAAStxC,QAItBzwB,KAAK0hE,yBACL1hE,KAAKmF,MAAM+uB,UAAW,EACtBl0B,KAAKmF,MAAMotD,gBAAgBr+B,UAAW,CACxC,GAGFrvB,SAAU,CACR48D,6BAAAA,GACE,OAAQzhE,KAAKmF,MAAM68D,QACrB,EAEAJ,SAAAA,GACE,OAAO5hE,KAAKizB,iCAAiCjzB,KAAKmF,MAAMqlB,KAC1D,EAEA+nC,eAAAA,GACE,OAAAzxD,EAAAA,EAAA,GACKd,KAAKmF,MAAMotD,iBAAe,IAC7Bx1D,MAAOiD,KAAKo4B,cAEhB,IC5GJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzD75B,EAAAA,EAAAA,aA4Be8V,EAAA,CA3BZlP,MAAOrH,EAAAqH,MACPmP,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAmBM,EAnBN1X,EAAAA,EAAAA,oBAmBM,MAnBNQ,EAmBM,uBAlBJR,EAAAA,EAAAA,oBAQE,SARFyjC,EAAAA,EAAAA,YACUz5B,EAORyrD,gBAPuB,CACvBrnD,IAAI,WACJnO,MAAM,uDACLqR,GAAItQ,EAAAqH,MAAMuR,UACVnZ,KAAMO,EAAAqH,MAAM6Q,U,qCACJlY,EAAA+Q,MAAKrH,GACbsH,SAAUhR,EAAAm2B,a,6BADFn2B,EAAA+Q,SAMH/Q,EAAAqH,MAAM28D,sBAAmB,kBAFjCzkE,EAAAA,EAAAA,oBAOS,U,MANPN,MAAM,gDAENG,KAAK,SACJ6J,QAAKC,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAA+6D,sBAAA/6D,EAAA+6D,wBAAA56D,M,qBAELnJ,EAAAM,GAAG,cAAD,yC,mECpB6D,CAAC,SAAS,kB,kJCqBtF,SACEU,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElC1vD,SAAU,CACRo9D,SAAAA,GACE,OAAOjiE,KAAK4zB,aAAa12B,MAAQ,MACnC,EAEAglE,SAAAA,GACE,OAAOliE,KAAK4zB,aAAasgC,IAC3B,EAEAiO,QAAAA,GACE,OAAOniE,KAAK4zB,aAAa8pB,GAC3B,EAEA0kB,QAAAA,GACE,OAAOpiE,KAAK4zB,aAAagqB,GAC3B,ICvCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDr/C,EAAAA,EAAAA,aAmBe8V,EAAA,CAlBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAUE,uBAVF1X,EAAAA,EAAAA,oBAUE,SATCsR,GAAItQ,EAAA81B,aAAald,UACjBxZ,KAAM4J,EAAAm7D,UACNvkB,IAAK52C,EAAAq7D,SACLvkB,IAAK92C,EAAAs7D,SACLlO,KAAMptD,EAAAo7D,U,qCACEpkE,EAAA+Q,MAAKrH,GACdzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDACE7I,EAAAs6B,eACPrE,YAAaj2B,EAAAqH,MAAMtG,M,6BAHXf,EAAA+Q,Y,mECT2D,CAAC,SAAS,oB,qFCG3E9R,MAAM,a,GACJA,MAAM,qB,ouBAiFnB,SACEsB,WAAY,CAAEgkE,qB,SAAoB,QAAEC,kBAAiB,UAAEC,QAAOA,EAAAA,SAC9DzjE,OAAQ,CAACy1D,EAAAA,GAAoBplD,EAAAA,GAAkBg2B,EAAAA,IAE/CloC,M,+VAAK6D,CAAA,IACA+K,EAAAA,EAAAA,IAAS,CAAC,gBAGfzP,KAAMA,KAAA,CACJ4T,mBAAmB,EACnB3K,OAAQ,GACRwJ,MAAO,GACPu8C,KAAM,GACN7pD,SAAS,IAGX2K,OAAAA,GACMlM,KAAK4zB,aAAas5B,SACpBltD,KAAK6Q,uBAET,EAEAhQ,QAAS,CAIP+T,aAAAA,CAAcvP,GACZrF,KAAKqF,OAASA,EAEd,MAAMuzB,EAAgBvzB,EAAOgoB,OAI7BrtB,KAAK64B,iBAAgB,KACnB74B,KAAK6Q,sBAAsB+nB,EAAc,GACxC,IACL,EAEAloB,IAAAA,CAAK8B,GACHxS,KAAKwzB,cACHhhB,EACAxS,KAAK4zB,aAAa5d,UAClBhW,KAAK6O,MAAMjI,OAAS,EAAI+W,KAAKC,UAAU5d,KAAK6O,OAAS,GAEzD,EAEA,2BAAMgC,CAAsBxL,GAC1BrF,KAAKuB,SAAU,EAEf,MAAM+xD,EAAc,CAClBjuD,OAAQA,EACR2L,QAAS,KACTC,OAAO,IAIH,KAAE7U,SAAeuF,EAAAA,EAAAA,IACrB4xD,EAAAA,EAAQj2B,wBAAwBt9B,KAAK4zB,aAAavyB,aAAc,CAC9DS,OAAQwxD,IAEV,KAGFtzD,KAAKuB,SAAU,EACfvB,KAAKorD,KAAOhvD,EAAKgG,SACnB,EAEA2S,cAAAA,CAAepR,GAGQ,IAFP3D,KAAK6O,MAAMwO,QAAO0jD,GAAKA,EAAElyD,QAAUlL,EAASkL,QAEhDjI,QACR5G,KAAK6O,MAAM0U,KAAK5f,EAEpB,EAEAwP,iBAAAA,EAAkB,GAAE/E,IAClB,MAAMklD,EAAc,CAClBjuD,OAAQ,GACR2L,QAAS5C,EACT6C,OAAO,GAGTsiD,EAAAA,EACGj2B,wBAAwBt9B,KAAK4zB,aAAavyB,aAAc,CACvDS,OAAQwxD,IAETnxD,MAAK,EAAG/F,MAAQgG,iBACfpC,KAAK+U,eAAe9D,IAAM7O,GAAW,IAEtC4qB,SAAQ,KACPhtB,KAAKoT,oBAAoB,GAE/B,EAEAovD,cAAAA,CAAevqC,GACbj4B,KAAK6O,MAAM2tB,OAAOvE,EAAO,EAC3B,EAEA5kB,iBAAAA,GACErT,KAAKgQ,mBAAoB,CAC3B,EAEAoD,kBAAAA,GACEpT,KAAKgQ,mBAAoB,CAC3B,IC7LJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,wYDJzDzR,EAAAA,EAAAA,aAwEe8V,EAAA,CAvEZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAuDM,EAvDN1X,EAAAA,EAAAA,oBAuDM,MAvDNQ,EAuDM,EAtDJR,EAAAA,EAAAA,oBAiCM,MAjCN6B,EAiCM,EAhCJjB,EAAAA,EAAAA,aAqBoB+kE,EAAA,CApBlBv3D,IAAI,aACH3N,KAAI,GAAKO,EAAAqH,MAAM9D,4BACfsT,QAAO7N,EAAA8N,cACP7Y,MAAO+B,EAAAu6B,SACPrjB,SAAUlX,EAAAqH,MAAM6P,SAChBiB,QAASnY,EAAAstD,KACTt2C,WAAUhO,EAAAiO,eACXE,QAAQ,QACPnG,SAAUhR,EAAA83B,oBACVr0B,QAASzD,EAAAyD,QACVxE,MAAM,U,CAEKmY,QAAMV,EAAAA,EAAAA,UACf,EADmBjX,OAAMwR,WAAUmG,YAAM,EACzCxX,EAAAA,EAAAA,aAKEg4D,EAAA,CAJCxgD,OAAQA,EACRnG,SAAUA,EACV,iBAAgBjR,EAAAqH,MAAMqQ,cACtBjY,KAAMA,G,mJAMLO,EAAAqH,MAAM0O,0BAAwB,wCADtCtV,EAAAA,EAAAA,aAQE4X,EAAA,C,MAHCpP,QAAOD,EAAAuM,kBACP9V,KAAI,GAAKO,EAAAqH,MAAM6Q,0BAChB9X,SAAS,K,gCALiBJ,EAAAM,GAAE,oBAAAuF,SAAiC7F,EAAAqH,MAAM6I,oBAAa,iCASzElQ,EAAA+Q,MAAMjI,OAAS,IAAH,kBAAvBvJ,EAAAA,EAAAA,oBAkBM,O,MAlBwBE,KAAI,GAAKO,EAAAqH,MAAM6Q,2B,CAEnB,SAAhBlY,EAAAqH,MAAMykB,QAAK,kBADnBrrB,EAAAA,EAAAA,aAOEkzD,EAAA,C,MALCrG,KAAMttD,EAAA+Q,MACN6zD,aAAW17D,EAAA,KAAAA,EAAA,GAAEgV,GAAKlV,EAAA07D,eAAexmD,IACjC,gBAAele,EAAAqH,MAAM9D,aACrBmwD,UAAW1zD,EAAA83B,oBACX,eAAc93B,EAAAqH,MAAMomD,a,4FAIC,UAAhBztD,EAAAqH,MAAMykB,QAAK,kBADnBrrB,EAAAA,EAAAA,aAOEgzD,EAAA,C,MALCnG,KAAMttD,EAAA+Q,MACN6zD,aAAW17D,EAAA,KAAAA,EAAA,GAAEgV,GAAKlV,EAAA07D,eAAexmD,IACjC,gBAAele,EAAAqH,MAAM9D,aACrBmwD,UAAW1zD,EAAA83B,oBACX,eAAc93B,EAAAqH,MAAMomD,a,sIAK3B7tD,EAAAA,EAAAA,aAME0Y,EAAA,CALC,gBAAetY,EAAAqH,MAAM9D,aACrBgV,KAAMvY,EAAAqH,MAAM0O,0BAA4B/V,EAAAkS,kBACxCswB,KAAMxiC,EAAAqH,MAAMs9C,UACZnsC,cAAcxP,EAAAqM,kBACdoD,kBAAgBvP,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAkS,mBAAoB,I,8HCjE6B,CAAC,SAAS,iB,qFCG3EjT,MAAM,a,+jCAqCjB,SACE+B,OAAQ,CAACy1D,EAAAA,GAAoByB,EAAAA,GAAkB7wB,EAAAA,IAE/CtgC,SAAU,CACRk+B,iBAAAA,GACE,OAAAjiC,EAAA,CACE5D,KAAM8C,KAAK4zB,aAAa12B,MAAQ,OAChC62B,YAAa/zB,KAAK4zB,aAAaG,aAAe/zB,KAAKmF,MAAMtG,KACzD9B,MAAOiD,KAAKo4B,aACZslB,IAAK19C,KAAK4zB,aAAa8pB,IACvBE,IAAK59C,KAAK4zB,aAAagqB,IACvBsW,KAAMl0D,KAAK4zB,aAAasgC,KACxBL,QAAS7zD,KAAK4zB,aAAaigC,SAExB7zD,KAAKo5B,sBAEZ,EAEAm5B,eAAAA,GACE,MAAM5vB,EAAQ3iC,KAAK4zB,aAAa2+B,gBAEhC,OAAAzxD,EAAAA,EAAA,GAIKd,KAAK+iC,mBACLJ,EAEP,ICpEJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2IDJzDpkC,EAAAA,EAAAA,aAkCe8V,EAAA,CAjCZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAyBM,EAzBN1X,EAAAA,EAAAA,oBAyBM,MAzBNQ,EAyBM,EAxBJR,EAAAA,EAAAA,oBASE,SATFyjC,EAAAA,EAAAA,YACUz5B,EAQRyrD,gBARuB,CACvBx1D,MAAM,uDACL4X,QAAK3N,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAA41B,cAAA51B,EAAA41B,gBAAAzsB,IACP4H,MAAO/Q,EAAA+Q,MACPT,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACZlH,SAAUhR,EAAA83B,oBACV+sC,UAAW7kE,EAAAqH,MAAMy9D,iBAAmB9kE,EAAAqH,MAAMw9D,WAAa,I,WAG1C7kE,EAAAq7B,YAAYvyB,OAAS,IAAH,kBAAlCvJ,EAAAA,EAAAA,oBAMW,Y,MAN8B+Q,GAAItQ,EAAAo7B,e,uBAC3C77B,EAAAA,EAAAA,oBAIE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAFqBpQ,EAAAq7B,aAAdm7B,K,kBAFTj3D,EAAAA,EAAAA,oBAIE,UAHC+J,IAAKktD,EAELzlD,MAAOylD,G,0DAKJx2D,EAAAqH,MAAMw9D,YAAS,kBADvBpkE,EAAAA,EAAAA,aAIEskE,EAAA,C,MAFC/+D,MAAOhG,EAAA+Q,MAAMjI,OACb+rC,MAAO70C,EAAAqH,MAAMw9D,W,mIC1BoD,CAAC,SAAS,kB,oFCG3E5lE,MAAM,a,6iCAyBjB,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElC1vD,SAAU,CACRk+B,iBAAAA,GACE,MAAO,CACLw3B,KAAMv6D,KAAK4zB,aAAa2mC,KACxBx9D,MAAOiD,KAAKo4B,aACZrE,YAAa/zB,KAAKmF,MAAMtG,KAE5B,EAEA0zD,eAAAA,GACE,MAAM5vB,EAAQ3iC,KAAK4zB,aAAa2+B,gBAEhC,OAAAzxD,EAAAA,EAAA,GACKd,KAAK+iC,mBACLJ,EAEP,IC/CJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2IDJzDpkC,EAAAA,EAAAA,aA0Be8V,EAAA,CAzBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,qBAAoBxW,EAAA+1B,iBACpB,iBAAgB/1B,EAAAsxB,c,CAENjqB,OAAKqP,EAAAA,EAAAA,UACd,IAiBM,EAjBN1X,EAAAA,EAAAA,oBAiBM,MAjBNQ,EAiBM,EAhBJR,EAAAA,EAAAA,oBASE,YATFyjC,EAAAA,EAAAA,YACUz5B,EAQRyrD,gBARuB,CACvBx1D,MAAM,yEACLqR,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACZnH,MAAO/Q,EAAA+Q,MACP8F,QAAK3N,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAA41B,cAAA51B,EAAA41B,gBAAAzsB,IACP07D,UAAW7kE,EAAAqH,MAAMy9D,iBAAmB9kE,EAAAqH,MAAMw9D,WAAa,EACvD5uC,YAAaj2B,EAAAi2B,c,WAIRj2B,EAAAqH,MAAMw9D,YAAS,kBADvBpkE,EAAAA,EAAAA,aAIEskE,EAAA,C,MAFC/+D,MAAOhG,EAAA+Q,MAAMjI,OACb+rC,MAAO70C,EAAAqH,MAAMw9D,W,mIClBoD,CAAC,SAAS,sB,2FC6BtF,SACE7yC,MAAO,CAAC,iBAERhxB,OAAQ,CACNqmC,EAAAA,GACAs1B,EAAAA,GACAlG,EAAAA,IAGFn4D,KAAMA,KAAA,CAAS67B,MAAO,IAEtB/rB,OAAAA,GACE5P,KAAKiE,IAAIP,KAAKkzB,6BAA8BlzB,KAAKuzB,qBACnD,EAEA7yB,aAAAA,GACEpE,KAAKsE,KAAKZ,KAAKkzB,6BAA8BlzB,KAAKuzB,sBAElDvzB,KAAK43B,kBACP,EAEA/2B,QAAS,CAIP6yB,YAAAA,CAAa7kB,GACX7O,KAAK6O,MAAQA,EAEb7O,KAAKzD,MAAM,gBACb,EAEAmU,IAAAA,CAAK8B,GACHxS,KAAKwzB,cAAchhB,EAAUxS,KAAK6S,eAAgB7S,KAAK6O,OAAS,IAEhE7O,KAAK63B,sBAAsBrlB,EAC7B,EAKAswD,eAAAA,EAAgB,WAAEC,IAChB,GAAIA,EAAWzrC,KAAM,CACnB,MAAME,EAAc1c,GACXioD,EAAWC,cAAc,CAC9BloD,IAAKA,EACLne,KAAMme,IAIJyc,EAAmB0rC,IACvBF,EAAWG,kBACTtrD,KAAK4kC,MAA8B,IAAvBymB,EAAc9wB,OAAgB8wB,EAAc9+D,OACzD,EAGHnE,KAAKq3B,iBAAiB0rC,EAAWzrC,KAAM,CACrCE,cACAD,oBAEJ,CACF,EAEA4rC,iBAAAA,EAAoBJ,YAAY,WAAEA,KAChC/iE,KAAK03B,iBAAiBqrC,EAAWnzC,WAAW7G,OAAOjO,IACrD,EAEA2a,aAAAA,GACEz1B,KAAK0zB,aAAa1zB,KAAK4zB,aAAa/kB,OAAS7O,KAAK6O,OAClD7O,KAAKi4B,OACP,EAEA1E,oBAAAA,CAAqB1kB,GACnB7O,KAAKi4B,OACP,ICtGJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+HDJzD15B,EAAAA,EAAAA,aAuBe8V,EAAA,CAtBZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,qBAAoBxW,EAAA+1B,iBACpBzsB,IAAKtJ,EAAAm6B,MACL,iBAAgBn6B,EAAAsxB,c,CAENjqB,OAAKqP,EAAAA,EAAAA,UACd,IAaM,EAbN1X,EAAAA,EAAAA,oBAaM,OAbDC,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,aAAY,CAAAmI,SAAqBhR,EAAA83B,wB,EAC1Cl4B,EAAAA,EAAAA,aAWE0lE,GAXF7iC,EAAAA,EAAAA,YAWE,CAVA1hC,KAAK,UACJgQ,MAAO/Q,EAAA+Q,MACPmF,SAAQlN,EAAA4sB,aACR2vC,YAAYv8D,EAAAg8D,gBACZtK,cAAc1xD,EAAAq8D,kBACdpmE,MAAK,+BAAmCe,EAAAu6B,UACxC,aAAYv6B,EAAA81B,aAAauD,WAClBr5B,EAAA81B,aAAa2+B,gBAAe,CACnCzjD,SAAUhR,EAAA83B,oBACX74B,MAAM,e,sKCf4D,CAAC,SAAS,kB,4oCCgCtF,SACE+B,OAAQ,CAACqmC,EAAAA,GAAyBovB,EAAAA,IAElC1vD,SAAU,CACRk+B,iBAAAA,GACE,MAAO,CACL7lC,KAAM8C,KAAK4zB,aAAa12B,MAAQ,OAChCwgD,IAAK19C,KAAK4zB,aAAa8pB,IACvBE,IAAK59C,KAAK4zB,aAAagqB,IACvBsW,KAAMl0D,KAAK4zB,aAAasgC,KACxBL,QAAS7zD,KAAK4zB,aAAaigC,QAC3B9/B,YAAa/zB,KAAK4zB,aAAaG,aAAe/zB,KAAKmF,MAAMtG,KACzD9B,MAAOiD,KAAKo4B,aAEhB,EAEAm6B,eAAAA,GACE,MAAM5vB,EAAQ3iC,KAAKmF,MAAMotD,gBAEzB,OAAAzxD,EAAAA,EAAA,GAIKd,KAAK+iC,mBACLJ,EAEP,IC1DJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8FDJzDpkC,EAAAA,EAAAA,aA8Be8V,EAAA,CA7BZlP,MAAOrH,EAAA81B,aACPtf,OAAQxW,EAAAwW,OACR,iBAAgBxW,EAAAsxB,aAChB,qBAAoBtxB,EAAA+1B,kB,CAEV1uB,OAAKqP,EAAAA,EAAAA,UACd,IAUE,EAVF1X,EAAAA,EAAAA,oBAUE,SAVFyjC,EAAAA,EAAAA,YACUz5B,EASRyrD,gBATuB,CACvBx1D,MAAM,uDACNG,KAAK,MACJyX,QAAK3N,EAAA,KAAAA,EAAA,OAAAC,IAAEnJ,EAAA41B,cAAA51B,EAAA41B,gBAAAzsB,IACP4H,MAAO/Q,EAAA+Q,MACPT,GAAItQ,EAAA81B,aAAald,UACjBnZ,KAAMO,EAAAqH,MAAM6Q,UACZlH,SAAUhR,EAAA83B,oBACV0D,KAAI,GAAKx7B,EAAAqH,MAAM6Q,mB,WAIVlY,EAAA81B,aAAauF,aAAer7B,EAAA81B,aAAauF,YAAYvyB,OAAS,IAAH,kBADnEvJ,EAAAA,EAAAA,oBASW,Y,MAPR+Q,GAAE,GAAKtQ,EAAAqH,MAAM6Q,kB,uBAEd3Y,EAAAA,EAAAA,oBAIE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YAFqBpQ,EAAA81B,aAAauF,aAA3Bm7B,K,kBAFTj3D,EAAAA,EAAAA,oBAIE,UAHC+J,IAAKktD,EAELzlD,MAAOylD,G,gICtB0D,CAAC,SAAS,iB,6DCFtF,SACElhC,Q,SAASu+B,QAET9sD,SAAU,CAIR0qD,aAAYA,KACH,ICPb,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,wB,6DCDpE,SACEn8B,Q,SAASu+B,QAET9sD,SAAU,CAIR0qD,aAAYA,KACH,ICPb,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,oHCepE,SACEzwD,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,cAAe,gBAAiB,eAAgB,SAExD4H,SAAU,CACRioD,mBAAAA,GACE,OAAQrwD,IAAMuD,KAAKmF,MAAMwjC,WAC3B,EAEA5F,iBAAAA,GACE,MAAO,CACLkqB,UAAU,EACVC,QAASltD,KAAKmF,MAAM+nD,QAExB,EAEAoW,cAAAA,GACE,MAAO,CACLhlB,KAAM,6BACNilB,OAAQ,8BACRnlB,MAAO,4BACPp+C,KAAKmF,MAAMwiD,UACf,ICrCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDtqD,EAAAA,EAAAA,oBAWM,OAXAN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAEG,EAAAw8D,eAAsB,U,CAEzBx8D,EAAAgmD,sBAAmB,kBAD3BzvD,EAAAA,EAAAA,oBAOE,SAPFkjC,EAAAA,EAAAA,YAOE,CAAAn5B,IAAA,GALQN,EAAAi8B,kBAAiB,CACzBhmC,MAAM,uBACLuY,IAAK9X,EAAA2H,MAAMwjC,WACZykB,SAAA,GACAC,aAAa,e,gCAGfhwD,EAAAA,EAAAA,oBAAwD,K,MAA7CN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,cAAa,IAAO,O,GCNoB,CAAC,SAAS,mB,2FCDtD5qD,MAAM,cAStC,SACEE,MAAO,CAAC,eAAgB,cAAe,gBAAiB,UCT1D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,wHDJzDI,EAAAA,EAAAA,oBAQM,aAPJK,EAAAA,EAAAA,aAMQ4Q,EAAA,CANAlI,MAAO5I,EAAA2H,MAAMiB,MAAQ,gBAAe5I,EAAA2H,MAAMi1C,W,CACrCvS,MAAIrzB,EAAAA,EAAAA,UACb,IAEO,CAFKhX,EAAA2H,MAAM0iC,OAAI,kBAAtBxqC,EAAAA,EAAAA,oBAEO,OAFPC,EAEO,EADLI,EAAAA,EAAAA,aAAyCkR,EAAA,CAAlCuyB,OAAO,EAAOjkC,KAAMM,EAAA2H,MAAM0iC,M,6FCAiC,CAAC,SAAS,mB,4jDCDtF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,4ECGpE,SACE5qC,MAAO,CAAC,eAAgB,UCH1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6FDJzDI,EAAAA,EAAAA,oBAEM,OAFAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,EACzBjqD,EAAAA,EAAAA,aAAoCo0C,EAAA,CAAtBjjC,MAAOrR,EAAA2H,MAAM0J,O,wBCG6C,CAAC,SAAS,qB,2FCIhD9R,MAAM,iC,GAOxBA,MAAM,Q,sDAe1B,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR/R,MAAO,CAAC,eAAgB,SAExBb,KAAMA,KAAA,CACJyS,MAAO,GACP6iC,QAAS,CACPmc,KAAM,iBACNC,MAAO,kBAIX/tD,OAAAA,GACEC,KAAKmF,MAAM0J,MAAQ7O,KAAKmF,MAAM0J,OAAS,CAAC,EAExC7O,KAAK6O,MAAQwO,IACXD,IAAIpd,KAAKmF,MAAM8Q,SAAS83C,IACf,CACLlvD,KAAMkvD,EAAElvD,KACRuH,MAAO2nD,EAAE3nD,MACTqQ,QAASzW,KAAKmF,MAAM0J,MAAMk/C,EAAElvD,QAAS,OAGzCkvD,KACqC,IAA/B/tD,KAAKmF,MAAM6oD,kBAA0C,IAAdD,EAAEt3C,YAEJ,IAA9BzW,KAAKmF,MAAM8oD,iBAAyC,IAAdF,EAAEt3C,UAOzD,GC9DF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8MDJzDpZ,EAAAA,EAAAA,oBAsBM,OAtBAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,EACzBjqD,EAAAA,EAAAA,aAoBW4pC,EAAA,MAfEC,MAAI/yB,EAAAA,EAAAA,UACb,IAYe,EAZf9W,EAAAA,EAAAA,aAYe8pC,EAAA,CAZDjG,MAAM,QAAM,C,uBACxB,IASK,CATKzjC,EAAA+Q,MAAMjI,OAAS,IAAH,kBAAtBvJ,EAAAA,EAAAA,oBASK,KATLC,EASK,uBARHD,EAAAA,EAAAA,oBAOK8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YANcpQ,EAAA+Q,OAAVqG,K,kBADT7X,EAAAA,EAAAA,oBAOK,MALFN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAE7I,EAAA4zC,QAAQx8B,EAAOuB,SACjB,8E,EAEN/Y,EAAAA,EAAAA,aAAyDo0C,EAAA,CAA5C/0C,MAAM,YAAa8R,MAAOqG,EAAOuB,S,mBAC9C3Z,EAAAA,EAAAA,oBAA4C,OAA5C6B,GAA4CC,EAAAA,EAAAA,iBAAtBsW,EAAO9O,OAAK,U,6BAGtC/I,EAAAA,EAAAA,oBAAgD,OAAAI,GAAAmB,EAAAA,EAAAA,iBAAA,KAA3BuG,MAAM+oD,aAAW,O,gCAhB1C,IAES,EAFTxwD,EAAAA,EAAAA,aAESkZ,EAAA,CAFDxM,QAAQ,QAAM,C,uBACpB,IAAgB,6CAAbtM,EAAAM,GAAG,SAAD,M,qBCC+D,CAAC,SAAS,0B,qFCFhFrB,MAAM,mEACL6sB,MAAO,CAAA0kC,aAAA,MAAA1mB,QAAA,QAWd,SACE3qC,MAAO,CAAC,eAAgB,UCX1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAUM,OAVAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,EACzB7qD,EAAAA,EAAAA,oBAQO,OARPQ,EAQO,EAJLR,EAAAA,EAAAA,oBAGE,QAFAC,MAAM,gBACL6sB,OAAK8iB,EAAAA,EAAAA,gBAAA,CAAA4hB,aAAA,MAAAC,gBAA0C/wD,EAAA2H,MAAM0J,S,gBCHc,CAAC,SAAS,mB,sHCQtF,SACE/P,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,eAAgB,UCX1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAMM,YALYS,EAAA47B,aAAU,kBAA1Br8B,EAAAA,EAAAA,oBAGW8J,EAAAA,SAAA,CAAAC,IAAA,IAFEtJ,EAAA67B,sBAAmB,kBAA9Bt8B,EAAAA,EAAAA,oBAAsE,O,MAArC0J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WAAClN,UAAQ/I,EAAA47B,Y,+BACpDr8B,EAAAA,EAAAA,oBAAoC,OAAAsB,GAAAC,EAAAA,EAAAA,iBAApBd,EAAA47B,YAAU,8BAE5Br8B,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,O,GCD8D,CAAC,SAAS,sB,2FCFrDV,MAAM,qB,yBAYvC,SACE+B,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,eAAgB,SAExB4H,SAAU,CACR2pD,aAAAA,GACE,GAAIxuD,KAAKmF,MAAMq0B,sBACb,OAAOx5B,KAAKmF,MAAMs0B,YAKpB,OAFcg1B,EAAAA,GAASC,QAAQ1uD,KAAKmF,MAAM0J,OAE3B8/C,eAAe,CAC5BC,KAAM,UACNC,MAAO,UACPC,IAAK,WAET,IC5BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDzxD,EAAAA,EAAAA,oBAOM,aANJP,EAAAA,EAAAA,oBAKM,OALAC,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CACb7pD,EAAAy7B,gBAAa,kBAAzBl8B,EAAAA,EAAAA,oBAEO,OAFPC,GAEOsB,EAAAA,EAAAA,iBADFkI,EAAA0nD,eAAa,wBAElBnxD,EAAAA,EAAAA,oBAA2B,OAAAsB,EAAd,OAAO,I,GCDkD,CAAC,SAAS,kB,uHCYtF,SACEG,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,eAAgB,SAExB4H,SAAU,CACR2pD,aAAAA,GACE,OAAIxuD,KAAKw5B,sBACAx5B,KAAKmF,MAAMs0B,YAGbg1B,EAAAA,GAASC,QAAQ1uD,KAAKmF,MAAM0J,OAChCmgD,QAAQhvD,KAAKkjB,UACbyrC,eAAe,CACdC,KAAM,UACNC,MAAO,UACPC,IAAK,UACLrxB,KAAM,UACNwxB,OAAQ,UACRC,aAAc,SAEpB,EAEAhsC,SAAQA,IACC5mB,KAAKoX,OAAO,iBAAmBpX,KAAKoX,OAAO,cCpCxD,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDrW,EAAAA,EAAAA,oBASM,OATAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CAEjB7pD,EAAAy7B,eAAiBz7B,EAAA07B,wBAAqB,kBAD9Cn8B,EAAAA,EAAAA,oBAMO,Q,MAJLN,MAAM,oBACL2B,MAAOlB,EAAA2H,MAAM0J,Q,qBAEX/H,EAAA0nD,eAAa,EAAAlxD,MAAA,kBAElBD,EAAAA,EAAAA,oBAA2B,OAAAsB,EAAd,OAAO,E,GCJoD,CAAC,SAAS,sB,2FCH1D5B,MAAM,qB,oCAwBlC,SACE+B,OAAQ,CAACugD,EAAAA,GAAmB8G,EAAAA,IAE5BlpD,MAAO,CAAC,eAAgB,SAExB4D,QAAS,CACPulD,IAAAA,GACEpmD,KAAK+vB,qBAAqB/vB,KAAKmF,MAAM0J,MACvC,IC7BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gIDJzDxR,EAAAA,EAAAA,oBAmBM,OAnBAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CAChB7pD,EAAAy7B,gBAAa,kBAAtBl8B,EAAAA,EAAAA,oBAgBI,IAhBJC,EAgBI,CAdMQ,EAAAy7B,gBAAa,kBADrBl8B,EAAAA,EAAAA,oBAOI,K,MALD0J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WACVpX,KAAI,UAAYa,EAAA2H,MAAM0J,QACvB9R,MAAM,mC,qBAEHe,EAAA47B,YAAU,EAAA/6B,KAAA,+BAIPb,EAAAy7B,eAAiB/7B,EAAA2H,MAAMm6C,WAAaxhD,EAAA67B,qBAAmB,wCAD/Dp7B,EAAAA,EAAAA,aAKE8nD,EAAA,C,MAHCt/C,SAAKgN,EAAAA,EAAAA,eAAejN,EAAAs/C,KAAI,oBAEzBrpD,MAAM,Q,yBADKe,EAAAM,GAAG,yBAAD,sDAIjBf,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,OAAO,E,GCduD,CAAC,SAAS,mB,2FCOhFV,MAAM,eAmBZ,SACE+B,OAAQ,C,SAACqnD,IACTlpD,MAAO,CAAC,cAAe,gBAAiB,eAAgB,SAExDb,KAAMA,KAAA,CACJmF,SAAS,IAGXsD,SAAU,CACRwqD,gBAAAA,GACE,OAAOrvD,KAAKovD,QACd,EAEAA,QAAAA,GACE,OAAOpvD,KAAKmF,OAAOmqD,cAAgBtvD,KAAKmF,OAAOwjC,UACjD,EAEA26B,cAAAA,GACE,MAAO,CACLhlB,KAAM,6BACNilB,OAAQ,8BACRnlB,MAAO,4BACPp+C,KAAKmF,MAAMwiD,UACf,ICjDJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,iIDJzDtqD,EAAAA,EAAAA,oBAuBM,OAvBAN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAEG,EAAAw8D,eAAsB,U,CAEzBx8D,EAAAuoD,mBAAgB,kBADxB9wD,EAAAA,EAAAA,aAMEixD,EAAA,C,MAJCl6C,IAAKxO,EAAAsoD,SACL,YAAW5xD,EAAA2H,MAAMktC,UAAY70C,EAAA2H,MAAMq+D,WACnC9jC,QAASliC,EAAA2H,MAAMu6B,QACf4S,OAAQ90C,EAAA2H,MAAMmtC,Q,gFAITx0C,EAAA07B,wBAA0B1yB,EAAAsoD,UAAQ,wCAD1C/xD,EAAAA,EAAAA,oBAMO,OANPC,EAMO,6CADFE,EAAA2H,MAAMs0B,aAAW,UAFTj8B,EAAA2H,MAAM0J,UAAK,+BAKf/Q,EAAA07B,uBAA0B1yB,EAAAsoD,UAEX,gCAFmB,wCAD3C/xD,EAAAA,EAAAA,oBAMI,K,MAJDN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,uBAEvB,QAED,QAHanqD,EAAA2H,MAAM0J,UAAK,E,GCfgD,CAAC,SAAS,kB,4ECAtF,SACE5R,MAAO,CAAC,QAAS,cAAe,gBAAiB,iBCDnD,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAAQ,O,GCIkE,CAAC,SAAS,qB,qFCJ/EN,MAAM,UAIb,SACEE,MAAO,CAAC,eAAgB,UCD1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAAsB,MAAtBC,E,GCI0E,CAAC,SAAS,oB,8HCgBtF,SACEwB,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,WAAY,eAAgB,SAEpC4H,SAAU,CACR4+D,OAAAA,GACE,OAAQhnE,IAAMuD,KAAKmF,MAAM+mB,WAC3B,EAEA6Q,gBAAAA,GACE,OAAO/8B,KAAK2D,UAAUo5B,mBAAoB,CAC5C,IC5BJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sFDJzD1/B,EAAAA,EAAAA,oBAaM,OAbAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CAGjB7pD,EAAAy7B,gBAAkBzyB,EAAA28D,SAAW38D,EAAAi2B,mBAAgB,kBAFrDx+B,EAAAA,EAAAA,aAOOP,EAAA,C,MANJ+I,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WAEVpX,KAAMmB,EAAAG,KAAK,cAAcT,EAAA6D,gBAAgB7D,EAAA2H,MAAM0J,SAChD9R,MAAM,gB,wBAEN,IAAgB,6CAAbe,EAAA47B,YAAU,M,kBAED57B,EAAAy7B,eAAiBzyB,EAAA28D,UAAO,kBAAtCpmE,EAAAA,EAAAA,oBAEI,IAAAC,GAAAsB,EAAAA,EAAAA,iBADCpB,EAAA2H,MAAM+mB,YAAcpuB,EAAA47B,YAAU,wBAEnCr8B,EAAAA,EAAAA,oBAAqB,IAAAsB,EAAX,OAAO,E,GCRuD,CAAC,SAAS,gB,4GCUtF,SACEG,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,eAAgB,UCb1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAQM,OARAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CACT7pD,EAAA47B,aAAU,kBAA1Br8B,EAAAA,EAAAA,oBAKW8J,EAAAA,SAAA,CAAAC,IAAA,IAJEtJ,EAAA67B,sBAAmB,kBAA9Bt8B,EAAAA,EAAAA,oBAAsE,O,MAArC0J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WAAClN,UAAQ/I,EAAA47B,Y,+BACpDr8B,EAAAA,EAAAA,oBAEO,Q,MAFMN,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,oBAA4BnJ,EAAA2H,MAAMusC,Y,qBAChD5zC,EAAA47B,YAAU,8BAGjBr8B,EAAAA,EAAAA,oBAAqB,IAAAsB,EAAX,OAAO,E,GCHuD,CAAC,SAAS,kB,sGCatF,SACE1B,MAAO,CAAC,eAAgB,cAAe,gBAAiB,SAExD4H,SAAU,CAIR6+D,qBAAAA,GACE,OACE1jE,KAAKmF,MAAMwrD,aAAe3wD,KAAK4C,aAC/B5C,KAAKmF,MAAMsrD,WAAazwD,KAAK6C,aAEjC,ICzBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,oEDFjDrF,EAAA2H,MAAMmoD,UAAY9vD,EAAA2H,MAAM0J,QAAU/H,EAAA48D,wBAAqB,kBAF/DnlE,EAAAA,EAAAA,aAQOP,EAAA,C,MAPJ+I,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WAEVpX,KAAMmB,EAAAG,KAAK,cAAcT,EAAA2H,MAAM9D,gBAAgB7D,EAAA2H,MAAMsrD,aACtD1zD,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,0CAAyC,QAC/BnJ,EAAA2H,MAAMwiD,e,wBAEtB,IAAyB,6CAAtBnqD,EAAA2H,MAAMurD,eAAgB,MAAE9xD,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAM0J,OAAK,M,0BAG1BrR,EAAA2H,MAAM0J,QAAK,kBAA5BxR,EAAAA,EAAAA,oBAEO,OAAAC,GAAAsB,EAAAA,EAAAA,iBADFpB,EAAA2H,MAAMurD,eAAiBlzD,EAAA2H,MAAMwrD,aAAc,MAAE/xD,EAAAA,EAAAA,iBAAGpB,EAAA2H,MAAM0J,OAAK,wBAEhExR,EAAAA,EAAAA,oBAA2B,OAAAsB,EAAd,K,GCT6D,CAAC,SAAS,iC,+tDCDtF,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,qB,wJCapE,SACE1B,MAAO,CAAC,eAAgB,SAExB4H,SAAU,CACR8+D,SAAAA,GACE,OAAO3jE,KAAK6wD,YAAYjqD,OAAS,CACnC,EAEAiqD,WAAAA,GACE,IAAI9hD,EAAW,GAaf,OAXAqJ,IAAQpY,KAAKmF,MAAM8Q,SAASf,IAC1B,IAAIrG,EAAQqG,EAAOrG,MAAMvC,YAGvBqqB,IAAQ32B,KAAKmF,MAAM0J,MAAOA,IAAU,GACpC8nB,IAAQ32B,KAAKmF,MAAM0J,OAAOvC,WAAYuC,IAAU,IAEhDE,EAASwU,KAAKrO,EAAO9O,MACvB,IAGK2I,CACT,ICnCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzD1R,EAAAA,EAAAA,oBASM,YARYyJ,EAAA68D,YAAS,oBACvBtmE,EAAAA,EAAAA,oBAIE8J,EAAAA,SAAA,CAAAC,IAAA,IAAA8G,EAAAA,EAAAA,YAHepH,EAAA+pD,aAAR95B,K,kBADT15B,EAAAA,EAAAA,oBAIE,Q,aAFAuB,EAAAA,EAAAA,iBAAQm4B,GACRh6B,MAAM,iG,uCAGVM,EAAAA,EAAAA,oBAAqB,IAAAsB,EAAX,O,GCJ8D,CAAC,SAAS,yB,sFCHlF7B,EAAAA,EAAAA,oBAEO,QAFDC,MAAM,aAAY,qBAExB,IAKJ,SACEE,MAAO,CAAC,eAAgB,UCL1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAIM,OAJAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,OCI+C,CAAC,SAAS,sB,6DCFtF,SACEv0B,Q,SAAS69B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,mB,2GCAjDl0D,MAAM,qB,UASzB,SACE+B,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,eAAgB,UCX1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAMM,OANAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CACT7pD,EAAA47B,aAAU,kBAA1Br8B,EAAAA,EAAAA,oBAGW8J,EAAAA,SAAA,CAAAC,IAAA,IAFEtJ,EAAA67B,sBAAmB,kBAA9Bt8B,EAAAA,EAAAA,oBAAsE,O,MAArC0J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WAAClN,UAAQ/I,EAAA47B,Y,+BACpDr8B,EAAAA,EAAAA,oBAA8D,OAA9DsB,GAA8DC,EAAAA,EAAAA,iBAApBd,EAAA47B,YAAU,8BAEtDr8B,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,OAAO,E,GCDuD,CAAC,SAAS,oB,6DCFtF,SACE21B,Q,SAAS69B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,kB,4HCWpE,MAGA,GACEh0D,MAAO,CAAC,eAAgB,SAExBb,KAAMA,KAAA,CAASq+C,SAAU,OAEzBv6B,MAAO,CACL,aAAc,SAAUy6B,EAASC,GAC/B56C,KAAK66C,aACP,GAGFh6C,QAAS,CACPg6C,WAAAA,GACE76C,KAAKy6C,SAAS5K,OAAO7vC,KAAKmF,MAAM/I,KAClC,GAGF8P,OAAAA,GACElM,KAAKy6C,SAAW,IAAIM,IAAS/6C,KAAKkxD,aAChClxD,KAAK8gC,MAAMka,MACX,CAAEgB,OAAQ,CAACh8C,KAAKmF,MAAM/I,OACtB,CACEqlC,OAAQzhC,KAAKmxD,YACb5vB,MAAOvhC,KAAKoxD,WACZpT,WAAW,EACXlqB,WAAW,EACXqqB,aAAc,CAAEhN,IAAK,EAAGiN,MAAO,EAAGC,OAAQ,EAAGC,KAAM,GACnDC,MAAO,CAAEC,UAAU,EAAOlD,WAAW,EAAOpR,OAAQ,GACpDuU,MAAO,CAAED,UAAU,EAAOlD,WAAW,EAAOpR,OAAQ,IAG1D,EAEArlC,SAAU,CAIRwsD,OAAAA,GACE,OAAOrxD,KAAKmF,MAAM/I,KAAKwK,OAAS,CAClC,EAKAsqD,UAAAA,GAEE,IAAIA,EAAalxD,KAAKmF,MAAM+rD,WAAW/sB,cAGvC,MAJmB,CAAC,OAAQ,OAIZxU,SAASuhC,GAElBA,EAAW5yB,OAAO,GAAGD,cAAgB6yB,EAAWn5B,MAAM,GAFhB,MAG/C,EAKAo5B,WAAAA,GACE,OAAOnxD,KAAKmF,MAAMs8B,QA7DF,EA8DlB,EAKA2vB,UAAAA,GACE,OAAOpxD,KAAKmF,MAAMo8B,OAnEH,GAoEjB,IC/EJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,6BDJ9Cz6B,EAAAuqD,UAAO,kBAAlBh0D,EAAAA,EAAAA,oBAMM,MAAAC,EAAA,EALJR,EAAAA,EAAAA,oBAIE,OAHAoO,IAAI,QACJnO,MAAM,WACL6sB,OAAK8iB,EAAAA,EAAAA,gBAAA,CAAAnL,MAAWz6B,EAAAsqD,WAAU3vB,OAAU36B,EAAAqqD,e,6CCAiC,CAAC,SAAS,uB,2FCF3Ep0D,MAAM,kB,UAgBjB,SACEE,MAAO,CAAC,eAAgB,SAExB4H,SAAU,CAIRsqD,QAAAA,GACE,OAAOnvD,KAAKmF,MAAMmsD,KACpB,ICvBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDj0D,EAAAA,EAAAA,oBAcM,OAdAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CACT7gD,EAAAqoD,WAAQ,kBACtB9xD,EAAAA,EAAAA,oBASM,MATNC,EASM,uBARJD,EAAAA,EAAAA,oBAOE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YALe1Q,EAAA2H,MAAMmsD,OAAdhc,K,kBAFT/2C,EAAAA,EAAAA,cAOE4P,EAAAA,EAAAA,yBAAA,SAHcmnC,EAAKroC,aAAS,CAH3B7F,IAAKkuC,EAAKzmC,MAEX9R,MAAM,oBAELoI,MAAOmwC,EACPj0C,aAAc7D,EAAA6D,c,iEAIrBhE,EAAAA,EAAAA,oBAAqB,IAAAsB,EAAX,OAAO,E,GCTuD,CAAC,SAAS,mB,qFCJ/E5B,MAAM,qB,GAEDA,MAAM,cAqBlB,SACE+B,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,eAAgB,SAExB4H,SAAU,CACR++D,WAAAA,GACE,MAAO,CACoB,WAAzB5jE,KAAKmF,MAAMwiD,WAA0B,UACZ,UAAzB3nD,KAAKmF,MAAMwiD,WAAyB,eACX,SAAzB3nD,KAAKmF,MAAMwiD,WAAwB,eACnC3nD,KAAKmF,MAAMi1C,UAEf,IChCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,2JDJzD/8C,EAAAA,EAAAA,oBAiBM,MAjBNC,EAiBM,EAhBJI,EAAAA,EAAAA,aAeQ4Q,EAAA,CAfDvR,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,sCAA8CG,EAAA88D,e,wBACzD,IAYO,EAZP9mE,EAAAA,EAAAA,oBAYO,OAZP6B,EAYO,CAXuB,WAAdnB,EAAA2H,MAAMjI,OAAI,kBAAxBqB,EAAAA,EAAAA,aAAiEgzC,EAAA,C,MAA1BhQ,MAAM,KAAKxkC,MAAM,W,+BAElC,UAAdS,EAAA2H,MAAMjI,OAAI,kBADlBqB,EAAAA,EAAAA,aAIEqQ,EAAA,C,MAFCuyB,OAAO,EACRjkC,KAAK,yB,+BAGe,WAAdM,EAAA2H,MAAMjI,OAAI,kBADlBqB,EAAAA,EAAAA,aAIEqQ,EAAA,C,MAFCuyB,OAAO,EACRjkC,KAAK,mB,uDAEF,KACP0B,EAAAA,EAAAA,iBAAGd,EAAA47B,YAAU,M,sBCXyD,CAAC,SAAS,oB,qFCIvE38B,MAAM,O,UA0BrB,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGR/R,MAAO,CAAC,QAAS,WAAY,eAAgB,aAAc,UCnC7D,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+ODJzDI,EAAAA,EAAAA,oBA4BM,OA5BAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CACTnqD,EAAA2H,MAAM0J,MAAMjI,OAAS,IAAH,kBAAlCrI,EAAAA,EAAAA,aAyBW+oC,EAAA,CAAAlgC,IAAA,IApBEmgC,MAAI/yB,EAAAA,EAAAA,UACb,IAiBe,EAjBf9W,EAAAA,EAAAA,aAiBe8pC,EAAA,CAjBDjG,MAAM,QAAM,C,uBACxB,IAeM,EAfNzkC,EAAAA,EAAAA,oBAeM,MAfNQ,EAeM,CAboB,SAAhBE,EAAA2H,MAAMykB,QAAK,kBADnBrrB,EAAAA,EAAAA,aAMEkzD,EAAA,C,MAJCrG,KAAM5tD,EAAA2H,MAAM0J,MACZ,gBAAerR,EAAA2H,MAAM9D,aACrBmwD,UAAU,EACV,eAAch0D,EAAA2H,MAAMomD,a,iFAGC,UAAhB/tD,EAAA2H,MAAMykB,QAAK,kBADnBrrB,EAAAA,EAAAA,aAMEgzD,EAAA,C,MAJCnG,KAAM5tD,EAAA2H,MAAM0J,MACZ,gBAAerR,EAAA2H,MAAM9D,aACrBmwD,UAAU,EACV,eAAch0D,EAAA2H,MAAMomD,a,sHAnB7B,IAES,EAFT7tD,EAAAA,EAAAA,aAESkZ,EAAA,CAFDxM,QAAQ,QAAM,C,uBACpB,IAAgB,6CAAbtM,EAAAM,GAAG,SAAD,M,oCAwBTf,EAAAA,EAAAA,oBAAqB,IAAAsB,EAAX,OAAO,E,GCvBuD,CAAC,SAAS,iB,2FCU9E5B,MAAM,qB,mDAkBd,SACE+B,OAAQ,CAACugD,EAAAA,GAAmB8G,EAAAA,IAE5BlpD,MAAO,CAAC,eAAgB,SAExB4D,QAAS,CACPulD,IAAAA,GACEpmD,KAAK+vB,qBAAqB/vB,KAAKmF,MAAM0J,MACvC,ICpCJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gIDJzDxR,EAAAA,EAAAA,oBA0BM,OA1BAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CACT7pD,EAAA47B,aAAU,kBAA1Br8B,EAAAA,EAAAA,oBAuBW8J,EAAAA,SAAA,CAAAC,IAAA,IArBDtJ,EAAA47B,YAAcl8B,EAAA2H,MAAMm6C,WAAaxhD,EAAA67B,qBAAmB,wCAD5Dp7B,EAAAA,EAAAA,aAQa8nD,EAAA,C,MANVt/C,SAAKgN,EAAAA,EAAAA,eAAejN,EAAAs/C,KAAI,qB,wBAGzB,IAEO,EAFPtpD,EAAAA,EAAAA,oBAEO,QAFDoO,IAAI,kBAAetM,EAAAA,EAAAA,iBACpBd,EAAA47B,YAAU,Q,yBAHJ57B,EAAAM,GAAG,yBAQHN,EAAA47B,YAAel8B,EAAA2H,MAAMm6C,UAAaxhD,EAAA67B,oBAOlC77B,EAAA47B,aAAel8B,EAAA2H,MAAMm6C,UAAYxhD,EAAA67B,sBAAmB,kBAFjEt8B,EAAAA,EAAAA,oBAIE,O,MAHC0J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WAEXlN,UAAQ/I,EAAA47B,Y,+BAEVr8B,EAAAA,EAAAA,oBAAqB,IAAAI,EAAX,QAVwD,kBADlEJ,EAAAA,EAAAA,oBAKO,OALPC,GAKOsB,EAAAA,EAAAA,iBADFd,EAAA47B,YAAU,KAOE,yBAEnBr8B,EAAAA,EAAAA,oBAAqB,IAAAO,EAAX,OAAO,E,GCrBuD,CAAC,SAAS,kB,2GCDnEb,MAAM,qB,qBAmBzB,SACE+B,OAAQ,C,SAACqnD,IAETlpD,MAAO,CAAC,eAAgB,UCrB1B,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDI,EAAAA,EAAAA,oBAgBM,OAhBAN,OAAK4J,EAAAA,EAAAA,gBAAA,QAAUnJ,EAAA2H,MAAMwiD,c,CACT7pD,EAAAy7B,gBAAa,kBAA7Bl8B,EAAAA,EAAAA,oBAaW8J,EAAAA,SAAA,CAAAC,IAAA,IAZEtJ,EAAA67B,sBAAmB,kBAA9Bt8B,EAAAA,EAAAA,oBAAsE,O,MAArC0J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,WAAClN,UAAQ/I,EAAA47B,Y,+BACpDr8B,EAAAA,EAAAA,oBAUO,OAVPsB,EAUO,EATL7B,EAAAA,EAAAA,oBAQI,KAPFC,MAAM,eACLJ,KAAMa,EAAA2H,MAAM0J,MACborC,IAAI,sBACJ/4C,OAAO,SACN6F,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAN,QAAW,a,qBAERjW,EAAA47B,YAAU,EAAAj8B,OAAA,yBAInBJ,EAAAA,EAAAA,oBAAqB,IAAAO,EAAX,OAAO,E,GCXuD,CAAC,SAAS,iB,6DCFtF,SACEw1B,Q,SAASs+B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,wB,6DCDpE,SACEt+B,Q,SAASu+B,SCAX,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,SAAS,uB,wECH7D50D,MAAM,6B,GACJA,MAAM,6CASf,SACE8B,KAAM,QCPR,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,yFDJzDxB,EAAAA,EAAAA,oBAMM,MANNC,EAMM,EALJR,EAAAA,EAAAA,oBAEM,MAFN6B,EAEM,EADJjB,EAAAA,EAAAA,aAAuBmmE,EAAA,CAAd9mE,MAAM,WAGjBc,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCDgE,CAAC,SAAS,a,+DCEtF,SAEA,ECJA,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+CDJzDV,EAAAA,EAAAA,oBAEM,aADJQ,EAAAA,EAAAA,YAAQC,EAAAC,OAAA,Y,GCGgE,CAAC,SAAS,c,+DCEtF,SACEc,KAAM,eAENklB,O,SAAQ+/C,GCLV,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gGDJzDvlE,EAAAA,EAAAA,aAAkBwlE,E,GCIwD,CAAC,SAAS,iB,6ECYtF,SACEllE,KAAM,SAEN5B,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZjD,WAAY,CACViD,UAAU,GAEZC,oBAAqB,CACnBrS,KAAMC,OACNmS,UAAU,GAEZ1M,YAAa,CACXxF,QAAS,IAEXyF,cAAe,CACbzF,QAAS,IAEXoS,eAAgB,CACdtS,KAAMuS,QAER3M,gBAAiB,CACf1F,QAAS,IAEXsS,YAAa,CACXtS,SAAS,IAIbhB,KAAMA,KAAA,CACJ6X,cAAcmuC,EAAAA,EAAAA,QC7ClB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gGDJzD7jD,EAAAA,EAAAA,aAUEylE,EAAA,CATC,gBAAexmE,EAAA6D,aACf,cAAa7D,EAAA6O,WACb,wBAAuB7O,EAAA+R,oBACvB,eAAc/R,EAAAoF,YACd,kBAAiBpF,EAAAqF,cACjB,kBAAiBrF,EAAAgS,eACjB,mBAAkBhS,EAAAsF,gBAClB4M,YAAalS,EAAAkS,YACb,iBAAgB5R,EAAAmW,c,uKCLuD,CAAC,SAAS,e,8ECStF,SACEpV,KAAM,SAENR,WAAY,CACV4lE,e,SAAcA,GAGhBhnE,OAAO4O,EAAAA,EAAAA,IAAS,CACd,eACA,cACA,gBACA,qBCpBJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gGDJzDtN,EAAAA,EAAAA,aAME2lE,EAAA,CALC,gBAAepmE,EAAAuD,aACf,eAAcvD,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBACnBsB,KAAK,Q,gFCDmE,CAAC,SAAS,e,6ECKhFrH,MAAM,qB,yBA+BZ,SACEE,MAAO,CACL4B,KAAM,CACJ3B,KAAMC,OACNmS,UAAU,EACVlS,QAAS,SAIbhB,KAAMA,KAAA,CACJmF,SAAS,EACT6E,MAAO,GACPI,MAAO,GACP29D,mBAAmB,EACnBC,YAAY,IAGdrkE,OAAAA,GACEC,KAAKqkE,gBACP,EAEAxjE,QAAS,CACP,oBAAMwjE,GACJrkE,KAAKuB,SAAU,EAEf,IACE,MACEnF,MAAM,MAAEgK,EAAK,MAAEI,EAAK,kBAAE29D,EAAiB,WAAEC,UACjCziE,EAAAA,EAAAA,IACRrF,KAAKsF,UAAUC,IAAI7B,KAAKskE,kBAAmB,CACzCxiE,OAAQ9B,KAAK+N,kBAEf,KAGF/N,KAAKuB,SAAU,EACfvB,KAAKoG,MAAQA,EACbpG,KAAKwG,MAAQA,EACbxG,KAAKmkE,kBAAoBA,EACzBnkE,KAAKokE,WAAaA,CACpB,CAAE,MAAOroE,GACP,GAA6B,KAAzBA,EAAMF,SAASM,OACjB,OAAOG,KAAKM,kBAGdN,KAAKO,MAAM,OACb,CACF,EAEA0nE,gBAAAA,GACEjoE,KAAKC,MAAM,iBACb,GAGFsI,SAAU,CAIRy/D,iBAAAA,GACE,MAAQ,wBAAuBtkE,KAAKnB,MACtC,EAKAyH,eAAAA,GACE,OAAOtG,KAAKwG,MAAMI,OAAS,CAC7B,EAKAmH,gBAAeA,IACN,O,eC7Gb,MCEA,GACElP,KAAM,YAENR,WAAY,CACVmmE,eDN6B,OAAgB,EAAQ,CAAC,CAAC,S,yQDJzDjmE,EAAAA,EAAAA,aAmCc8H,EAAA,CAlCX9E,QAASzD,EAAAyD,QACThE,KAAI,kBAAsBsB,KAC3B9B,MAAM,a,wBAEN,IAAuB,EAAvBW,EAAAA,EAAAA,aAAuBe,EAAA,CAAhBC,MAAOZ,EAAAsI,OAAK,kBAGVtI,EAAAsI,QAAUtI,EAAAsmE,YAAetmE,EAAAqmE,oBAAiB,kBADnD9mE,EAAAA,EAAAA,oBAuBM,MAvBNC,EAuBM,CAnBWQ,EAAAsI,QAAUtI,EAAAsmE,aAAU,kBAAnC7lE,EAAAA,EAAAA,aAEUkI,EAAA,CAAAW,IAAA,I,uBADR,IAAe,6CAAZtJ,EAAAM,GAAGN,EAAAsI,QAAK,M,uCAOLtI,EAAAqmE,oBAAiB,kBAJzB9mE,EAAAA,EAAAA,oBAcS,U,MAbN0J,QAAKC,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAOH,EAAAy9D,kBAAAz9D,EAAAy9D,oBAAAt9D,IAAgB,WAC7B/J,KAAK,SACLH,MAAM,oCAENmB,SAAS,K,uBAETR,EAAAA,EAAAA,aAMEkR,EAAA,CALA7R,MAAM,mCACLokC,OAAO,EACRjkC,KAAK,UACLqkC,MAAM,M,cACKzjC,EAAAM,GAAG,kBAAD,kEAKR0I,EAAAR,kBAAe,kBAA1BjJ,EAAAA,EAAAA,oBAEM,MAAAsB,EAAA,CADSb,EAAA0I,MAAMI,OAAS,IAAH,kBAAzBrI,EAAAA,EAAAA,aAAgDgI,EAAA,C,MAAhBC,MAAO1I,EAAA0I,O,sHC7B+B,CAAC,SAAS,oBCSpFvJ,MAAO,CACL4B,KAAM,CACJ3B,KAAMC,OACNmS,UAAU,EACVlS,QAAS,UCXf,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,+FDJzDmB,EAAAA,EAAAA,aAA8BkmE,EAAA,CAAd5lE,KAAMrB,EAAAqB,MAAI,gB,GCIgD,CAAC,SAAS,kB,+DCOtF,SACEA,KAAM,SAEN5B,OAAO4O,E,SAAAA,IAAS,CAAC,eAAgB,gBCVnC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gGDJzDtN,EAAAA,EAAAA,aAKEuxD,EAAA,CAJCzuD,aAAcvD,EAAAuD,aACdgL,WAAYvO,EAAAuO,WACZ5M,oBAAoB,EACpBE,sBAAsB,G,wCCAiD,CAAC,SAAS,e,+DCEtF,SACEd,KAAM,eAENklB,O,SAAQ+/C,GCLV,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gGDJzDvlE,EAAAA,EAAAA,aAAkBmmE,E,GCIwD,CAAC,SAAS,iB,+DCEtF,SACE7lE,KAAM,eAENklB,O,SAAQ+/C,GCLV,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,gGDJzDvlE,EAAAA,EAAAA,aAAkBomE,E,GCIwD,CAAC,SAAS,iB,wECG5E5nE,MAAM,yC,GAMLA,MAAM,Q,GACFA,MAAM,aAAaoX,IAAI,S,0BAgCtC,SACE4P,OAAQ6gD,EAAAA,EAERvmE,WAAY,CACV2Q,OAAMA,EAAAA,GAGR5S,KAAMA,KAAA,CACJmrB,KAAMjrB,KAAKirB,KAAK,CACd5M,MAAO,OAIX9Z,QAAS,CACP,aAAMohD,GACJ,MAAM,QAAEzlD,SAAkBwD,KAAKunB,KAAKpV,KAAK7V,KAAKwe,IAAI,oBAElDxe,KAAK0kB,SAAS3K,KAAK7Z,EAAS,CAC1BykB,OAAQ,CACNla,QAASA,IAAMzK,KAAKM,kBACpBskB,KAAMlhB,KAAK5B,GAAG,WAEhB+iB,SAAU,KACVjkB,KAAM,YAGRkkB,YAAW,IAAM9kB,KAAKM,mBAAmB,IAC3C,GAGFiI,SAAU,CACRggE,sBAAqBA,IACZvoE,KAAKoX,OAAO,qBAGrBoxD,mBAAkBA,IACTxoE,KAAKoX,OAAO,wBC9EzB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,8ODJzDnV,EAAAA,EAAAA,aAuCc8H,EAAA,CAvCA9E,SAAS,GAAK,C,uBAC1B,IAAuC,EAAvC7D,EAAAA,EAAAA,aAAuCe,EAAA,CAAhCC,MAAOZ,EAAAM,GAAG,oB,mBAEjBtB,EAAAA,EAAAA,oBAmCO,QAlCJgX,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAm7C,SAAAn7C,EAAAm7C,WAAAh7C,IAAO,cACxBlK,MAAM,qE,EAEND,EAAAA,EAAAA,oBAEK,KAFLQ,GAEKsB,EAAAA,EAAAA,iBADAd,EAAAM,GAAG,0BAAD,IAGPV,EAAAA,EAAAA,aAAeqnE,IAEfjoE,EAAAA,EAAAA,oBAgBM,MAhBN6B,EAgBM,EAfJ7B,EAAAA,EAAAA,oBAAuE,QAAvEW,GAAuEmB,EAAAA,EAAAA,iBAA9Bd,EAAAM,GAAG,kBAAD,yBAC3CtB,EAAAA,EAAAA,oBASE,S,qCARSgB,EAAAypB,KAAK5M,MAAKnT,GACnBzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDAAsD,+BACnB7I,EAAAypB,KAAKjT,OAAOyB,IAAI,YACzD3H,GAAG,QACHlR,KAAK,QACL2B,KAAK,QACLyQ,SAAS,GACT01D,UAAU,I,uBAPDlnE,EAAAypB,KAAK5M,SAU0B7c,EAAAypB,KAAKjT,OAAOyB,IAAI,WAAD,kBAAzDxX,EAAAA,EAAAA,aAEWynC,EAAA,C,MAFDjpC,MAAM,qB,wBACd,IAAgC,6CAA7Be,EAAAypB,KAAKjT,OAAOrD,MAAM,UAAD,M,0CAIxBvT,EAAAA,EAAAA,aAMSkZ,EAAA,CALP7Z,MAAM,6BACNG,KAAK,SACJqE,QAASzD,EAAAypB,KAAKihB,Y,wBAEf,IAAoC,6CAAjC1qC,EAAAM,GAAG,6BAAD,M,oCChC+D,CAAC,SAAS,uB,+DCMtF,SACES,KAAM,QAEN5B,OAAO4O,E,SAAAA,IAAS,CAAC,kBCTnB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,+FDJzDtN,EAAAA,EAAAA,aAIEovD,EAAA,CAHCtsD,aAAcvD,EAAAuD,aACd5B,oBAAoB,EACpBE,sBAAsB,G,2BCCiD,CAAC,SAAS,c,6FCgBhF5C,MAAM,0B,ihCAgLZ,SACE+B,OAAQ,CACNG,EAAAA,GACAD,EAAAA,GACAE,EAAAA,GACAC,EAAAA,GACAE,EAAAA,GACAC,EAAAA,GACAC,EAAAA,GACAC,EAAAA,IAGFX,KAAM,OAEN5B,MAAO,CACLyhB,KAAM,CACJxhB,KAAMC,OACNmS,UAAU,GAGZjI,WAAY,CACVnK,KAAMwC,QACN4P,UAAU,IAIdlT,KAAMA,KAAA,CACJ0D,gBAAiB,KACjBy7B,eAAe,IAMjB,aAAMx7B,GACCC,KAAKC,sBAIVD,KAAKiD,aAEL3G,KAAKiE,IAAI,oBAAqBP,KAAKQ,cACrC,EAEAE,aAAAA,GACEpE,KAAKsE,KAAK,oBAAqBZ,KAAKQ,cAEP,OAAzBR,KAAKF,iBAA0BE,KAAKF,iBAC1C,EAEAe,QAAOC,EAAAA,EAAA,IACFC,EAAAA,EAAAA,IAAW,CAAC,mBAAiB,IAKhCP,YAAAA,GACER,KAAKuB,SAAU,EACfvB,KAAKwB,sBAAwB,KAE7BxB,KAAKyB,WAAU,KACbzB,KAAK0B,2BAEEC,EAAAA,EAAAA,IACLrF,KAAKsF,UAAUC,IACb,aAAe7B,KAAKqB,aAAe,SAAWrB,KAAK0e,KACnD,CACE5c,OAAQ9B,KAAK+B,2BACbC,YAAa,IAAIC,EAAAA,IAAYC,IAC3BlC,KAAKkC,UAAYA,CAAQ,MAI/B,KAECC,MAAK,EAAG/F,WACP4D,KAAKoC,UAAY,GAEjBpC,KAAKqC,iBAAmBjG,EACxB4D,KAAKoC,UAAYhG,EAAKgG,UACtBpC,KAAKsC,YAAclG,EAAKkG,YACxBtC,KAAKuC,QAAUnG,EAAKoG,SACpBxC,KAAKu7B,cAAgBn/B,EAAK6oE,MAE1BjlE,KAAKyC,uBAAuB,IAE7BC,OAAM1B,IACL,KAAIhF,EAAAA,EAAAA,IAASgF,GAOb,MAHAhB,KAAKuB,SAAU,EACfvB,KAAKwB,sBAAwBR,EAEvBA,CAAA,MAGd,EAKAiC,UAAAA,GAC+B,OAAzBjD,KAAKF,iBAA0BE,KAAKF,kBAExCE,KAAKkD,QAAU,GACflD,KAAKmD,aAAe,KAEpB7G,KAAKsF,UACFC,IAAK,aAAY7B,KAAKqB,qBAAqBrB,KAAK0e,eAAgB,CAC/D5c,OAAQ,CACNc,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtBH,iBAAkB3C,KAAK2C,iBACvBS,QAAS,QACThB,UAAWpC,KAAKqD,yBACZ,MACArD,KAAKsD,qBAEXtB,YAAa,IAAIC,EAAAA,IAAYC,IAC3BlC,KAAKF,gBAAkBoC,CAAQ,MAGlCC,MAAKtG,IACJmE,KAAKkD,QAAUrH,EAASO,KAAK8G,QAC7BlD,KAAKmD,aAAetH,EAASO,KAAK+G,aAClCnD,KAAKyD,mBAAqB5H,EAASO,KAAKsH,OAAOC,SAAW,CAAC,IAE5DjB,OAAM1B,IACL,KAAIhF,EAAAA,EAAAA,IAASgF,GAIb,MAAMA,CAAA,GAEZ,EAKA4C,2BAAAA,GACEtH,KAAKsF,UACFC,IACC,aAAe7B,KAAKqB,aAAe,SAAWrB,KAAK0e,KAAO,SAC1D,CACE5c,OAAQ9B,KAAK+B,6BAGhBI,MAAKtG,IACJmE,KAAK6D,yBAA2BhI,EAASO,KAAK0H,KAAI,GAExD,EAKAC,QAAAA,GAOE,OANiC,OAA7B/D,KAAKgE,sBACPhE,KAAKgE,oBAAsBhE,KAAKiE,aAGlCjE,KAAKgE,oBAAsBhE,KAAKgE,oBAAsB,GAE/CrC,EAAAA,EAAAA,IACLrF,KAAKsF,UAAUC,IACb,aAAe7B,KAAKqB,aAAe,SAAWrB,KAAK0e,KACnD,CACE5c,OAAMhB,EAAAA,EAAA,GACDd,KAAK+B,4BAA0B,IAClCmC,KAAMlE,KAAKgE,wBAIjB,KACA7B,MAAK,EAAG/F,WACR4D,KAAKqC,iBAAmBjG,EACxB4D,KAAKoC,UAAY,IAAIpC,KAAKoC,aAAchG,EAAKgG,WAE7CpC,KAAK4D,8BAELtH,KAAKC,MAAM,mBAAoB,CAC7B8E,aAAcrB,KAAKqB,aACnBqd,KAAM1e,KAAK0e,KACXta,KAAM,QACN,GAEN,IAGFS,SAAU,CACRC,iBAAAA,GACE,MAAO,CACLC,cAAe/E,KAAK+E,cACpBC,eAAgBhF,KAAKgF,eACrBC,eAAgBjF,KAAKiF,eACrBrC,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBAE1B,EAEAu6B,mBAAAA,GACE,OAAOr9B,KAAKwK,WAAW5D,OAAS,GAAKlH,QAAQM,KAAKu7B,cACpD,EAKA2pC,kBAAAA,GACE,MAAQ,aAAYllE,KAAKqB,qBAAqBrB,KAAK0e,aACrD,EAKAtZ,aAAAA,GACE,MAAQ,aAAYpF,KAAKqB,qBAAqBrB,KAAK0e,YACrD,EAKA5Y,iBAAAA,GACE,OACEpG,QAAQM,KAAKu7B,gBACb77B,QACEM,KAAK+F,qCACH/F,KAAKgG,0CACLhG,KAAKmI,gCACLnI,KAAKoI,qCACLpI,KAAKiG,sCACLjG,KAAKqI,gCAGb,EAKA+0B,QAAAA,GACE,GAAIp9B,KAAKqC,iBACP,OAAOrC,KAAKqC,iBAAiBxD,IAEjC,I,0pBC7aJ,SACEA,KAAM,OAENR,WAAY,CACV8mE,cCX6B,OAAgB,EAAQ,CAAC,CAAC,S,iiBFJzD5mE,EAAAA,EAAAA,aAkLc8H,EAAA,CAlLA9E,QAASzD,EAAAqI,eAAiB5I,KAAMC,EAAAkhB,KAAO,mB,wBACnD,IAA0B,EAA1BhhB,EAAAA,EAAAA,aAA0Be,EAAA,CAAnBC,MAAOoI,EAAAs2B,UAAQ,kBAGdt/B,EAAAwI,kBAAe,kBADvB/H,EAAAA,EAAAA,aAKEgI,EAAA,C,MAHCC,MAAO1I,EAAA0I,MACP,gBAAe1I,EAAAuD,aACfqd,KAAMlhB,EAAAkhB,M,0EAID5gB,EAAAuE,mBAAgB,kBADxB9D,EAAAA,EAAAA,aAMEkI,EAAA,C,MAJA1J,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,OAAM,QACM7I,EAAAwI,mB,aAClB1H,EAAAA,EAAAA,iBAAQkI,EAASs2B,UACjB7/B,KAAK,gB,iEAICC,EAAA6J,YAAcvJ,EAAA2J,2BAA2Bb,OAAS,IAAH,kBADvDvJ,EAAAA,EAAAA,oBAyBM,MAzBNC,EAyBM,CApBIE,EAAA6J,aAAU,kBADlB9I,EAAAA,EAAAA,aAKE+I,EAAA,C,MAHCD,WAAY7J,EAAA6J,WACLE,QAASzJ,EAAAuH,O,mCAAAvH,EAAAuH,OAAMmC,GAAA,eACN1J,EAAAuH,OAASmC,K,kEAKpB1J,EAAA2J,2BAA2Bb,OAAS,IAAH,kBADzCrI,EAAAA,EAAAA,aAYEmJ,EAAA,C,MAVCC,iBAAcX,EAAA,KAAAA,EAAA,OAAQlJ,EAAA0T,iBACvBzU,MAAM,UACL,gBAAee,EAAAuD,aACf,eAAc,GACd,kBAAiB,GACjB,mBAAkB,GAClB,oBAAmB,GACnB6B,QAASpF,EAAA2J,2BACT,qBAAoB3J,EAAA+J,mCACpBujB,SAAUtkB,EAAAo+D,oB,yIAIfxnE,EAAAA,EAAAA,aAoIOuK,EAAA,M,uBAnIL,IAiEE,EAjEFvK,EAAAA,EAAAA,aAiEEwK,EAAA,CAhEC,mBAAkBpB,EAAAo+D,mBAClB,sBAAqBp+D,EAAAhC,kBACrB,8BAA6BhH,EAAA+F,yBAC7B,qCAAoC/F,EAAAqK,+BACpC,0CAAoDrK,EAAAiI,oCAGpD,2CAAqDjI,EAAAsK,oCAGrD,gDAA0DtK,EAAAkI,yCAG1D,sCAAqClI,EAAAuK,gCACrC,2CAAqDvK,EAAAmI,qCAGrD,oBAAmBnI,EAAAwK,iBACnB,yBAAwBxK,EAAAyK,qBACxB,qBAAoBzK,EAAA0K,iBACpB,oBAAmB1K,EAAA2K,iBACnB,gCAA+B3K,EAAA4K,2BAC/B,4BAA2B5K,EAAA6K,wBAC3B,iBAAgB7K,EAAA8K,cAChB,sCAAqC9K,EAAA+K,gCACrC,kCAAiC/K,EAAAgL,6BACjC,gBAAehC,EAAAtG,aACf,cAAa1C,EAAA6G,WACb,0BAAyB7G,EAAAiL,sBACzB2V,KAAMlhB,EAAAkhB,KACN,eAAc5gB,EAAAu+B,WACd,mBAAkBv+B,EAAAkL,eAClB,WAAUlL,EAAAyE,QACV,gBAAezE,EAAAqF,aACf,aAAYrF,EAAAmL,UACZ7G,UAAWtE,EAAAsE,UACX,uBAAsBtE,EAAAmC,oBACtB,gBAAenC,EAAAuD,aACf,iCAAgCvD,EAAAoL,4BAChC,6BAA4BpL,EAAAqL,yBAC5B,qBAAoBrL,EAAAsE,UAAUwE,OAC9B,qBAAoB9I,EAAA69B,iBACpB,8BAA6B79B,EAAAsL,2BAC7BC,WAAUvL,EAAA4D,wBACV,qBAAoB5D,EAAAwL,kBACpB,yCAAmDxL,EAAA+J,mCAGnD,8BAA6B/J,EAAAyL,yBAC7B,yBAAwBzL,EAAA0L,qBACxB,0BAAyB1L,EAAA2L,qBACzB,6BAA4B3L,EAAA4L,wBAC5B,eAAc5L,EAAAwE,YACdqH,eAAe7L,EAAA8L,aACfC,cAAc/L,EAAAgM,YACd,6BAA4BhM,EAAAuC,wBAC5B,oBAAmBvC,EAAAsC,gBACnB,iBAAgBtC,EAAAiM,cAChB,kBAAiBjM,EAAAkM,eACjB,oBAAmBlM,EAAAmM,iBACnBrE,QAAS9H,EAAA8H,QACT,0BAAyB9H,EAAAoM,qBACzB,mBAAkBpM,EAAAqM,cAClB,eAAcrM,EAAA8E,a,ixCAGjBlF,EAAAA,EAAAA,aA+Dc2I,EAAA,CA9DX9E,QAASzD,EAAAyD,QACT6I,QAAUtM,EAAAuE,iBAA+B,UAAZ,W,wBAE9B,IAIE,CAH+B,MAAzBvE,EAAA0D,wBAAqB,kBAD7BjD,EAAAA,EAAAA,aAIE8L,EAAA,C,MAFC1G,SAAU7F,EAAAmC,oBACV8G,QAAOD,EAAAtG,c,oDAGVnD,EAAAA,EAAAA,oBAoDW8J,EAAAA,SAAA,CAAAC,IAAA,IAlDAtJ,EAAAsE,UAAUwE,Q,iCAAM,kBADzBrI,EAAAA,EAAAA,aAWE+L,EAAA,C,MATC,sBAAqBxM,EAAAiK,kBACrB,gBAAejK,EAAAkK,aACf,gBAAelK,EAAAuD,aACf,eAAcvD,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,oBAAmBhF,EAAA6E,iBACnB,uBAAsB7E,EAAAmD,mBACtB,uBAAsBnD,EAAAiF,oB,wLAGzBrF,EAAAA,EAAAA,aAsBE6M,EAAA,CArBC,uBAAsBzM,EAAAiF,mBACtB,gBAAejF,EAAAuD,aACfe,UAAWtE,EAAAsE,UACX,gBAAetE,EAAAkK,aACf,qBAAoBlK,EAAAwL,kBACpB,wBAAuBxL,EAAAwF,oBACvB,wBAAuBwD,EAAAu2B,oBACvB,mBAAkBv2B,EAAAo+D,mBAClB,yBAAwBpnE,EAAA0L,qBACxB,eAAc1L,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,oBAAmBhF,EAAA6E,iBACnB,0BAAyB7E,EAAA2M,sBACzB5K,UAAU,EACV6K,QAAO5M,EAAA6M,aACPC,eAAgB9M,EAAA+M,aAChBC,SAAQhN,EAAAiN,gBACRC,UAASlN,EAAAmN,iBACTtD,iBAAgBb,EAAAtG,aACjB0K,IAAI,iB,sWAGNxN,EAAAA,EAAAA,aAaE0N,EAAA,CAZC,uBAAsBtN,EAAAuN,oBACtB,yBAAwBvN,EAAAqN,qBACxB,gBAAerN,EAAAwN,YACf,oBAAmBxN,EAAAyN,gBACnB,YAAWzE,EAAA/C,SACX,cAAajG,EAAA0N,WACb,cAAa1N,EAAA2N,WACb,eAAc3N,EAAAmG,YACd,WAAUnG,EAAAyE,QACV,uBAAsBzE,EAAA4N,mBACtB,yBAAwB5N,EAAA6N,qBACxB,8BAA6B7N,EAAA+F,0B,8TEzKkC,CAAC,SAAS,eDcpF5G,M,+VAAK6D,CAAA,CACH4d,KAAM,CACJxhB,KAAMC,OACNmS,UAAU,GAGZjI,WAAY,CACVnK,KAAMwC,QACNtC,SAAS,KAGRyO,EAAAA,EAAAA,IAAS,CAAC,mBEvBjB,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,8FFJzDtN,EAAAA,EAAAA,aAIE6mE,EAAA,CAHC/jE,aAAcvD,EAAAuD,aACdqd,KAAMlhB,EAAAkhB,KACNrX,WAAY7J,EAAA6J,Y,+CEC2D,CAAC,SAAS,a,wECG5EtK,MAAM,yC,GAMLA,MAAM,Q,GACFA,MAAM,aAAaoX,IAAI,S,GAiB3BpX,MAAM,Q,GACFA,MAAM,aAAaoX,IAAI,Y,GAkB3BpX,MAAM,a,SAUPA,MAAM,W,8DAkChB,SACE8B,KAAM,YAENklB,OAAQ6gD,EAAAA,EAERvmE,WAAY,CACV4pD,SAAQ,IACRj5C,OAAMA,EAAAA,GAGR5S,KAAMA,KAAA,CACJmrB,KAAMjrB,KAAKirB,KAAK,CACd5M,MAAO,GACPC,SAAU,GACVC,UAAU,MAIdha,QAAS,CACP,aAAMohD,GACJ,IACE,MAAM,SAAE5lD,SAAmB2D,KAAKunB,KAAKpV,KAAK7V,KAAKwe,IAAI,WAEnD,IAAIqL,EAAO,CAAErL,IAAKxe,KAAKwe,IAAI,KAAMwO,QAAQ,GAErCjtB,UACF8pB,EAAO,CAAErL,IAAKze,EAAUitB,QAAQ,IAGlChtB,KAAKO,MAAMspB,EACb,CAAE,MAAOpqB,GACwB,MAA3BA,EAAMF,UAAUM,QAClBG,KAAKP,MAAMiE,KAAK5B,GAAG,4CAEvB,CACF,GAGFyG,SAAU,CACRggE,sBAAqBA,IACZvoE,KAAKoX,OAAO,qBAGrBoxD,mBAAkBA,IACTxoE,KAAKoX,OAAO,wBCtIzB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4QDJzDrW,EAAAA,EAAAA,oBAuFM,aAtFJK,EAAAA,EAAAA,aAA8Be,EAAA,CAAvBC,MAAOZ,EAAAM,GAAG,W,mBAEjBtB,EAAAA,EAAAA,oBAmFO,QAlFJgX,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAm7C,SAAAn7C,EAAAm7C,WAAAh7C,IAAO,cACxBlK,MAAM,yE,EAEND,EAAAA,EAAAA,oBAEK,KAFLQ,GAEKsB,EAAAA,EAAAA,iBADAd,EAAAM,GAAG,kBAAD,IAGPV,EAAAA,EAAAA,aAAeqnE,IAEfjoE,EAAAA,EAAAA,oBAgBM,MAhBN6B,EAgBM,EAfJ7B,EAAAA,EAAAA,oBAAuE,QAAvEW,GAAuEmB,EAAAA,EAAAA,iBAA9Bd,EAAAM,GAAG,kBAAD,yBAC3CtB,EAAAA,EAAAA,oBASE,S,qCARSgB,EAAAypB,KAAK5M,MAAKnT,GACnBzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDAAsD,+BACnB7I,EAAAypB,KAAKjT,OAAOyB,IAAI,YACzD3H,GAAG,QACHlR,KAAK,QACL2B,KAAK,QACLmmE,UAAU,GACV11D,SAAA,I,uBAPSxR,EAAAypB,KAAK5M,SAU0B7c,EAAAypB,KAAKjT,OAAOyB,IAAI,WAAD,kBAAzDxX,EAAAA,EAAAA,aAEWynC,EAAA,C,MAFDjpC,MAAM,qB,wBACd,IAAgC,6CAA7Be,EAAAypB,KAAKjT,OAAOrD,MAAM,UAAD,M,0CAIxBnU,EAAAA,EAAAA,oBAiBM,MAjBNc,EAiBM,EAhBJd,EAAAA,EAAAA,oBAAqE,QAArEyR,GAAqE3P,EAAAA,EAAAA,iBAAzBd,EAAAM,GAAG,aAAD,yBAC9CtB,EAAAA,EAAAA,oBAUE,S,qCATSgB,EAAAypB,KAAK3M,SAAQpT,GACtBzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDAAsD,C,8BACP7I,EAAAypB,KAAKjT,OAAOyB,IAAG,eAGpE3H,GAAG,WACHlR,KAAK,WACL2B,KAAK,WACLyQ,SAAA,I,uBARSxR,EAAAypB,KAAK3M,YAW0B9c,EAAAypB,KAAKjT,OAAOyB,IAAI,cAAD,kBAAzDxX,EAAAA,EAAAA,aAEWynC,EAAA,C,MAFDjpC,MAAM,qB,wBACd,IAAmC,6CAAhCe,EAAAypB,KAAKjT,OAAOrD,MAAM,aAAD,M,0CAIxBnU,EAAAA,EAAAA,oBAyBM,MAzBNsX,EAyBM,EAxBJ1W,EAAAA,EAAAA,aAKE6kC,EAAA,CAJCvuB,SAAMhN,EAAA,KAAAA,EAAA,OAASlJ,EAAAypB,KAAK1M,UAAY/c,EAAAypB,KAAK1M,UACrC,cAAa/c,EAAAypB,KAAK1M,SACnBtd,KAAK,kBACJ6I,MAAOtI,EAAAM,GAAG,gB,gCAIL0I,EAAA+9D,wBAAgD,IAAvB/9D,EAAAg+D,qBAAkB,kBADnDznE,EAAAA,EAAAA,oBAgBM,MAhBNoX,EAgBM,EAX2B,IAAvB3N,EAAAg+D,qBAAkB,kBAD1BvmE,EAAAA,EAAAA,aAKEP,EAAA,C,MAHCrB,KAAMmB,EAAAG,KAAK,mBACZlB,MAAM,uC,aACN6B,EAAAA,EAAAA,iBAAQd,EAA4BM,GAAzB,2B,oDAEbf,EAAAA,EAAAA,oBAKE,K,MAHCV,KAAMmK,EAAAg+D,mBACP/nE,MAAM,uC,aACN6B,EAAAA,EAAAA,iBAAQd,EAA4BM,GAAzB,2B,iDAKjBV,EAAAA,EAAAA,aAQSkZ,EAAA,CAPP7Z,MAAM,6BACNG,KAAK,SACJqE,QAASzD,EAAAypB,KAAKihB,Y,wBAEf,IAEO,EAFP1rC,EAAAA,EAAAA,oBAEO,aAAA8B,EAAAA,EAAAA,iBADFd,EAAAM,GAAG,WAAD,M,6BC/E6D,CAAC,SAAS,c,8ECetF,SACES,KAAM,YAENu0B,Q,SAAS6wC,EAEThnE,OAAO4O,EAAAA,EAAAA,IAAS,CAAC,eAAgB,gBCpBnC,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4FDJzDtN,EAAAA,EAAAA,aAYE8mE,EAAA,CAXCC,kBAAkBxnE,EAAAynE,sBAClBhvD,kBAAkBzY,EAAAwlD,sBACnBl/C,KAAK,OACJ,gBAAetG,EAAAuD,aACf,mBAAkBvD,EAAAuO,WAClB,eAAcvO,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClBmQ,mBAAoBnV,EAAAmV,mBACpB,wBAAsB,EACtB,iBAAgBnV,EAAAmW,c,iLCPuD,CAAC,SAAS,kB,wECG5ElX,MAAM,yC,GAMLA,MAAM,Q,GACFA,MAAM,aAAaoX,IAAI,S,GAiB3BpX,MAAM,Q,GACFA,MAAM,aAAaoX,IAAI,Y,GAkB3BpX,MAAM,Q,GACFA,MAAM,aAAaoX,IAAI,yB,8CAyCtC,SACE4P,OAAQ6gD,EAAAA,EAERvmE,WAAY,CACV2Q,OAAMA,EAAAA,GAGR/R,MAAO,CAAC,QAAS,SAEjBb,IAAAA,GACE,MAAO,CACLmrB,KAAMjrB,KAAKirB,KAAK,CACd5M,MAAO3a,KAAK2a,MACZC,SAAU,GACV4qD,sBAAuB,GACvBC,MAAOzlE,KAAKylE,QAGlB,EAEA5kE,QAAS,CACP,aAAMohD,GACJ,MAAM,QAAEzlD,SAAkBwD,KAAKunB,KAAKpV,KAAK7V,KAAKwe,IAAI,oBAC5Cze,EAAW,CAAEye,IAAKxe,KAAKwe,IAAI,KAAMwO,QAAQ,GAE/Co8C,IAAAA,IAAY,QAAS9tD,KAAKwhD,SAAS9sD,SAAS,IAAK,CAAEq5D,QAAS,MAE5DrpE,KAAK0kB,SAAS3K,KAAK7Z,EAAS,CAC1BykB,OAAQ,CACNla,QAASA,IAAMzK,KAAKO,MAAMR,GAC1B6kB,KAAMlhB,KAAK5B,GAAG,WAEhB+iB,SAAU,KACVjkB,KAAM,YAGRkkB,YAAW,IAAM9kB,KAAKO,MAAMR,IAAW,IACzC,IC7HJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,sMDJzDgB,EAAAA,EAAAA,oBAoFM,aAnFJK,EAAAA,EAAAA,aAAsCe,EAAA,CAA/BC,MAAOZ,EAAAM,GAAG,mB,mBAEjBtB,EAAAA,EAAAA,oBAgFO,QA/EJgX,SAAM9M,EAAA,KAAAA,EAAA,IAAA+M,EAAAA,EAAAA,gBAAA,IAAA9M,IAAUH,EAAAm7C,SAAAn7C,EAAAm7C,WAAAh7C,IAAO,cACxBlK,MAAM,qE,EAEND,EAAAA,EAAAA,oBAEK,KAFLQ,GAEKsB,EAAAA,EAAAA,iBADAd,EAAAM,GAAG,mBAAD,IAGPV,EAAAA,EAAAA,aAAeqnE,IAEfjoE,EAAAA,EAAAA,oBAgBM,MAhBN6B,EAgBM,EAfJ7B,EAAAA,EAAAA,oBAAuE,QAAvEW,GAAuEmB,EAAAA,EAAAA,iBAA9Bd,EAAAM,GAAG,kBAAD,yBAC3CtB,EAAAA,EAAAA,oBASE,S,qCARSi8D,EAAAxxC,KAAK5M,MAAKnT,GACnBzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDAAsD,+BACnBoyD,EAAAxxC,KAAKjT,OAAOyB,IAAI,YACzD3H,GAAG,QACHlR,KAAK,QACL2B,KAAK,QACLyQ,SAAS,GACT01D,UAAU,I,uBAPDjM,EAAAxxC,KAAK5M,SAU0Bo+C,EAAAxxC,KAAKjT,OAAOyB,IAAI,WAAD,kBAAzDxX,EAAAA,EAAAA,aAEWynC,EAAA,C,MAFDjpC,MAAM,qB,wBACd,IAAgC,6CAA7Bg8D,EAAAxxC,KAAKjT,OAAOrD,MAAM,UAAD,M,0CAIxBnU,EAAAA,EAAAA,oBAiBM,MAjBNc,EAiBM,EAhBJd,EAAAA,EAAAA,oBAAqE,QAArEyR,GAAqE3P,EAAAA,EAAAA,iBAAzBd,EAAAM,GAAG,aAAD,yBAC9CtB,EAAAA,EAAAA,oBAUE,S,qCATSi8D,EAAAxxC,KAAK3M,SAAQpT,GACtBzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDAAsD,C,8BACPoyD,EAAAxxC,KAAKjT,OAAOyB,IAAG,eAGpE3H,GAAG,WACHlR,KAAK,WACL2B,KAAK,WACLyQ,SAAS,I,uBARAypD,EAAAxxC,KAAK3M,YAW0Bm+C,EAAAxxC,KAAKjT,OAAOyB,IAAI,cAAD,kBAAzDxX,EAAAA,EAAAA,aAEWynC,EAAA,C,MAFDjpC,MAAM,qB,wBACd,IAAmC,6CAAhCg8D,EAAAxxC,KAAKjT,OAAOrD,MAAM,aAAD,M,0CAIxBnU,EAAAA,EAAAA,oBAwBM,MAxBNsX,EAwBM,EAvBJtX,EAAAA,EAAAA,oBAEU,QAFV2X,GAEU7V,EAAAA,EAAAA,iBADRd,EAAAM,GAAG,qBAAD,yBAEJtB,EAAAA,EAAAA,oBAYE,S,qCAXSi8D,EAAAxxC,KAAKi+C,sBAAqBh+D,GACnCzK,OAAK4J,EAAAA,EAAAA,gBAAA,CAAC,uDAAsD,C,8BACPoyD,EAAAxxC,KAAKjT,OAAOyB,IAAG,4BAKpE3H,GAAG,wBACHlR,KAAK,WACL2B,KAAK,wBACLyQ,SAAS,I,uBAVAypD,EAAAxxC,KAAKi+C,yBAeRzM,EAAAxxC,KAAKjT,OAAOyB,IAAI,2BAAD,kBAFvBxX,EAAAA,EAAAA,aAKWynC,EAAA,C,MAJTjpC,MAAM,qB,wBAGN,IAAgD,6CAA7Cg8D,EAAAxxC,KAAKjT,OAAOrD,MAAM,0BAAD,M,0CAIxBvT,EAAAA,EAAAA,aAMSkZ,EAAA,CALP7Z,MAAM,6BACNG,KAAK,SACJqE,QAASw3D,EAAAxxC,KAAKihB,Y,wBAEf,IAA0B,6CAAvB1qC,EAAAM,GAAG,mBAAD,M,6BC7E+D,CAAC,SAAS,sB,iHCgB3ErB,MAAM,kB,GA2BTA,MAAM,+G,miCA4Cd,SACEsB,WAAY,CACV2Q,O,SAAMA,GAGRlQ,OAAQ,CACNoQ,EAAAA,GACAk0B,EAAAA,GACA9jC,EAAAA,GACA+P,EAAAA,IAGFwH,OAAAA,GACE,MAAO,CACLC,WAAY9W,KAAK8W,WAErB,EAEA7Z,OAAO4O,EAAAA,EAAAA,IAAS,CACd,eACA,aACA,cACA,gBACA,oBAGFzP,KAAMA,KAAA,CACJknC,iBAAkB,KAClB/hC,SAAS,EACTqkE,8CAA8C,EAC9CC,4BAA4B,EAC5BnnE,MAAO,KACPmR,OAAQ,GACR/D,OAAQ,GACRqL,gBAAiB,OAGnB,aAAMpX,GACJ,GAAIzD,KAAK2P,gBAAgBjM,KAAKqB,cAAe,OAAO/E,KAAKO,MAAM,QAI/D,GAAImD,KAAKqE,WAAY,CACnB,MAAM,KAAEjI,SAAeE,KAAKsF,UAAUC,IACnC,aAAY7B,KAAK4C,qBAAqB5C,KAAK8C,kBAC5C,CAAEhB,OAAQ,CAAE6O,WAAW,KAEzB3Q,KAAKsjC,iBAAmBlnC,CAC1B,CAEA4D,KAAK4jC,YACL5jC,KAAKoX,iCACLpX,KAAKuQ,kBACP,EAEA1P,QAAOC,EAAAA,EAAA,IACFC,EAAAA,EAAAA,IAAW,CAAC,mBAAiB,IAEhC+3D,iBAAAA,GACE,EAGFhiD,UAAAA,CAAWd,GACT,MAAM,aAAE3U,EAAY,WAAEgL,GAAerM,KAErC1D,KAAKsF,UAAUyV,OACZ,aAAYhW,KAAgBgL,WAAoB2J,IAErD,EAKA5J,oBAAAA,GACEpM,KAAKuB,SAAU,EAEfjF,KAAKC,MAAM,kBAAmB,CAC5B8E,aAAcrB,KAAKqB,aACnBgL,WAAYrM,KAAKqM,WAAWC,WAC5BlI,KAAM,UAEV,EAKA,eAAMw/B,GACJ5jC,KAAKuB,SAAU,EAEfvB,KAAK8L,OAAS,GACd9L,KAAK6P,OAAS,GAEd,MACEzT,MAAM,MAAEsC,EAAK,OAAEoN,EAAM,OAAE+D,UACfvT,KAAKsF,UACZC,IACE,aAAY7B,KAAKqB,gBAAgBrB,KAAKqM,2BACvC,CACEvK,OAAQ,CACN2K,SAAS,EACTC,SAAU,SACV9J,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,mBAI3BJ,OAAM3G,IACwB,KAAzBA,EAAMF,SAASM,QACjBG,KAAKO,MAAM,OAEb,IAGJmD,KAAKtB,MAAQA,EACbsB,KAAK8L,OAASA,EACd9L,KAAK6P,OAASA,EAEd7P,KAAKoM,sBACP,EAEA,6BAAM05D,CAAwB9kE,GAC5BA,EAAE2wB,iBACF3xB,KAAK6lE,4BAA6B,EAClC7lE,KAAK4lE,8CAA+C,EACpD5lE,KAAKuQ,yBACCvQ,KAAK+lE,gBACb,EAEA,+CAAMC,CAA0ChlE,GAC9CA,EAAE2wB,iBACF3xB,KAAK4lE,8CAA+C,EACpD5lE,KAAK6lE,4BAA6B,EAClC7lE,KAAKuQ,yBACCvQ,KAAK+lE,gBACb,EAEAE,sBAAAA,GACEjmE,KAAKiS,iCACLjS,KAAKuQ,mBAELvQ,KAAKkS,sBACHlS,KAAKqE,WACA,cAAarE,KAAK4C,eAAe5C,KAAK6C,gBACtC,cAAa7C,KAAKqB,gBAAgBrB,KAAKqM,aAEhD,EAKA,oBAAM05D,GAGJ,GAFA/lE,KAAKwT,WAAY,EAEbxT,KAAK8gC,MAAMvZ,KAAK0c,iBAClB,IACE,MACE7nC,MAAM,SAAEC,EAAQ,GAAE+R,UACVpO,KAAKuX,gBAiBf,SAfMvX,KAAKwR,gBAEXlV,KAAKmV,QACHzR,KAAK5B,GAAG,6BAA8B,CACpCuF,SAAU3D,KAAKC,oBAAoB+N,cAAcm2B,iBAIrD7nC,KAAKC,MAAM,mBAAoB,CAC7B8E,aAAcrB,KAAKqB,aACnBgL,WAAY+B,UAGRpO,KAAKoX,kCAEPpX,KAAK6lE,2BAmBP,YAhBIz3D,GAAMpO,KAAKqM,WACb/P,KAAKO,MAAO,cAAamD,KAAKqB,gBAAgB+M,WAE9CsD,OAAOC,SAAS,EAAG,GAEnB3R,KAAK+R,kCAGL/R,KAAK4jC,YAEL5jC,KAAKsQ,cACLtQ,KAAK6lE,4BAA6B,EAClC7lE,KAAK4lE,8CAA+C,EACpD5lE,KAAKwT,WAAY,IAfnBlX,KAAKO,MAAMR,EAoBf,CAAE,MAAON,GACP2V,OAAOC,SAAS,EAAG,GAEnB3R,KAAK6lE,4BAA6B,EAClC7lE,KAAK4lE,8CAA+C,EAEpD5lE,KAAK4R,qBAEL5R,KAAKwX,4BAA4Bzb,EACnC,CAGFiE,KAAK6lE,4BAA6B,EAClC7lE,KAAK4lE,8CAA+C,EACpD5lE,KAAKwT,WAAY,CACnB,EAKA+D,aAAAA,GACE,OAAOjb,KAAKsF,UAAUuQ,KACnB,aAAYnS,KAAKqB,gBAAgBrB,KAAKqM,aACvCrM,KAAKkmE,yBACL,CACEpkE,OAAQ,CACNc,YAAa5C,KAAK4C,YAClBC,cAAe7C,KAAK6C,cACpBC,gBAAiB9C,KAAK8C,gBACtB2J,SAAS,EACTC,SAAU,WAIlB,EAKAw5D,sBAAAA,GACE,OAAO5zD,IAAI,IAAIC,UAAYC,IACzB/B,IAAKzQ,KAAK8L,QAAQiB,IAChB0D,IAAK1D,EAAM8C,QAAQ1K,IACjBA,EAAMuL,KAAK8B,EAAS,GACpB,IAGJA,EAASC,OAAO,UAAW,OAC3BD,EAASC,OAAO,gBAAiBzS,KAAKmX,gBAAgB,GAE1D,EAKAC,8BAAAA,GACEpX,KAAKmX,gBAAkBS,KAAKC,OAAM,IAAIC,MAAOC,UAAY,IAC3D,EAKA9E,kBAAAA,GACEjT,KAAKkT,kBACP,IAGFrO,SAAU,CACRshE,+CAAAA,GACE,OAAOnmE,KAAKwT,WAAaxT,KAAK4lE,4CAChC,EAEAQ,6BAAAA,GACE,OAAOpmE,KAAKwT,WAAaxT,KAAK6lE,0BAChC,EAEA79D,YAAAA,GACE,OAAIhI,KAAKsjC,iBACAtjC,KAAKsjC,iBAAiBt1B,cAGxBhO,KAAKC,oBAAoB+N,aAClC,EAEAq4D,iBAAAA,GACE,OAAOrmE,KAAKC,oBAAoBomE,iBAClC,EAEAhiE,UAAAA,GACE,OAAO3E,QAAQM,KAAK6C,eAAiB7C,KAAK8C,gBAC5C,I,eCrXJ,MAEA,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,iKDJzDvE,EAAAA,EAAAA,aA0Ec8H,EAAA,CA1EA9E,QAASzD,EAAAyD,SAAO,C,uBAC5B,IASW,CATKzD,EAAAmC,qBAAuBnC,EAAAY,QAAK,kBAC1CH,EAAAA,EAAAA,aAOEE,EAAA,C,MANCC,MAAkBZ,EAAAM,GAAE,4B,SAAqDN,EAAAmC,oBAAoB+N,c,MAAkClQ,EAAAY,S,mDAU5HZ,EAAAgO,SAAM,kBADdzO,EAAAA,EAAAA,oBA6DO,Q,MA3DJyW,SAAM9M,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAg/D,yBAAAh/D,EAAAg/D,2BAAA7+D,IACR+M,SAAMhN,EAAA,KAAAA,EAAA,OAAAC,IAAEH,EAAAmM,oBAAAnM,EAAAmM,sBAAAhM,IACR,sBAAqBnJ,EAAAmW,aACtBC,aAAa,MACbhJ,IAAI,Q,EAEJpO,EAAAA,EAAAA,oBAuBM,MAvBN6B,EAuBM,uBAtBJtB,EAAAA,EAAAA,oBAqBE8J,EAAAA,SAAA,MAAA+G,EAAAA,EAAAA,YApBgBpQ,EAAAgO,QAATiB,K,kBADTxO,EAAAA,EAAAA,cAqBE4P,EAAAA,EAAAA,yBAAA,QAlBepB,EAAME,WAAS,CAD7B7F,IAAK2F,EAAMqB,GAEXk4D,iCAAoCx/D,EAAAsQ,+BACpC4hD,cAAclyD,EAAAgyD,kBACdj0B,eAAe/9B,EAAAmM,mBACf6xB,oBAAqBhnC,EAAAq4B,wBACrB4O,qBAAsBjnC,EAAAo4B,yBACtBnpB,MAAOA,EACPlO,KAAMkO,EAAMlO,KACZ,cAAaf,EAAAuO,WACb,gBAAevO,EAAAuD,aACfwO,OAAQ9C,EAAM8C,OACd,iBAAgB/R,EAAAmW,aACjB7P,KAAK,OACJ,oBAAmBtG,EAAAyW,iBACnB,eAAczW,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,kBAAgB,G,uRAKrBhG,EAAAA,EAAAA,oBA0BM,MA1BNW,EA0BM,EAvBJC,EAAAA,EAAAA,aAMEkZ,EAAA,CALArZ,KAAK,uBACL6M,QAAQ,QACPhE,MAAOtI,EAAAM,GAAG,UACV2I,QAAOD,EAAAm/D,uBACPn3D,SAAUhR,EAAA0V,W,wCAGb9V,EAAAA,EAAAA,aAMEkZ,EAAA,CALArZ,KAAK,qCACJwJ,QAAOD,EAAAk/D,0CACPl3D,SAAUhR,EAAA0V,UACVjS,QAASuF,EAAAq/D,gDACT//D,MAAOtI,EAAAM,GAAG,8B,kDAGbV,EAAAA,EAAAA,aAMEkZ,EAAA,CALArZ,KAAK,gBACLL,KAAK,SACJ4R,SAAUhR,EAAA0V,UACVjS,QAASuF,EAAAs/D,8BACThgE,MAAOU,EAAAu/D,mB,0GClE0D,CAAC,SAAS,gB,eCWtF,SACExnE,KAAM,SAENR,WAAY,CACVkoE,eAAcA,GAGhBtpE,OAAO4O,EAAAA,EAAAA,IAAS,CACd,eACA,aACA,cACA,gBACA,oBAGFzP,KAAMA,KAAA,CACJ6X,cAAcmuC,EAAAA,EAAAA,QCzBlB,GAFiC,OAAgB,EAAQ,CAAC,CAAC,S,gGDJzD7jD,EAAAA,EAAAA,aAOEioE,EAAA,CANC,gBAAe1oE,EAAAuD,aACf,cAAavD,EAAAuO,WACb,eAAcvO,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClB,iBAAgBhF,EAAAmW,c,+GCFuD,CAAC,SAAS,e,8ECctF,SACEpV,KAAM,iBAEN5B,MAAO,CACLoE,aAAc,CACZnE,KAAMC,OACNmS,UAAU,GAEZjD,WAAY,CACViD,UAAU,GAEZC,oBAAqB,CACnBrS,KAAMC,OACNmS,UAAU,GAEZyH,kBAAmB,CACjBzH,UAAU,GAEZ1M,YAAa,CACXxF,QAAS,IAEXyF,cAAe,CACbzF,QAAS,IAEXoS,eAAgB,CACdtS,KAAMuS,QAER3M,gBAAiB,CACf1F,QAAS,IAEX4Z,WAAY,CACV5Z,QAAS,MAEXsS,YAAa,CACXtS,SAAS,IAIbhB,KAAMA,KAAA,CACJ6X,cAAcmuC,EAAAA,EAAAA,QCrDlB,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,wGDJzD7jD,EAAAA,EAAAA,aAYEkoE,EAAA,CAXC,gBAAejpE,EAAA6D,aACf,cAAa7D,EAAA6O,WACb,wBAAuB7O,EAAA+R,oBACvB,sBAAqB/R,EAAAuZ,kBACrB,eAAcvZ,EAAAoF,YACd,kBAAiBpF,EAAAqF,cACjB,kBAAiBrF,EAAAgS,eACjB,mBAAkBhS,EAAAsF,gBAClB,eAActF,EAAAwZ,WACdtH,YAAalS,EAAAkS,YACb,iBAAgB5R,EAAAmW,c,4MCPuD,CAAC,SAAS,uB,ouBCoBtF,SACE6b,MAAO,CAAC,UAAW,mBAAoB,oBAEvChxB,OAAQ,CAACuQ,EAAAA,GAAyB8yC,EAAAA,IAElCtrC,OAAAA,GACE,MAAO,CACLC,WAAY9W,KAAK8W,WAErB,EAEA7Z,M,+VAAK6D,CAAA,CACHsD,KAAM,CACJlH,KAAMC,OACNC,QAAS,OACTqyB,UAAWC,GAAO,CAAC,QAAS,QAAQC,SAASD,MAG5C7jB,EAAAA,EAAAA,IAAS,CACV,eACA,cACA,gBACA,qBAIJzP,KAAMA,KAAA,CACJ6X,cAAcmuC,EAAAA,EAAAA,OAGhBvhD,QAAS,CACP0kE,qBAAAA,EAAsB,SAAElpE,EAAQ,GAAE+R,IAQhC,MAPc,SAAdpO,KAAKoE,KAAkBpE,KAAKuQ,mBAAqBvQ,KAAK8Z,oBAEtDxd,KAAKC,MAAM,mBAAoB,CAC7B8E,aAAcrB,KAAKqB,aACnBgL,WAAY+B,IAGI,SAAdpO,KAAKoE,KACA9H,KAAKO,MAAMR,GAGb2D,KAAKzD,MAAM,UAAW,CAAEF,WAAU+R,MAC3C,EAEAs4D,qCAAAA,GACE1mE,KAAK+R,iCACP,EAEAuxC,qBAAAA,GACE,MAAkB,SAAdtjD,KAAKoE,MACPpE,KAAKiS,iCACLjS,KAAKuQ,wBAELvQ,KAAKkS,sBACHlS,KAAKqE,WACA,cAAarE,KAAK4C,eAAe5C,KAAK6C,gBACtC,cAAa7C,KAAKqB,kBAM3BrB,KAAK8Z,oBACE9Z,KAAKzD,MAAM,oBACpB,EAKA0W,kBAAAA,GACgB,SAAdjT,KAAKoE,KAAkBpE,KAAKkT,mBAAqBlT,KAAKgyB,mBACxD,EAEAlb,UAAAA,CAAWd,GACT,GAIJnR,SAAU,CACRR,UAAAA,GACE,OAAO3E,QAAQM,KAAK6C,eAAiB7C,KAAK8C,gBAC5C,ICvGJ,MAEA,GAFiC,E,SAAA,GAAgB,EAAQ,CAAC,CAAC,S,4FDJzDvE,EAAAA,EAAAA,aAaE8mE,EAAA,CAZCC,kBAAkBx+D,EAAAy+D,sBAClBoB,kCAAqC7/D,EAAA4/D,sCACrCnwD,kBAAkBzP,EAAAw8C,sBAClBl/C,KAAM5G,EAAA4G,KACN,gBAAetG,EAAAuD,aACf,eAAcvD,EAAA8E,YACd,kBAAiB9E,EAAA+E,cACjB,mBAAkB/E,EAAAgF,gBAClBmQ,mBAAoBnM,EAAAmM,mBACpBuwC,kBAAgBx8C,EAAA,KAAAA,EAAA,GAAAQ,GAAE1J,EAAAvB,MAAM,qBACxB,uBAA+B,SAATiB,EAAA4G,KACtB,iBAAgBtG,EAAAmW,c,gOCRuD,CAAC,SAAS,e,kBCLtF,IAAImJ,EAAM,CACT,uBAAwB,MACxB,gBAAiB,MACjB,eAAgB,MAChB,iBAAkB,MAClB,qBAAsB,MACtB,2BAA4B,MAC5B,sBAAuB,KACvB,4BAA6B,MAC7B,kCAAmC,MACnC,2BAA4B,MAC5B,qCAAsC,MACtC,8BAA+B,MAC/B,2BAA4B,MAC5B,8BAA+B,MAC/B,+BAAgC,MAChC,2BAA4B,MAC5B,8BAA+B,MAC/B,yCAA0C,MAC1C,6BAA8B,MAC9B,sCAAuC,KACvC,8BAA+B,MAC/B,qBAAsB,MACtB,aAAc,MACd,oBAAqB,KACrB,cAAe,MACf,uBAAwB,MACxB,iBAAkB,MAClB,0BAA2B,IAC3B,uBAAwB,MACxB,oCAAqC,MACrC,+BAAgC,MAChC,mBAAoB,KACpB,6BAA8B,MAC9B,qBAAsB,MACtB,qBAAsB,MACtB,mBAAoB,MACpB,oBAAqB,MACrB,0BAA2B,MAC3B,kCAAmC,MACnC,gCAAiC,MACjC,iCAAkC,MAClC,uCAAwC,MACxC,2BAA4B,MAC5B,+BAAgC,MAChC,sCAAuC,MACvC,mCAAoC,MACpC,uCAAwC,MACxC,oCAAqC,MACrC,gCAAiC,MACjC,gBAAiB,KACjB,uBAAwB,MACxB,qBAAsB,MACtB,mBAAoB,MACpB,8BAA+B,MAC/B,2BAA4B,MAC5B,gCAAiC,MACjC,6BAA8B,KAC9B,mBAAoB,MACpB,kBAAmB,MACnB,qBAAsB,IACtB,gBAAiB,KACjB,iBAAkB,MAClB,wBAAyB,MACzB,sDAAuD,MACvD,sDAAuD,MACvD,qDAAsD,KACtD,kDAAmD,MACnD,0DAA2D,MAC3D,0DAA2D,MAC3D,2DAA4D,MAC5D,wDAAyD,MACzD,oDAAqD,MACrD,oDAAqD,MACrD,0DAA2D,MAC3D,0DAA2D,MAC3D,2DAA4D,MAC5D,wDAAyD,MACzD,qDAAsD,MACtD,kDAAmD,KACnD,uDAAwD,MACxD,mDAAoD,MACpD,oDAAqD,MACrD,qDAAsD,MACtD,8CAA+C,MAC/C,iDAAkD,KAClD,+CAAgD,KAChD,mDAAoD,MACpD,mDAAoD,KACpD,sDAAuD,MACvD,oDAAqD,MACrD,+CAAgD,KAChD,qDAAsD,MACtD,mDAAoD,MACpD,iDAAkD,MAClD,+CAAgD,MAChD,mDAAoD,MACpD,mDAAoD,MACpD,yDAA0D,MAC1D,+CAAgD,MAChD,kDAAmD,MACnD,mDAAoD,MACpD,gDAAiD,MACjD,sDAAuD,MACvD,4DAA6D,MAC7D,4DAA6D,KAC7D,6DAA8D,MAC9D,0DAA2D,MAC3D,sDAAuD,MACvD,sDAAuD,MACvD,uDAAwD,MACxD,oDAAqD,MACrD,+CAAgD,KAChD,oDAAqD,MACrD,yDAA0D,MAC1D,wDAAyD,MACzD,wDAAyD,KACzD,gDAAiD,MACjD,gDAAiD,MACjD,wDAAyD,MACzD,sDAAuD,MACvD,+CAAgD,MAChD,8CAA+C,MAC/C,qDAAsD,MACtD,sDAAuD,MACvD,qDAAsD,KACtD,+CAAgD,MAChD,0DAA2D,KAC3D,8DAA+D,MAC/D,yDAA0D,MAC1D,uDAAwD,MACxD,wDAAyD,MACzD,wDAAyD,KACzD,sDAAuD,MACvD,sDAAuD,MACvD,mDAAoD,MACpD,0DAA2D,MAC3D,uDAAwD,MACxD,uDAAwD,MACxD,mDAAoD,MACpD,sDAAuD,MACvD,2DAA4D,KAC5D,4DAA6D,MAC7D,yDAA0D,MAC1D,yDAA0D,MAC1D,yDAA0D,MAC1D,uDAAwD,KACxD,+DAAgE,MAChE,yDAA0D,MAC1D,uDAAwD,MACxD,mDAAoD,KACpD,oDAAqD,MACrD,qDAAsD,MACtD,mDAAoD,MACpD,sDAAuD,MACvD,4DAA6D,MAC7D,uDAAwD,MACxD,8CAA+C,MAC/C,iDAAkD,MAClD,sDAAuD,MACvD,+CAAgD,MAChD,iDAAkD,MAClD,sDAAuD,MACvD,+CAAgD,MAChD,+CAAgD,MAChD,iDAAkD,MAClD,oDAAqD,MACrD,yDAA0D,MAC1D,qDAAsD,MACtD,uDAAwD,KACxD,+CAAgD,MAChD,gDAAiD,MACjD,mDAAoD,MACpD,+CAAgD,MAChD,kDAAmD,MACnD,gDAAiD,MACjD,+CAAgD,MAChD,yDAA0D,MAC1D,gDAAiD,MACjD,kDAAmD,MACnD,4DAA6D,MAC7D,8CAA+C,MAC/C,kDAAmD,MACnD,oDAAqD,KACrD,wDAAyD,MACzD,+CAAgD,MAChD,yDAA0D,KAC1D,qDAAsD,MACtD,mDAAoD,MACpD,gDAAiD,MACjD,iDAAkD,MAClD,+CAAgD,MAChD,mDAAoD,MACpD,8CAA+C,MAC/C,+CAAgD,MAChD,mDAAoD,MACpD,mDAAoD,MACpD,mDAAoD,MACpD,mDAAoD,MACpD,qDAAsD,MACtD,gDAAiD,MACjD,sDAAuD,MACvD,+CAAgD,MAChD,oDAAqD,MACrD,oDAAqD,MACrD,yDAA0D,MAC1D,wDAAyD,KACzD,oDAAqD,MACrD,gDAAiD,MACjD,iDAAkD,MAClD,oDAAqD,MACrD,gDAAiD,MACjD,wDAAyD,MACzD,0DAA2D,MAC3D,wDAAyD,MACzD,qDAAsD,KACtD,+CAAgD,MAChD,+CAAgD,MAChD,qDAAsD,MACtD,+DAAgE,MAChE,gEAAiE,MACjE,kDAAmD,MACnD,iDAAkD,KAClD,iDAAkD,MAClD,6DAA8D,MAC9D,wDAAyD,MACzD,qDAAsD,MACtD,kDAAmD,KACnD,gDAAiD,MACjD,iDAAkD,MAClD,8CAA+C,MAC/C,+CAAgD,MAChD,iDAAkD,MAClD,gDAAiD,MACjD,mDAAoD,MACpD,iDAAkD,MAClD,uDAAwD,MACxD,mDAAoD,MACpD,iDAAkD,MAClD,gDAAiD,MACjD,sDAAuD,MACvD,4DAA6D,MAC7D,sDAAuD,KACvD,uDAAwD,MACxD,wDAAyD,MACzD,yDAA0D,MAC1D,mDAAoD,MACpD,uDAAwD,MACxD,+CAAgD,MAChD,wDAAyD,KACzD,uDAAwD,MACxD,+CAAgD,KAChD,8CAA+C,MAC/C,kDAAmD,MACnD,2DAA4D,MAC5D,yDAA0D,MAC1D,gDAAiD,MACjD,8CAA+C,KAC/C,mDAAoD,MACpD,mDAAoD,MACpD,oDAAqD,MACrD,kDAAmD,MACnD,iDAAkD,MAClD,oDAAqD,MACrD,gDAAiD,MACjD,uDAAwD,IACxD,qDAAsD,MACtD,gDAAiD,KACjD,iDAAkD,MAClD,+CAAgD,MAChD,kDAAmD,MACnD,qDAAsD,MACtD,oDAAqD,MACrD,qDAAsD,MACtD,gDAAiD,MACjD,mDAAoD,MACpD,sDAAuD,KACvD,qDAAsD,MACtD,mDAAoD,MACpD,sDAAuD,KACvD,mDAAoD,MACpD,oDAAqD,MACrD,mDAAoD,MACpD,+CAAgD,MAChD,4CAA6C,MAC7C,kDAAmD,MACnD,iDAAkD,MAClD,kDAAmD,MACnD,kDAAmD,KACnD,kDAAmD,MACnD,iDAAkD,MAClD,8CAA+C,KAC/C,sDAAuD,MACvD,sDAAuD,MACvD,uDAAwD,MACxD,oDAAqD,IACrD,gDAAiD,MACjD,gDAAiD,MACjD,sDAAuD,KACvD,sDAAuD,MACvD,uDAAwD,MACxD,oDAAqD,MACrD,iDAAkD,MAClD,8CAA+C,MAC/C,mDAAoD,MACpD,+CAAgD,MAChD,gDAAiD,MACjD,iDAAkD,MAClD,0CAA2C,MAC3C,6CAA8C,MAC9C,2CAA4C,MAC5C,+CAAgD,MAChD,+CAAgD,MAChD,kDAAmD,MACnD,gDAAiD,MACjD,2CAA4C,MAC5C,iDAAkD,MAClD,+CAAgD,MAChD,6CAA8C,KAC9C,2CAA4C,MAC5C,+CAAgD,MAChD,+CAAgD,MAChD,qDAAsD,KACtD,2CAA4C,MAC5C,8CAA+C,MAC/C,+CAAgD,MAChD,4CAA6C,MAC7C,kDAAmD,MACnD,wDAAyD,MACzD,wDAAyD,MACzD,yDAA0D,MAC1D,sDAAuD,MACvD,kDAAmD,IACnD,kDAAmD,MACnD,mDAAoD,MACpD,gDAAiD,KACjD,2CAA4C,KAC5C,gDAAiD,MACjD,qDAAsD,MACtD,oDAAqD,MACrD,oDAAqD,MACrD,4CAA6C,MAC7C,4CAA6C,MAC7C,oDAAqD,MACrD,kDAAmD,MACnD,2CAA4C,MAC5C,0CAA2C,MAC3C,iDAAkD,MAClD,kDAAmD,MACnD,iDAAkD,MAClD,2CAA4C,MAC5C,sDAAuD,MACvD,0DAA2D,MAC3D,qDAAsD,MACtD,mDAAoD,MACpD,oDAAqD,MACrD,oDAAqD,MACrD,kDAAmD,MACnD,kDAAmD,MACnD,+CAAgD,MAChD,sDAAuD,MACvD,mDAAoD,MACpD,mDAAoD,MACpD,+CAAgD,MAChD,kDAAmD,MACnD,uDAAwD,MACxD,wDAAyD,MACzD,qDAAsD,MACtD,qDAAsD,MACtD,qDAAsD,MACtD,mDAAoD,MACpD,2DAA4D,MAC5D,qDAAsD,MACtD,mDAAoD,MACpD,+CAAgD,MAChD,gDAAiD,MACjD,iDAAkD,MAClD,+CAAgD,MAChD,kDAAmD,MACnD,wDAAyD,MACzD,mDAAoD,KACpD,0CAA2C,MAC3C,6CAA8C,MAC9C,kDAAmD,MACnD,2CAA4C,KAC5C,6CAA8C,MAC9C,kDAAmD,MACnD,2CAA4C,KAC5C,2CAA4C,MAC5C,6CAA8C,MAC9C,gDAAiD,MACjD,qDAAsD,MACtD,iDAAkD,MAClD,mDAAoD,MACpD,2CAA4C,MAC5C,4CAA6C,MAC7C,+CAAgD,MAChD,2CAA4C,MAC5C,8CAA+C,MAC/C,4CAA6C,MAC7C,2CAA4C,MAC5C,qDAAsD,MACtD,4CAA6C,MAC7C,8CAA+C,MAC/C,wDAAyD,MACzD,0CAA2C,MAC3C,8CAA+C,MAC/C,gDAAiD,MACjD,oDAAqD,MACrD,2CAA4C,MAC5C,qDAAsD,MACtD,iDAAkD,MAClD,+CAAgD,MAChD,4CAA6C,MAC7C,6CAA8C,KAC9C,2CAA4C,MAC5C,+CAAgD,MAChD,0CAA2C,MAC3C,2CAA4C,MAC5C,+CAAgD,MAChD,+CAAgD,MAChD,+CAAgD,MAChD,+CAAgD,MAChD,iDAAkD,MAClD,4CAA6C,KAC7C,kDAAmD,KACnD,2CAA4C,MAC5C,gDAAiD,MACjD,gDAAiD,MACjD,qDAAsD,MACtD,oDAAqD,MACrD,gDAAiD,MACjD,4CAA6C,MAC7C,6CAA8C,MAC9C,gDAAiD,MACjD,4CAA6C,MAC7C,oDAAqD,MACrD,sDAAuD,MACvD,oDAAqD,MACrD,iDAAkD,MAClD,2CAA4C,MAC5C,2CAA4C,MAC5C,iDAAkD,MAClD,2DAA4D,MAC5D,4DAA6D,MAC7D,8CAA+C,MAC/C,6CAA8C,MAC9C,6CAA8C,MAC9C,yDAA0D,MAC1D,oDAAqD,MACrD,iDAAkD,MAClD,8CAA+C,MAC/C,4CAA6C,MAC7C,6CAA8C,MAC9C,0CAA2C,MAC3C,2CAA4C,MAC5C,6CAA8C,MAC9C,4CAA6C,MAC7C,+CAAgD,MAChD,6CAA8C,MAC9C,mDAAoD,MACpD,+CAAgD,MAChD,6CAA8C,MAC9C,4CAA6C,MAC7C,kDAAmD,MACnD,wDAAyD,MACzD,kDAAmD,MACnD,mDAAoD,MACpD,oDAAqD,MACrD,qDAAsD,MACtD,+CAAgD,MAChD,mDAAoD,MACpD,2CAA4C,MAC5C,oDAAqD,MACrD,mDAAoD,MACpD,2CAA4C,MAC5C,0CAA2C,MAC3C,8CAA+C,MAC/C,uDAAwD,MACxD,qDAAsD,MACtD,4CAA6C,MAC7C,0CAA2C,MAC3C,+CAAgD,MAChD,+CAAgD,MAChD,gDAAiD,MACjD,8CAA+C,MAC/C,6CAA8C,MAC9C,gDAAiD,MACjD,4CAA6C,MAC7C,mDAAoD,MACpD,iDAAkD,MAClD,4CAA6C,MAC7C,6CAA8C,MAC9C,2CAA4C,MAC5C,8CAA+C,MAC/C,iDAAkD,MAClD,gDAAiD,MACjD,iDAAkD,MAClD,4CAA6C,MAC7C,+CAAgD,MAChD,kDAAmD,MACnD,iDAAkD,MAClD,+CAAgD,MAChD,kDAAmD,MACnD,+CAAgD,MAChD,gDAAiD,MACjD,+CAAgD,KAChD,2CAA4C,MAC5C,wCAAyC,MACzC,8CAA+C,KAC/C,6CAA8C,MAC9C,8CAA+C,MAC/C,0BAA2B,MAC3B,uBAAwB,KACxB,8BAA+B,MAC/B,oCAAqC,MACrC,+BAAgC,MAChC,gCAAiC,MACjC,8BAA+B,MAC/B,4BAA6B,KAC7B,mBAAoB,MACpB,sBAAuB,MACvB,wBAAyB,MACzB,0BAA2B,MAC3B,8BAA+B,MAC/B,yBAA0B,MAC1B,2BAA4B,MAC5B,uBAAwB,KACxB,yBAA0B,MAC1B,8BAA+B,MAC/B,uBAAwB,MACxB,uBAAwB,MACxB,uBAAwB,MACxB,uBAAwB,MACxB,0BAA2B,MAC3B,0BAA2B,MAC3B,yBAA0B,MAC1B,uBAAwB,KACxB,0BAA2B,MAC3B,qBAAsB,MACtB,oBAAqB,MACrB,yBAA0B,MAC1B,yBAA0B,MAC1B,gCAAiC,MACjC,gCAAiC,MACjC,0BAA2B,MAC3B,2BAA4B,MAC5B,iCAAkC,KAClC,iCAAkC,MAClC,qBAAsB,MACtB,uBAAwB,MACxB,oBAAqB,MACrB,oBAAqB,MACrB,gCAAiC,MACjC,uCAAwC,MACxC,yBAA0B,MAC1B,sBAAuB,MACvB,uBAAwB,MACxB,sBAAuB,MACvB,sBAAuB,MACvB,yBAA0B,MAC1B,yCAA0C,MAC1C,wCAAyC,MACzC,qCAAsC,MACtC,qCAAsC,MACtC,+BAAgC,MAChC,gCAAiC,MACjC,+BAAgC,KAChC,4BAA6B,MAC7B,4BAA6B,MAC7B,4BAA6B,MAC7B,uBAAwB,MACxB,kCAAmC,MACnC,yCAA0C,MAC1C,mCAAoC,MACpC,mCAAoC,MACpC,qBAAsB,IACtB,4BAA6B,MAC7B,2BAA4B,MAC5B,2BAA4B,MAC5B,oCAAqC,MACrC,oCAAqC,KACrC,0CAA2C,MAC3C,yCAA0C,MAC1C,uCAAwC,MACxC,mCAAoC,MACpC,sCAAuC,MACvC,oCAAqC,KACrC,sCAAuC,MACvC,kBAAmB,MACnB,wBAAyB,MACzB,oBAAqB,MACrB,qBAAsB,MACtB,6BAA8B,MAC9B,sBAAuB,MACvB,4BAA6B,KAC7B,yBAA0B,MAC1B,6BAA8B,MAC9B,mBAAoB,MACpB,qBAAsB,MACtB,sBAAuB,MACvB,0BAA2B,MAC3B,qBAAsB,MACtB,yBAA0B,KAC1B,gBAAiB,MACjB,uBAAwB,MACxB,wBAAyB,MACzB,aAAc,MACd,iBAAkB,KAClB,yBAA0B,KAI3B,SAASwpD,EAAeC,GACvB,IAAIz4D,EAAK04D,EAAsBD,GAC/B,OAAOE,EAAoB34D,EAC5B,CACA,SAAS04D,EAAsBD,GAC9B,IAAIE,EAAoBhZ,EAAE3wC,EAAKypD,GAAM,CACpC,IAAI7lE,EAAI,IAAI+5D,MAAM,uBAAyB8L,EAAM,KAEjD,MADA7lE,EAAEgmE,KAAO,mBACHhmE,CACP,CACA,OAAOoc,EAAIypD,EACZ,CACAD,EAAezuD,KAAO,WACrB,OAAO1I,OAAO0I,KAAKiF,EACpB,EACAwpD,EAAevqD,QAAUyqD,EACzBG,EAAOC,QAAUN,EACjBA,EAAex4D,GAAK,K,kBCtnBpB,IAAIgP,EAAM,CACT,mBAAoB,MACpB,mBAAoB,MACpB,uBAAwB,MACxB,2BAA4B,MAC5B,qBAAsB,MACtB,0BAA2B,MAC3B,kBAAmB,MACnB,mBAAoB,MACpB,sBAAuB,MACvB,kBAAmB,MACnB,sBAAuB,MACvB,mBAAoB,MACpB,kBAAmB,MACnB,qBAAsB,MACtB,4BAA6B,MAC7B,oBAAqB,MACrB,2BAA4B,MAC5B,qBAAsB,MACtB,oBAAqB,MACrB,gBAAiB,MACjB,sBAAuB,MACvB,sBAAuB,MACvB,iCAAkC,MAClC,qBAAsB,MACtB,yBAA0B,MAC1B,yBAA0B,MAC1B,cAAe,MACf,sBAAuB,MACvB,mBAAoB,MACpB,0BAA2B,MAC3B,oBAAqB,MACrB,kBAAmB,MACnB,uBAAwB,MACxB,mBAAoB,KACpB,oBAAqB,KACrB,iBAAkB,MAClB,kBAAmB,MACnB,sBAAuB,KACvB,kBAAmB,MACnB,iBAAkB,MAClB,wBAAyB,MACzB,uBAAwB,OAIzB,SAASwpD,EAAeC,GACvB,IAAIz4D,EAAK04D,EAAsBD,GAC/B,OAAOE,EAAoB34D,EAC5B,CACA,SAAS04D,EAAsBD,GAC9B,IAAIE,EAAoBhZ,EAAE3wC,EAAKypD,GAAM,CACpC,IAAI7lE,EAAI,IAAI+5D,MAAM,uBAAyB8L,EAAM,KAEjD,MADA7lE,EAAEgmE,KAAO,mBACHhmE,CACP,CACA,OAAOoc,EAAIypD,EACZ,CACAD,EAAezuD,KAAO,WACrB,OAAO1I,OAAO0I,KAAKiF,EACpB,EACAwpD,EAAevqD,QAAUyqD,EACzBG,EAAOC,QAAUN,EACjBA,EAAex4D,GAAK,K,kBC/DpB,IAAIgP,EAAM,CACT,qBAAsB,IACtB,0BAA2B,MAC3B,kBAAmB,MACnB,sBAAuB,MACvB,sBAAuB,MACvB,mBAAoB,MACpB,qBAAsB,MACtB,yBAA0B,KAC1B,oBAAqB,MACrB,oBAAqB,MACrB,kBAAmB,MAIpB,SAASwpD,EAAeC,GACvB,IAAIz4D,EAAK04D,EAAsBD,GAC/B,OAAOE,EAAoB34D,EAC5B,CACA,SAAS04D,EAAsBD,GAC9B,IAAIE,EAAoBhZ,EAAE3wC,EAAKypD,GAAM,CACpC,IAAI7lE,EAAI,IAAI+5D,MAAM,uBAAyB8L,EAAM,KAEjD,MADA7lE,EAAEgmE,KAAO,mBACHhmE,CACP,CACA,OAAOoc,EAAIypD,EACZ,CACAD,EAAezuD,KAAO,WACrB,OAAO1I,OAAO0I,KAAKiF,EACpB,EACAwpD,EAAevqD,QAAUyqD,EACzBG,EAAOC,QAAUN,EACjBA,EAAex4D,GAAK,K,iBChCpB,IAAIgP,EAAM,CACT,mBAAoB,MACpB,uBAAwB,MACxB,qBAAsB,MACtB,0BAA2B,MAC3B,kBAAmB,MACnB,mBAAoB,MACpB,sBAAuB,MACvB,kBAAmB,MACnB,sBAAuB,MACvB,mBAAoB,MACpB,kBAAmB,MACnB,oBAAqB,IACrB,qBAAsB,MACtB,oBAAqB,KACrB,sBAAuB,MACvB,uBAAwB,MACxB,qBAAsB,MACtB,sBAAuB,MACvB,sBAAuB,MACvB,qBAAsB,MACtB,yBAA0B,MAC1B,cAAe,MACf,sBAAuB,MACvB,mBAAoB,MACpB,0BAA2B,MAC3B,sBAAuB,GACvB,oBAAqB,MACrB,kBAAmB,MACnB,oBAAqB,MACrB,iBAAkB,MAClB,kBAAmB,MACnB,sBAAuB,KACvB,kBAAmB,MACnB,iBAAkB,MAClB,wBAAyB,MACzB,uBAAwB,OAIzB,SAASwpD,EAAeC,GACvB,IAAIz4D,EAAK04D,EAAsBD,GAC/B,OAAOE,EAAoB34D,EAC5B,CACA,SAAS04D,EAAsBD,GAC9B,IAAIE,EAAoBhZ,EAAE3wC,EAAKypD,GAAM,CACpC,IAAI7lE,EAAI,IAAI+5D,MAAM,uBAAyB8L,EAAM,KAEjD,MADA7lE,EAAEgmE,KAAO,mBACHhmE,CACP,CACA,OAAOoc,EAAIypD,EACZ,CACAD,EAAezuD,KAAO,WACrB,OAAO1I,OAAO0I,KAAKiF,EACpB,EACAwpD,EAAevqD,QAAUyqD,EACzBG,EAAOC,QAAUN,EACjBA,EAAex4D,GAAK,I,kBCzDpB,IAAIgP,EAAM,CACT,mBAAoB,MACpB,mBAAoB,MACpB,uBAAwB,MACxB,qBAAsB,MACtB,0BAA2B,MAC3B,mBAAoB,MACpB,sBAAuB,MACvB,kBAAmB,MACnB,sBAAuB,MACvB,mBAAoB,MACpB,kBAAmB,MACnB,qBAAsB,MACtB,oBAAqB,MACrB,gBAAiB,MACjB,kBAAmB,MACnB,iCAAkC,MAClC,qBAAsB,MACtB,yBAA0B,MAC1B,sBAAuB,MACvB,mBAAoB,MACpB,oBAAqB,MACrB,kBAAmB,MACnB,uBAAwB,MACxB,mBAAoB,MACpB,oBAAqB,MACrB,iBAAkB,MAClB,kBAAmB,MACnB,iBAAkB,MAClB,wBAAyB,MACzB,uBAAwB,OAIzB,SAASwpD,EAAeC,GACvB,IAAIz4D,EAAK04D,EAAsBD,GAC/B,OAAOE,EAAoB34D,EAC5B,CACA,SAAS04D,EAAsBD,GAC9B,IAAIE,EAAoBhZ,EAAE3wC,EAAKypD,GAAM,CACpC,IAAI7lE,EAAI,IAAI+5D,MAAM,uBAAyB8L,EAAM,KAEjD,MADA7lE,EAAEgmE,KAAO,mBACHhmE,CACP,CACA,OAAOoc,EAAIypD,EACZ,CACAD,EAAezuD,KAAO,WACrB,OAAO1I,OAAO0I,KAAKiF,EACpB,EACAwpD,EAAevqD,QAAUyqD,EACzBG,EAAOC,QAAUN,EACjBA,EAAex4D,GAAK,K","sources":["webpack://laravel/nova/./resources/js/util/axios.js","webpack://laravel/nova/./resources/js/views/CustomError404.vue","webpack://laravel/nova/./resources/js/layouts/ErrorLayout.vue","webpack://laravel/nova/./resources/js/layouts/ErrorLayout.vue?bc04","webpack://laravel/nova/./resources/js/views/CustomError404.vue?7739","webpack://laravel/nova/./resources/js/views/CustomError403.vue","webpack://laravel/nova/./resources/js/views/CustomError403.vue?c4b4","webpack://laravel/nova/./resources/js/views/CustomAppError.vue","webpack://laravel/nova/./resources/js/views/CustomAppError.vue?2283","webpack://laravel/nova/./resources/js/views/Index.vue","webpack://laravel/nova/./resources/js/views/Index.vue?55a5","webpack://laravel/nova/./resources/js/views/Detail.vue","webpack://laravel/nova/./resources/js/views/Detail.vue?1d4d","webpack://laravel/nova/./resources/js/views/Attach.vue","webpack://laravel/nova/./resources/js/views/Attach.vue?72fa","webpack://laravel/nova/./resources/js/views/UpdateAttached.vue","webpack://laravel/nova/./resources/js/views/UpdateAttached.vue?4c58","webpack://laravel/nova/./resources/js/fields.js","webpack://laravel/nova/./resources/js/store/nova.js","webpack://laravel/nova/./resources/js/store/notifications.js","webpack://laravel/nova/./resources/js/store/resources.js","webpack://laravel/nova/./resources/js/layouts/AppLayout.vue","webpack://laravel/nova/./resources/js/layouts/MainHeader.vue","webpack://laravel/nova/./resources/js/layouts/Footer.vue","webpack://laravel/nova/./resources/js/layouts/MainHeader.vue?a6e9","webpack://laravel/nova/./resources/js/layouts/Footer.vue?021a","webpack://laravel/nova/./resources/js/layouts/AppLayout.vue?e22b","webpack://laravel/nova/./resources/js/app.js","webpack://laravel/nova/./resources/js/store/index.js","webpack://laravel/nova/./resources/js/util/inertia.js","webpack://laravel/nova/./resources/js/components.js","webpack://laravel/nova/./resources/js/util/url.js","webpack://laravel/nova/./resources/js/util/numbro.js","webpack://laravel/nova/./resources/js/composables/useActions.js","webpack://laravel/nova/./resources/js/composables/useDragAndDrop.js","webpack://laravel/nova/./resources/js/composables/useLocalization.js","webpack://laravel/nova/./resources/js/fields/Form/InlineFormData.js","webpack://laravel/nova/./resources/js/mixins/Localization.js","webpack://laravel/nova/./resources/js/mixins/propTypes.js","webpack://laravel/nova/./resources/js/mixins/BehavesAsPanel.js","webpack://laravel/nova/./resources/js/mixins/CopiesToClipboard.js","webpack://laravel/nova/./resources/js/mixins/PreventsFormAbandonment.js","webpack://laravel/nova/./resources/js/mixins/PreventsModalAbandonment.js","webpack://laravel/nova/./resources/js/mixins/Deletable.js","webpack://laravel/nova/./resources/js/mixins/FormEvents.js","webpack://laravel/nova/./resources/js/mixins/FormField.js","webpack://laravel/nova/./resources/js/mixins/DependentFormField.js","webpack://laravel/nova/./resources/js/mixins/HandlesFormRequest.js","webpack://laravel/nova/./resources/js/mixins/HandlesUploads.js","webpack://laravel/nova/./resources/js/mixins/InteractsWithDates.js","webpack://laravel/nova/./resources/js/mixins/InteractsWithQueryString.js","webpack://laravel/nova/./resources/js/mixins/InteractsWithResourceInformation.js","webpack://laravel/nova/./resources/js/mixins/Collapsable.js","webpack://laravel/nova/./resources/js/mixins/MetricBehavior.js","webpack://laravel/nova/./resources/js/mixins/HandlesFieldAttachments.js","webpack://laravel/nova/./resources/js/mixins/HandlesValidationErrors.js","webpack://laravel/nova/./resources/js/mixins/LoadsResources.js","webpack://laravel/nova/./resources/js/mixins/TogglesTrashed.js","webpack://laravel/nova/./resources/js/mixins/PerformsSearches.js","webpack://laravel/nova/./resources/js/mixins/HasCards.js","webpack://laravel/nova/./resources/js/mixins/FieldSuggestions.js","webpack://laravel/nova/./resources/js/mixins/FieldValue.js","webpack://laravel/nova/./resources/js/mixins/Filterable.js","webpack://laravel/nova/./resources/js/mixins/HandlesPanelVisibility.js","webpack://laravel/nova/./resources/js/mixins/Paginatable.js","webpack://laravel/nova/./resources/js/mixins/PerPageable.js","webpack://laravel/nova/./resources/js/mixins/SupportsPolling.js","webpack://laravel/nova/./resources/js/mixins/IndexConcerns.js","webpack://laravel/nova/./resources/js/storage/ResourceSearchStorage.js","webpack://laravel/nova/./resources/js/util/escapeUnicode.js","webpack://laravel/nova/./resources/js/util/filled.js","webpack://laravel/nova/./resources/js/util/hourCycle.js","webpack://laravel/nova/./resources/js/util/increaseOrDecrease.js","webpack://laravel/nova/./resources/js/util/minimum.js","webpack://laravel/nova/./resources/js/util/singularOrPlural.js","webpack://laravel/nova/./resources/js/util/capitalize.js","webpack://laravel/nova/./resources/js/util/localization.js","webpack://laravel/nova/./resources/js/components/ActionSelector.vue","webpack://laravel/nova/./resources/js/components/ActionSelector.vue?899c","webpack://laravel/nova/./resources/js/components/AppLogo.vue","webpack://laravel/nova/./resources/js/components/AppLogo.vue?3538","webpack://laravel/nova/./resources/js/components/Avatar.vue","webpack://laravel/nova/./resources/js/components/Avatar.vue?94e0","webpack://laravel/nova/./resources/js/components/Backdrop.vue","webpack://laravel/nova/./resources/js/components/Backdrop.vue?0132","webpack://laravel/nova/./resources/js/components/Badges/Badge.vue","webpack://laravel/nova/./resources/js/components/Badges/Badge.vue?257b","webpack://laravel/nova/./resources/js/components/Badges/CircleBadge.vue","webpack://laravel/nova/./resources/js/components/Badges/CircleBadge.vue?c34c","webpack://laravel/nova/./resources/js/components/BooleanOption.vue","webpack://laravel/nova/./resources/js/components/BooleanOption.vue?924d","webpack://laravel/nova/./resources/js/components/Buttons/BasicButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/BasicButton.vue?9259","webpack://laravel/nova/./resources/js/components/Buttons/ButtonInertiaLink.vue","webpack://laravel/nova/./resources/js/components/Buttons/ButtonInertiaLink.vue?0227","webpack://laravel/nova/./resources/js/components/Buttons/CopyButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/CopyButton.vue?074b","webpack://laravel/nova/./resources/js/components/Buttons/CreateRelationButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/DefaultButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/DefaultButton.vue?dafa","webpack://laravel/nova/./resources/js/components/Buttons/IconButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/IconButton.vue?b737","webpack://laravel/nova/./resources/js/components/Buttons/InertiaButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/InvertedButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/LinkButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/OutlineButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/OutlineButton.vue?5f16","webpack://laravel/nova/./resources/js/components/Buttons/OutlineButtonInertiaLink.vue","webpack://laravel/nova/./resources/js/components/Buttons/OutlineButtonInertiaLink.vue?1fae","webpack://laravel/nova/./resources/js/components/Buttons/RemoveButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/ResourcePollingButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/ResourcePollingButton.vue?97c3","webpack://laravel/nova/./resources/js/components/Buttons/ToolbarButton.vue","webpack://laravel/nova/./resources/js/components/Buttons/ToolbarButton.vue?7a98","webpack://laravel/nova/./resources/js/components/CancelButton.vue","webpack://laravel/nova/./resources/js/components/CancelButton.vue?5b4a","webpack://laravel/nova/./resources/js/components/Card.vue","webpack://laravel/nova/./resources/js/components/Card.vue?bcce","webpack://laravel/nova/./resources/js/components/CardWrapper.vue","webpack://laravel/nova/./resources/js/components/CardWrapper.vue?3ba6","webpack://laravel/nova/./resources/js/components/Cards.vue","webpack://laravel/nova/./resources/js/components/Cards.vue?4bef","webpack://laravel/nova/./resources/js/components/Cards/HelpCard.vue","webpack://laravel/nova/./resources/js/components/Cards/HelpCard.vue?04bf","webpack://laravel/nova/./resources/js/components/Checkbox.vue","webpack://laravel/nova/./resources/js/components/Checkbox.vue?d385","webpack://laravel/nova/./resources/js/components/CheckboxWithLabel.vue","webpack://laravel/nova/./resources/js/components/CheckboxWithLabel.vue?3229","webpack://laravel/nova/./resources/js/components/CollapseButton.vue","webpack://laravel/nova/./resources/js/components/CollapseButton.vue?b1d9","webpack://laravel/nova/./resources/js/components/Controls/MultiSelectControl.vue","webpack://laravel/nova/./resources/js/components/Controls/MultiSelectControl.vue?76db","webpack://laravel/nova/./resources/js/components/Controls/SelectControl.vue","webpack://laravel/nova/./resources/js/components/Controls/SelectControl.vue?7f71","webpack://laravel/nova/./resources/js/components/CreateForm.vue","webpack://laravel/nova/./resources/js/components/CreateForm.vue?0b2e","webpack://laravel/nova/./resources/js/components/CreateResourceButton.vue","webpack://laravel/nova/./resources/js/components/CreateResourceButton.vue?938c","webpack://laravel/nova/./resources/js/components/DefaultField.vue","webpack://laravel/nova/./resources/js/components/DefaultField.vue?9b85","webpack://laravel/nova/./resources/js/components/DeleteButton.vue","webpack://laravel/nova/./resources/js/components/DeleteButton.vue?19e6","webpack://laravel/nova/./resources/js/components/DeleteMenu.vue","webpack://laravel/nova/./resources/js/components/DeleteMenu.vue?a1c5","webpack://laravel/nova/./resources/js/components/DividerLine.vue","webpack://laravel/nova/./resources/js/components/DividerLine.vue?54eb","webpack://laravel/nova/./resources/js/components/DropZone/DropZone.vue","webpack://laravel/nova/./resources/js/components/DropZone/DropZone.vue?de5b","webpack://laravel/nova/./resources/js/components/DropZone/FilePreviewBlock.vue","webpack://laravel/nova/./resources/js/composables/useFilePreviews.js","webpack://laravel/nova/./resources/js/components/DropZone/FilePreviewBlock.vue?be6d","webpack://laravel/nova/./resources/js/components/DropZone/SingleDropZone.vue","webpack://laravel/nova/./resources/js/components/DropZone/SingleDropZone.vue?cf20","webpack://laravel/nova/./resources/js/components/Dropdowns/ActionDropdown.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/ActionDropdown.vue?222b","webpack://laravel/nova/./resources/js/components/Dropdowns/DetailActionDropdown.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/DetailActionDropdown.vue?4ff1","webpack://laravel/nova/./resources/js/composables/useId.js","webpack://laravel/nova/./resources/js/util/renderSlotFragments.js","webpack://laravel/nova/./resources/js/components/Dropdowns/Dropdown.vue","webpack://laravel/nova/./resources/js/composables/useCloseOnEsc.js","webpack://laravel/nova/./resources/js/components/Dropdowns/Dropdown.vue?db22","webpack://laravel/nova/./resources/js/components/Dropdowns/DropdownMenu.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/DropdownMenu.vue?09af","webpack://laravel/nova/./resources/js/components/Dropdowns/DropdownMenuHeading.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/DropdownMenuHeading.vue?6a7f","webpack://laravel/nova/./resources/js/components/Dropdowns/DropdownMenuItem.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/DropdownMenuItem.vue?d0d3","webpack://laravel/nova/./resources/js/components/Dropdowns/InlineActionDropdown.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/InlineActionDropdown.vue?1471","webpack://laravel/nova/./resources/js/components/Dropdowns/SelectAllDropdown.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/SelectAllDropdown.vue?3aa3","webpack://laravel/nova/./resources/js/components/Dropdowns/ThemeDropdown.vue","webpack://laravel/nova/./resources/js/components/Dropdowns/ThemeDropdown.vue?0f3f","webpack://laravel/nova/./resources/js/components/Excerpt.vue","webpack://laravel/nova/./resources/js/components/Excerpt.vue?0ed7","webpack://laravel/nova/./resources/js/components/FadeTransition.vue","webpack://laravel/nova/./resources/js/components/FadeTransition.vue?7e06","webpack://laravel/nova/./resources/js/components/FieldWrapper.vue","webpack://laravel/nova/./resources/js/components/FieldWrapper.vue?3b70","webpack://laravel/nova/./resources/js/components/FilterMenu.vue","webpack://laravel/nova/./resources/js/components/FilterMenu.vue?4ad3","webpack://laravel/nova/./resources/js/components/Filters/BooleanFilter.vue","webpack://laravel/nova/./resources/js/components/Filters/BooleanFilter.vue?7747","webpack://laravel/nova/./resources/js/components/Filters/DateFilter.vue","webpack://laravel/nova/./resources/js/components/Filters/DateFilter.vue?8eda","webpack://laravel/nova/./resources/js/components/Filters/FilterContainer.vue","webpack://laravel/nova/./resources/js/components/Filters/FilterContainer.vue?c76b","webpack://laravel/nova/./resources/js/components/Filters/SelectFilter.vue","webpack://laravel/nova/./resources/js/components/Filters/SelectFilter.vue?310f","webpack://laravel/nova/./resources/js/components/FormButton.vue","webpack://laravel/nova/./resources/js/components/FormButton.vue?a540","webpack://laravel/nova/./resources/js/components/FormLabel.vue","webpack://laravel/nova/./resources/js/components/FormLabel.vue?f01e","webpack://laravel/nova/./resources/js/components/GlobalSearch.vue","webpack://laravel/nova/./resources/js/components/GlobalSearch.vue?aa68","webpack://laravel/nova/./resources/js/components/Heading.vue","webpack://laravel/nova/./resources/js/components/Heading.vue?c2e3","webpack://laravel/nova/./resources/js/components/HelpText.vue","webpack://laravel/nova/./resources/js/components/HelpText.vue?ef25","webpack://laravel/nova/./resources/js/components/HelpTextTooltip.vue","webpack://laravel/nova/./resources/js/components/HelpTextTooltip.vue?fc8d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAcademicCap.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAcademicCap.vue?58ce","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAdjustments.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAdjustments.vue?b2a9","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAnnotation.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAnnotation.vue?58d9","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArchive.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArchive.vue?801f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleDown.vue?17e7","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleLeft.vue?5106","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleRight.vue?ddef","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowCircleUp.vue?d70e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowDown.vue?06db","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowLeft.vue?606b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowDown.vue?2f37","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowLeft.vue?edce","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowRight.vue?201f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowNarrowUp.vue?1e51","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowRight.vue?140a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowUp.vue?f4bc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowsExpand.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineArrowsExpand.vue?3701","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAtSymbol.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineAtSymbol.vue?720a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBackspace.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBackspace.vue?70dd","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBadgeCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBadgeCheck.vue?f9f9","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBan.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBan.vue?99d5","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBeaker.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBeaker.vue?1613","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBell.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBell.vue?c10f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBookOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBookOpen.vue?225f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBookmark.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBookmark.vue?ce06","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBookmarkAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBookmarkAlt.vue?2ffb","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBriefcase.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineBriefcase.vue?73b1","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCake.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCake.vue?1569","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCalculator.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCalculator.vue?d8ba","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCalendar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCalendar.vue?2c20","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCamera.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCamera.vue?353f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCash.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCash.vue?a532","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChartBar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChartBar.vue?1ff6","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChartPie.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChartPie.vue?b44f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChartSquareBar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChartSquareBar.vue?9ef0","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChat.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChat.vue?8b04","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChatAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChatAlt.vue?59b3","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChatAlt2.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChatAlt2.vue?4477","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCheck.vue?4d89","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCheckCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCheckCircle.vue?c160","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleDown.vue?916e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleLeft.vue?b9fc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleRight.vue?f9cc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDoubleUp.vue?8ce9","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronDown.vue?246a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronLeft.vue?a8ec","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronRight.vue?fd8c","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChevronUp.vue?8e73","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChip.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineChip.vue?0c61","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboard.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboard.vue?a20d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboardCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboardCheck.vue?970f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboardCopy.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboardCopy.vue?6b6e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboardList.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClipboardList.vue?6831","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClock.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineClock.vue?682e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCloud.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCloud.vue?3c99","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCloudDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCloudDownload.vue?0206","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCloudUpload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCloudUpload.vue?9b2e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCode.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCode.vue?2a17","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCog.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCog.vue?ab35","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCollection.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCollection.vue?c628","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineColorSwatch.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineColorSwatch.vue?01ad","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCreditCard.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCreditCard.vue?5611","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCube.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCube.vue?961a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCubeTransparent.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCubeTransparent.vue?b618","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyBangladeshi.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyBangladeshi.vue?0ea2","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyDollar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyDollar.vue?7093","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyEuro.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyEuro.vue?4c2b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyPound.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyPound.vue?64af","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyRupee.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyRupee.vue?0105","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyYen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCurrencyYen.vue?b63e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCursorClick.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineCursorClick.vue?29d5","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDatabase.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDatabase.vue?5ed4","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDesktopComputer.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDesktopComputer.vue?7e2c","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDeviceMobile.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDeviceMobile.vue?4dd8","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDeviceTablet.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDeviceTablet.vue?85e4","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocument.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocument.vue?ab1e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentAdd.vue?a1a7","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentDownload.vue?337f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentDuplicate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentDuplicate.vue?4f85","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentRemove.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentRemove.vue?da6b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentReport.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentReport.vue?65ce","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentSearch.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentSearch.vue?7103","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentText.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDocumentText.vue?ecc4","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDotsCircleHorizontal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDotsCircleHorizontal.vue?831f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDotsHorizontal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDotsHorizontal.vue?acdb","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDotsVertical.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDotsVertical.vue?e950","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDownload.vue?19c4","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDuplicate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineDuplicate.vue?80cd","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEmojiHappy.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEmojiHappy.vue?39ad","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEmojiSad.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEmojiSad.vue?9d3c","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineExclamation.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineExclamation.vue?01da","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineExclamationCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineExclamationCircle.vue?cd28","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineExternalLink.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineExternalLink.vue?205e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEye.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEye.vue?864f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEyeOff.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineEyeOff.vue?4b98","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFastForward.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFastForward.vue?1568","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFilm.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFilm.vue?b1ea","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFilter.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFilter.vue?47c4","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFingerPrint.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFingerPrint.vue?1eee","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFire.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFire.vue?33f7","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFlag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFlag.vue?939a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolder.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolder.vue?2691","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderAdd.vue?84d7","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderDownload.vue?65b6","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderOpen.vue?1c99","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderRemove.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineFolderRemove.vue?d7da","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineGift.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineGift.vue?f867","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineGlobe.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineGlobe.vue?ba04","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineGlobeAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineGlobeAlt.vue?e367","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHand.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHand.vue?1fcc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHashtag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHashtag.vue?2c5b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHeart.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHeart.vue?43e6","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHome.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineHome.vue?e005","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineIdentification.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineIdentification.vue?6c57","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineInbox.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineInbox.vue?ca04","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineInboxIn.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineInboxIn.vue?520e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineInformationCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineInformationCircle.vue?2464","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineKey.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineKey.vue?ddcb","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLibrary.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLibrary.vue?d5c5","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLightBulb.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLightBulb.vue?fa19","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLightningBolt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLightningBolt.vue?c04e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLink.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLink.vue?db43","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLocationMarker.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLocationMarker.vue?9a6a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLockClosed.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLockClosed.vue?dd03","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLockOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLockOpen.vue?59ed","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLogin.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLogin.vue?826d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLogout.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineLogout.vue?6765","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMail.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMail.vue?e728","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMailOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMailOpen.vue?503c","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMap.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMap.vue?384d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenu.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenu.vue?34f2","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt1.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt1.vue?0b0a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt2.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt2.vue?3cc8","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt3.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt3.vue?e0ca","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt4.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMenuAlt4.vue?ce50","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMicrophone.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMicrophone.vue?6beb","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMinus.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMinus.vue?b42b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMinusCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMinusCircle.vue?45e9","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMoon.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMoon.vue?9870","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMusicNote.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineMusicNote.vue?d650","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineNewspaper.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineNewspaper.vue?3e8f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineOfficeBuilding.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineOfficeBuilding.vue?09ee","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePaperAirplane.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePaperAirplane.vue?0105","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePaperClip.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePaperClip.vue?2c8a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePause.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePause.vue?ac10","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePencil.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePencil.vue?4e18","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePencilAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePencilAlt.vue?ad39","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhone.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhone.vue?d210","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhoneIncoming.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhoneIncoming.vue?81d8","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhoneMissedCall.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhoneMissedCall.vue?e947","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhoneOutgoing.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhoneOutgoing.vue?753d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhotograph.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePhotograph.vue?16f6","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePlay.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePlay.vue?d17d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePlus.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePlus.vue?b934","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePlusCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePlusCircle.vue?61c4","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePresentationChartBar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePresentationChartBar.vue?c7c4","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePresentationChartLine.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePresentationChartLine.vue?ee85","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePrinter.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePrinter.vue?c8ae","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePuzzle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlinePuzzle.vue?9406","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineQrcode.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineQrcode.vue?3529","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineQuestionMarkCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineQuestionMarkCircle.vue?beb1","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineReceiptRefund.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineReceiptRefund.vue?8009","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineReceiptTax.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineReceiptTax.vue?3edf","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineRefresh.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineRefresh.vue?3a79","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineReply.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineReply.vue?46d7","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineRewind.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineRewind.vue?eb0e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineRss.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineRss.vue?fadc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSave.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSave.vue?f19f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSaveAs.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSaveAs.vue?78bc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineScale.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineScale.vue?578d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineScissors.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineScissors.vue?ac3d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSearch.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSearch.vue?d3fc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSearchCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSearchCircle.vue?ff05","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSelector.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSelector.vue?5cfc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineServer.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineServer.vue?ede6","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShare.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShare.vue?4410","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShieldCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShieldCheck.vue?9f55","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShieldExclamation.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShieldExclamation.vue?3af5","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShoppingBag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShoppingBag.vue?1803","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShoppingCart.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineShoppingCart.vue?0b0b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSortAscending.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSortAscending.vue?8dac","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSortDescending.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSortDescending.vue?ac61","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSparkles.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSparkles.vue?7cae","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSpeakerphone.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSpeakerphone.vue?a2d0","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStar.vue?6d51","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStatusOffline.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStatusOffline.vue?79f1","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStatusOnline.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStatusOnline.vue?f0ee","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStop.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineStop.vue?9016","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSun.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSun.vue?4427","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSupport.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSupport.vue?7f12","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSwitchHorizontal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSwitchHorizontal.vue?c730","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSwitchVertical.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineSwitchVertical.vue?7bbb","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTable.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTable.vue?6f3b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTag.vue?b92b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTemplate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTemplate.vue?0929","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTerminal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTerminal.vue?9b1a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineThumbDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineThumbDown.vue?9afb","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineThumbUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineThumbUp.vue?a64a","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTicket.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTicket.vue?5199","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTranslate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTranslate.vue?550d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTrash.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTrash.vue?ce32","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTrendingDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTrendingDown.vue?4460","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTrendingUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTrendingUp.vue?764c","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTruck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineTruck.vue?df0f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUpload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUpload.vue?29fc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUser.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUser.vue?6bef","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserAdd.vue?279f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserCircle.vue?bb5b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserGroup.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserGroup.vue?47f7","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserRemove.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUserRemove.vue?848c","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUsers.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineUsers.vue?ca93","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVariable.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVariable.vue?6c7b","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVideoCamera.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVideoCamera.vue?38cc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewBoards.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewBoards.vue?31a2","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewGrid.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewGrid.vue?7355","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewGridAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewGridAdd.vue?44d6","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewList.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineViewList.vue?8ae1","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVolumeOff.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVolumeOff.vue?1330","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVolumeUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineVolumeUp.vue?660d","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineWifi.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineWifi.vue?13fc","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineX.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineX.vue?ec9e","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineXCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineXCircle.vue?704f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineZoomIn.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineZoomIn.vue?f83f","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineZoomOut.vue","webpack://laravel/nova/./resources/js/components/Heroicons/outline/HeroiconsOutlineZoomOut.vue?7ff4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAcademicCap.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAcademicCap.vue?f306","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAdjustments.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAdjustments.vue?6057","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAnnotation.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAnnotation.vue?232e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArchive.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArchive.vue?dce9","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleDown.vue?7b36","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleLeft.vue?a1ad","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleRight.vue?4555","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowCircleUp.vue?6cbd","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowDown.vue?a874","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowLeft.vue?d251","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowDown.vue?e1a6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowLeft.vue?a030","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowRight.vue?8d98","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowNarrowUp.vue?b652","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowRight.vue?f2c5","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowUp.vue?533f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowsExpand.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidArrowsExpand.vue?30f8","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAtSymbol.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidAtSymbol.vue?a174","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBackspace.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBackspace.vue?38fa","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBadgeCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBadgeCheck.vue?b9a9","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBan.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBan.vue?bb60","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBeaker.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBeaker.vue?758e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBell.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBell.vue?cddc","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBookOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBookOpen.vue?d8a7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBookmark.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBookmark.vue?8b40","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBookmarkAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBookmarkAlt.vue?9f9b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBriefcase.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidBriefcase.vue?f57a","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCake.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCake.vue?314a","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCalculator.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCalculator.vue?c0b6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCalendar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCalendar.vue?0b92","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCamera.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCamera.vue?4d05","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCash.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCash.vue?85ca","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChartBar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChartBar.vue?0876","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChartPie.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChartPie.vue?7018","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChartSquareBar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChartSquareBar.vue?3d06","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChat.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChat.vue?3e45","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChatAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChatAlt.vue?d7a6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChatAlt2.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChatAlt2.vue?1543","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCheck.vue?07ec","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCheckCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCheckCircle.vue?ba30","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleDown.vue?b7f2","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleLeft.vue?d63f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleRight.vue?5e7c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDoubleUp.vue?b6e9","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronDown.vue?51f1","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronLeft.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronLeft.vue?2fc4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronRight.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronRight.vue?0e97","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChevronUp.vue?5f1b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChip.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidChip.vue?87f8","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboard.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboard.vue?de43","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboardCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboardCheck.vue?1aee","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboardCopy.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboardCopy.vue?8a40","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboardList.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClipboardList.vue?910a","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClock.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidClock.vue?a8f4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCloud.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCloud.vue?91e8","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCloudDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCloudDownload.vue?ed9c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCloudUpload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCloudUpload.vue?999c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCode.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCode.vue?e41e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCog.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCog.vue?25a6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCollection.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCollection.vue?7221","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidColorSwatch.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidColorSwatch.vue?0659","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCreditCard.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCreditCard.vue?cd08","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCube.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCube.vue?7d25","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCubeTransparent.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCubeTransparent.vue?ebe3","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyBangladeshi.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyBangladeshi.vue?f59c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyDollar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyDollar.vue?0e00","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyEuro.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyEuro.vue?1294","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyPound.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyPound.vue?91e9","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyRupee.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyRupee.vue?c502","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyYen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCurrencyYen.vue?d8df","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCursorClick.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidCursorClick.vue?9773","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDatabase.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDatabase.vue?89cc","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDesktopComputer.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDesktopComputer.vue?8159","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDeviceMobile.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDeviceMobile.vue?25bd","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDeviceTablet.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDeviceTablet.vue?beeb","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocument.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocument.vue?d370","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentAdd.vue?ec91","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentDownload.vue?1c03","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentDuplicate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentDuplicate.vue?1061","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentRemove.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentRemove.vue?2923","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentReport.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentReport.vue?05b7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentSearch.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentSearch.vue?7a0c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentText.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDocumentText.vue?b62e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDotsCircleHorizontal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDotsCircleHorizontal.vue?e69f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDotsHorizontal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDotsHorizontal.vue?2903","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDotsVertical.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDotsVertical.vue?4ab7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDownload.vue?7a63","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDuplicate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidDuplicate.vue?8a26","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEmojiHappy.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEmojiHappy.vue?66e6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEmojiSad.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEmojiSad.vue?19b2","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidExclamation.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidExclamation.vue?9013","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidExclamationCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidExclamationCircle.vue?ea2f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidExternalLink.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidExternalLink.vue?6ef3","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEye.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEye.vue?73ff","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEyeOff.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidEyeOff.vue?b1ea","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFastForward.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFastForward.vue?7994","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFilm.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFilm.vue?bd1e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFilter.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFilter.vue?4309","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFingerPrint.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFingerPrint.vue?e6fa","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFire.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFire.vue?5a61","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFlag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFlag.vue?bac0","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolder.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolder.vue?9aaf","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderAdd.vue?3941","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderDownload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderDownload.vue?a1e3","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderOpen.vue?3921","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderRemove.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidFolderRemove.vue?6739","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidGift.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidGift.vue?a94e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidGlobe.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidGlobe.vue?4461","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidGlobeAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidGlobeAlt.vue?6535","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHand.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHand.vue?95d4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHashtag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHashtag.vue?3328","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHeart.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHeart.vue?16ac","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHome.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidHome.vue?3b8b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidIdentification.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidIdentification.vue?1076","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidInbox.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidInbox.vue?9566","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidInboxIn.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidInboxIn.vue?ea8f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidInformationCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidInformationCircle.vue?ef41","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidKey.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidKey.vue?b0b3","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLibrary.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLibrary.vue?e364","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLightBulb.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLightBulb.vue?15ea","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLightningBolt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLightningBolt.vue?0f31","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLink.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLink.vue?0c70","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLocationMarker.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLocationMarker.vue?6a1c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLockClosed.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLockClosed.vue?c84b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLockOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLockOpen.vue?52a4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLogin.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLogin.vue?2219","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLogout.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidLogout.vue?bcea","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMail.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMail.vue?29fc","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMailOpen.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMailOpen.vue?e353","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMap.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMap.vue?8b98","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenu.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenu.vue?a28f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt1.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt1.vue?b314","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt2.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt2.vue?5742","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt3.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt3.vue?4737","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt4.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMenuAlt4.vue?76d2","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMicrophone.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMicrophone.vue?ee09","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMinus.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMinus.vue?84da","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMinusCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMinusCircle.vue?9cf6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMoon.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMoon.vue?0ac7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMusicNote.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidMusicNote.vue?1907","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidNewspaper.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidNewspaper.vue?7958","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidOfficeBuilding.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidOfficeBuilding.vue?23d9","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPaperAirplane.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPaperAirplane.vue?582c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPaperClip.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPaperClip.vue?fd3a","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPause.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPause.vue?5095","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPencil.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPencil.vue?9d2e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPencilAlt.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPencilAlt.vue?aeac","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhone.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhone.vue?62b7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhoneIncoming.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhoneIncoming.vue?9e47","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhoneMissedCall.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhoneMissedCall.vue?0998","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhoneOutgoing.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhoneOutgoing.vue?0fb7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhotograph.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPhotograph.vue?c05b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPlay.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPlay.vue?4860","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPlus.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPlus.vue?f96a","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPlusCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPlusCircle.vue?2d46","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPresentationChartBar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPresentationChartBar.vue?ce9b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPresentationChartLine.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPresentationChartLine.vue?a6ce","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPrinter.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPrinter.vue?ca01","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPuzzle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidPuzzle.vue?a1bc","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidQrcode.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidQrcode.vue?3856","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidQuestionMarkCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidQuestionMarkCircle.vue?737e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidReceiptRefund.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidReceiptRefund.vue?b7d6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidReceiptTax.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidReceiptTax.vue?8cc4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidRefresh.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidRefresh.vue?382b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidReply.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidReply.vue?18c6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidRewind.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidRewind.vue?65f2","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidRss.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidRss.vue?5e8e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSave.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSave.vue?d544","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSaveAs.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSaveAs.vue?b8f6","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidScale.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidScale.vue?91be","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidScissors.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidScissors.vue?4057","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSearch.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSearch.vue?cf0d","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSearchCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSearchCircle.vue?9a7f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSelector.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSelector.vue?cd5e","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidServer.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidServer.vue?13ed","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShare.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShare.vue?ce8b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShieldCheck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShieldCheck.vue?48ca","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShieldExclamation.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShieldExclamation.vue?6911","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShoppingBag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShoppingBag.vue?8c51","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShoppingCart.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidShoppingCart.vue?dda9","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSortAscending.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSortAscending.vue?fac3","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSortDescending.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSortDescending.vue?9ead","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSparkles.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSparkles.vue?4b14","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSpeakerphone.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSpeakerphone.vue?c5af","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStar.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStar.vue?fabc","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStatusOffline.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStatusOffline.vue?352a","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStatusOnline.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStatusOnline.vue?46cd","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStop.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidStop.vue?2701","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSun.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSun.vue?ec67","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSupport.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSupport.vue?c8a3","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSwitchHorizontal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSwitchHorizontal.vue?10b4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSwitchVertical.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidSwitchVertical.vue?48db","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTable.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTable.vue?3364","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTag.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTag.vue?c941","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTemplate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTemplate.vue?2f7d","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTerminal.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTerminal.vue?eb9b","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidThumbDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidThumbDown.vue?a4bf","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidThumbUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidThumbUp.vue?29a3","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTicket.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTicket.vue?f1bf","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTranslate.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTranslate.vue?6978","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTrash.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTrash.vue?78bf","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTrendingDown.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTrendingDown.vue?fb51","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTrendingUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTrendingUp.vue?c230","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTruck.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidTruck.vue?9a07","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUpload.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUpload.vue?1a79","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUser.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUser.vue?a5c2","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserAdd.vue?bce9","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserCircle.vue?560c","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserGroup.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserGroup.vue?2ced","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserRemove.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUserRemove.vue?f8e4","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUsers.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidUsers.vue?b828","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVariable.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVariable.vue?fd73","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVideoCamera.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVideoCamera.vue?af7f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewBoards.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewBoards.vue?ccca","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewGrid.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewGrid.vue?d372","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewGridAdd.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewGridAdd.vue?8fee","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewList.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidViewList.vue?2582","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVolumeOff.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVolumeOff.vue?7cc7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVolumeUp.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidVolumeUp.vue?9976","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidWifi.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidWifi.vue?7e7f","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidX.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidX.vue?7966","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidXCircle.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidXCircle.vue?6bd7","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidZoomIn.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidZoomIn.vue?e899","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidZoomOut.vue","webpack://laravel/nova/./resources/js/components/Heroicons/solid/HeroiconsSolidZoomOut.vue?1710","webpack://laravel/nova/./resources/js/components/IconBooleanOption.vue","webpack://laravel/nova/./resources/js/components/IconBooleanOption.vue?2cbd","webpack://laravel/nova/./resources/js/components/Icons/CopyIcon.vue","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconBold.vue","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconBold.vue?5ece","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconFullScreen.vue","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconFullScreen.vue?22c5","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconImage.vue","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconImage.vue?0faa","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconItalic.vue","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconItalic.vue?7606","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconLink.vue","webpack://laravel/nova/./resources/js/components/Icons/Editor/IconLink.vue?16f4","webpack://laravel/nova/./resources/js/components/Icons/ErrorPageIcon.vue","webpack://laravel/nova/./resources/js/components/Icons/ErrorPageIcon.vue?16e8","webpack://laravel/nova/./resources/js/components/Icons/Icon.vue","webpack://laravel/nova/./resources/js/components/Icons/Icon.vue?efd4","webpack://laravel/nova/./resources/js/components/Icons/IconAdd.vue","webpack://laravel/nova/./resources/js/components/Icons/IconAdd.vue?1ee7","webpack://laravel/nova/./resources/js/components/Icons/IconArrow.vue","webpack://laravel/nova/./resources/js/components/Icons/IconArrow.vue?0300","webpack://laravel/nova/./resources/js/components/Icons/IconBoolean.vue","webpack://laravel/nova/./resources/js/components/Icons/IconBoolean.vue?f969","webpack://laravel/nova/./resources/js/components/Icons/IconCheckCircle.vue","webpack://laravel/nova/./resources/js/components/Icons/IconCheckCircle.vue?ceec","webpack://laravel/nova/./resources/js/components/Icons/IconDelete.vue","webpack://laravel/nova/./resources/js/components/Icons/IconDelete.vue?155e","webpack://laravel/nova/./resources/js/components/Icons/IconDownload.vue","webpack://laravel/nova/./resources/js/components/Icons/IconDownload.vue?7e28","webpack://laravel/nova/./resources/js/components/Icons/IconEdit.vue","webpack://laravel/nova/./resources/js/components/Icons/IconEdit.vue?6bd4","webpack://laravel/nova/./resources/js/components/Icons/IconFilter.vue","webpack://laravel/nova/./resources/js/components/Icons/IconFilter.vue?b982","webpack://laravel/nova/./resources/js/components/Icons/IconForceDelete.vue","webpack://laravel/nova/./resources/js/components/Icons/IconForceDelete.vue?e60c","webpack://laravel/nova/./resources/js/components/Icons/IconHelp.vue","webpack://laravel/nova/./resources/js/components/Icons/IconHelp.vue?7449","webpack://laravel/nova/./resources/js/components/Icons/IconMenu.vue","webpack://laravel/nova/./resources/js/components/Icons/IconMenu.vue?0b19","webpack://laravel/nova/./resources/js/components/Icons/IconMore.vue","webpack://laravel/nova/./resources/js/components/Icons/IconMore.vue?6aad","webpack://laravel/nova/./resources/js/components/Icons/IconPlay.vue","webpack://laravel/nova/./resources/js/components/Icons/IconPlay.vue?8a84","webpack://laravel/nova/./resources/js/components/Icons/IconRefresh.vue","webpack://laravel/nova/./resources/js/components/Icons/IconRefresh.vue?a3b5","webpack://laravel/nova/./resources/js/components/Icons/IconRestore.vue","webpack://laravel/nova/./resources/js/components/Icons/IconRestore.vue?449e","webpack://laravel/nova/./resources/js/components/Icons/IconSearch.vue","webpack://laravel/nova/./resources/js/components/Icons/IconSearch.vue?1985","webpack://laravel/nova/./resources/js/components/Icons/IconView.vue","webpack://laravel/nova/./resources/js/components/Icons/IconView.vue?9f6f","webpack://laravel/nova/./resources/js/components/Icons/IconXCircle.vue","webpack://laravel/nova/./resources/js/components/Icons/IconXCircle.vue?8291","webpack://laravel/nova/./resources/js/components/Icons/Loader.vue","webpack://laravel/nova/./resources/js/components/ImageLoader.vue","webpack://laravel/nova/./resources/js/components/ImageLoader.vue?8cd2","webpack://laravel/nova/./resources/js/components/IndexEmptyDialog.vue","webpack://laravel/nova/./resources/js/components/IndexEmptyDialog.vue?78eb","webpack://laravel/nova/./resources/js/components/IndexErrorDialog.vue","webpack://laravel/nova/./resources/js/components/IndexErrorDialog.vue?74b2","webpack://laravel/nova/./resources/js/components/Inputs/CharacterCounter.vue","webpack://laravel/nova/./resources/js/components/Inputs/CharacterCounter.vue?65b4","webpack://laravel/nova/./resources/js/components/Inputs/IndexSearchInput.vue","webpack://laravel/nova/./resources/js/components/Inputs/IndexSearchInput.vue?1111","webpack://laravel/nova/./resources/js/components/Inputs/RoundInput.vue","webpack://laravel/nova/./resources/js/components/Inputs/RoundInput.vue?c9e0","webpack://laravel/nova/./resources/js/components/Inputs/SearchInput.vue","webpack://laravel/nova/./resources/js/components/Inputs/SearchInput.vue?a3f9","webpack://laravel/nova/./resources/js/components/Inputs/SearchInputResult.vue","webpack://laravel/nova/./resources/js/components/Inputs/SearchSearchInput.vue","webpack://laravel/nova/./resources/js/components/Inputs/SearchSearchInput.vue?fef3","webpack://laravel/nova/./resources/js/components/LensSelector.vue","webpack://laravel/nova/./resources/js/components/LicenseWarning.vue","webpack://laravel/nova/./resources/js/components/LicenseWarning.vue?d1b2","webpack://laravel/nova/./resources/js/components/LoadingCard.vue","webpack://laravel/nova/./resources/js/components/LoadingCard.vue?8bdf","webpack://laravel/nova/./resources/js/components/LoadingView.vue","webpack://laravel/nova/./resources/js/composables/useMarkdownEditing.js","webpack://laravel/nova/./resources/js/components/Markdown/MarkdownEditor.vue","webpack://laravel/nova/./resources/js/components/Markdown/MarkdownEditor.vue?dd4a","webpack://laravel/nova/./resources/js/components/Markdown/MarkdownEditorToolbar.vue","webpack://laravel/nova/./resources/js/components/Markdown/MarkdownEditorToolbar.vue?bd92","webpack://laravel/nova/./resources/js/components/Menu/Breadcrumbs.vue","webpack://laravel/nova/./resources/js/components/Menu/Breadcrumbs.vue?2cfc","webpack://laravel/nova/./resources/js/components/Menu/MainMenu.vue","webpack://laravel/nova/./resources/js/components/Menu/MainMenu.vue?4dc5","webpack://laravel/nova/./resources/js/components/Menu/MenuGroup.vue","webpack://laravel/nova/./resources/js/components/Menu/MenuGroup.vue?6b64","webpack://laravel/nova/./resources/js/components/Menu/MenuItem.vue","webpack://laravel/nova/./resources/js/components/Menu/MenuItem.vue?1afe","webpack://laravel/nova/./resources/js/components/Menu/MenuList.vue","webpack://laravel/nova/./resources/js/components/Menu/MenuList.vue?434b","webpack://laravel/nova/./resources/js/components/Menu/MenuSection.vue","webpack://laravel/nova/./resources/js/components/Menu/MenuSection.vue?b04f","webpack://laravel/nova/./resources/js/components/Metrics/Base/BasePartitionMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/Base/BasePartitionMetric.vue?0d6b","webpack://laravel/nova/./resources/js/components/Metrics/Base/BaseProgressMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/Base/BaseProgressMetric.vue?9b8b","webpack://laravel/nova/./resources/js/components/Metrics/Base/BaseTrendMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/Base/BaseTrendMetric.vue?4680","webpack://laravel/nova/./resources/js/components/Metrics/Base/BaseValueMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/Base/BaseValueMetric.vue?eea6","webpack://laravel/nova/./resources/js/components/Metrics/MetricTableRow.vue","webpack://laravel/nova/./resources/js/components/Metrics/MetricTableRow.vue?6d29","webpack://laravel/nova/./resources/js/components/Metrics/PartitionMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/PartitionMetric.vue?af09","webpack://laravel/nova/./resources/js/components/Metrics/ProgressMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/ProgressMetric.vue?5cbc","webpack://laravel/nova/./resources/js/components/Metrics/TableMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/TableMetric.vue?6450","webpack://laravel/nova/./resources/js/components/Metrics/TrendMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/TrendMetric.vue?eea4","webpack://laravel/nova/./resources/js/components/Metrics/ValueMetric.vue","webpack://laravel/nova/./resources/js/components/Metrics/ValueMetric.vue?5f3d","webpack://laravel/nova/./resources/js/components/MobileUserMenu.vue","webpack://laravel/nova/./resources/js/components/MobileUserMenu.vue?100a","webpack://laravel/nova/./resources/js/components/Modals/ConfirmActionModal.vue","webpack://laravel/nova/./resources/js/components/Modals/ConfirmActionModal.vue?7efe","webpack://laravel/nova/./resources/js/components/Modals/ConfirmUploadRemovalModal.vue","webpack://laravel/nova/./resources/js/components/Modals/ConfirmUploadRemovalModal.vue?c6af","webpack://laravel/nova/./resources/js/components/Modals/CreateRelationModal.vue","webpack://laravel/nova/./resources/js/components/Modals/CreateRelationModal.vue?9c63","webpack://laravel/nova/./resources/js/components/Modals/DeleteResourceModal.vue","webpack://laravel/nova/./resources/js/components/Modals/DeleteResourceModal.vue?db76","webpack://laravel/nova/./resources/js/components/Modals/Modal.vue","webpack://laravel/nova/./resources/js/components/Modals/Modal.vue?9aea","webpack://laravel/nova/./resources/js/components/Modals/ModalContent.vue","webpack://laravel/nova/./resources/js/components/Modals/ModalContent.vue?56cb","webpack://laravel/nova/./resources/js/components/Modals/ModalFooter.vue","webpack://laravel/nova/./resources/js/components/Modals/ModalFooter.vue?b02b","webpack://laravel/nova/./resources/js/components/Modals/ModalHeader.vue","webpack://laravel/nova/./resources/js/components/Modals/ModalHeader.vue?c967","webpack://laravel/nova/./resources/js/components/Modals/PreviewResourceModal.vue","webpack://laravel/nova/./resources/js/components/Modals/PreviewResourceModal.vue?8481","webpack://laravel/nova/./resources/js/components/Modals/RestoreResourceModal.vue","webpack://laravel/nova/./resources/js/components/Modals/RestoreResourceModal.vue?87f6","webpack://laravel/nova/./resources/js/components/Notifications/MessageNotification.vue","webpack://laravel/nova/./resources/js/components/Notifications/MessageNotification.vue?d6af","webpack://laravel/nova/./resources/js/components/Notifications/NotificationCenter.vue","webpack://laravel/nova/./resources/js/components/Notifications/NotificationCenter.vue?9761","webpack://laravel/nova/./resources/js/components/Notifications/NotificationList.vue","webpack://laravel/nova/./resources/js/components/Notifications/NotificationList.vue?0161","webpack://laravel/nova/./resources/js/components/Pagination/PaginationLinks.vue","webpack://laravel/nova/./resources/js/components/Pagination/PaginationLinks.vue?64b9","webpack://laravel/nova/./resources/js/components/Pagination/PaginationLoadMore.vue","webpack://laravel/nova/./resources/js/components/Pagination/PaginationLoadMore.vue?08f1","webpack://laravel/nova/./resources/js/components/Pagination/PaginationSimple.vue","webpack://laravel/nova/./resources/js/components/Pagination/PaginationSimple.vue?50bb","webpack://laravel/nova/./resources/js/components/Pagination/ResourcePagination.vue","webpack://laravel/nova/./resources/js/components/Pagination/ResourcePagination.vue?6bec","webpack://laravel/nova/./resources/js/components/PanelItem.vue","webpack://laravel/nova/./resources/js/components/PanelItem.vue?515f","webpack://laravel/nova/./resources/js/components/PassthroughLogo.vue","webpack://laravel/nova/./resources/js/components/PassthroughLogo.vue?d9e8","webpack://laravel/nova/./resources/js/components/ProgressBar.vue","webpack://laravel/nova/./resources/js/components/RelationPeek.vue","webpack://laravel/nova/./resources/js/components/RelationPeek.vue?41ef","webpack://laravel/nova/./resources/js/components/Repeater/RepeaterRow.vue","webpack://laravel/nova/./resources/js/components/Repeater/RepeaterRow.vue?a1fb","webpack://laravel/nova/./resources/js/components/ResourceTable.vue","webpack://laravel/nova/./resources/js/components/ResourceTable.vue?42ab","webpack://laravel/nova/./resources/js/components/ResourceTableHeader.vue","webpack://laravel/nova/./resources/js/components/ResourceTableHeader.vue?28b1","webpack://laravel/nova/./resources/js/components/ResourceTableRow.vue","webpack://laravel/nova/./resources/js/components/ResourceTableRow.vue?bc6f","webpack://laravel/nova/./resources/js/components/ResourceTableToolbar.vue","webpack://laravel/nova/./resources/js/components/ResourceTableToolbar.vue?ddec","webpack://laravel/nova/./resources/js/components/ScrollWrap.vue","webpack://laravel/nova/./resources/js/components/ScrollWrap.vue?6e41","webpack://laravel/nova/./resources/js/components/SortableIcon.vue","webpack://laravel/nova/./resources/js/components/SortableIcon.vue?c4f9","webpack://laravel/nova/./resources/js/components/Tags/TagGroup.vue","webpack://laravel/nova/./resources/js/components/Tags/TagGroup.vue?9976","webpack://laravel/nova/./resources/js/components/Tags/TagGroupItem.vue","webpack://laravel/nova/./resources/js/components/Tags/TagGroupItem.vue?9868","webpack://laravel/nova/./resources/js/components/Tags/TagList.vue","webpack://laravel/nova/./resources/js/components/Tags/TagListItem.vue","webpack://laravel/nova/./resources/js/components/Tags/TagListItem.vue?9932","webpack://laravel/nova/./resources/js/components/Tooltip.vue","webpack://laravel/nova/./resources/js/components/Tooltip.vue?eeae","webpack://laravel/nova/./resources/js/components/TooltipContent.vue","webpack://laravel/nova/./resources/js/components/TooltipContent.vue?1a7e","webpack://laravel/nova/./resources/js/components/TrashedCheckbox.vue","webpack://laravel/nova/./resources/js/components/TrashedCheckbox.vue?77cf","webpack://laravel/nova/./resources/js/components/Trix.vue","webpack://laravel/nova/./resources/js/components/Trix.vue?4625","webpack://laravel/nova/./resources/js/components/UserMenu.vue","webpack://laravel/nova/./resources/js/components/UserMenu.vue?0bab","webpack://laravel/nova/./resources/js/components/ValidationErrors.vue","webpack://laravel/nova/./resources/js/components/ValidationErrors.vue?07cb","webpack://laravel/nova/./resources/js/fields/Detail/AudioField.vue","webpack://laravel/nova/./resources/js/fields/Detail/AudioField.vue?7616","webpack://laravel/nova/./resources/js/fields/Detail/BadgeField.vue","webpack://laravel/nova/./resources/js/fields/Detail/BadgeField.vue?09d8","webpack://laravel/nova/./resources/js/fields/Detail/BelongsToField.vue","webpack://laravel/nova/./resources/js/fields/Detail/BelongsToField.vue?45f7","webpack://laravel/nova/./resources/js/fields/Detail/BelongsToManyField.vue","webpack://laravel/nova/./resources/js/fields/Detail/BelongsToManyField.vue?f89b","webpack://laravel/nova/./resources/js/fields/Detail/BooleanField.vue","webpack://laravel/nova/./resources/js/fields/Detail/BooleanField.vue?f510","webpack://laravel/nova/./resources/js/fields/Detail/BooleanGroupField.vue","webpack://laravel/nova/./resources/js/fields/Detail/BooleanGroupField.vue?bc0c","webpack://laravel/nova/./resources/js/fields/Detail/CodeField.vue","webpack://laravel/nova/./resources/js/fields/Detail/CodeField.vue?9ea6","webpack://laravel/nova/./resources/js/fields/Detail/ColorField.vue","webpack://laravel/nova/./resources/js/fields/Detail/ColorField.vue?0bfb","webpack://laravel/nova/./resources/js/fields/Detail/CurrencyField.vue","webpack://laravel/nova/./resources/js/fields/Detail/CurrencyField.vue?dc0a","webpack://laravel/nova/./resources/js/fields/Detail/DateField.vue","webpack://laravel/nova/./resources/js/fields/Detail/DateField.vue?4f87","webpack://laravel/nova/./resources/js/fields/Detail/DateTimeField.vue","webpack://laravel/nova/./resources/js/fields/Detail/DateTimeField.vue?a7ca","webpack://laravel/nova/./resources/js/fields/Detail/EmailField.vue","webpack://laravel/nova/./resources/js/fields/Detail/EmailField.vue?a4c3","webpack://laravel/nova/./resources/js/fields/Detail/FileField.vue","webpack://laravel/nova/./resources/js/fields/Detail/FileField.vue?b2c2","webpack://laravel/nova/./resources/js/fields/Detail/HasManyField.vue","webpack://laravel/nova/./resources/js/fields/Detail/HasManyField.vue?ab66","webpack://laravel/nova/./resources/js/fields/Detail/HasManyThroughField.vue","webpack://laravel/nova/./resources/js/fields/Detail/HasManyThroughField.vue?a75e","webpack://laravel/nova/./resources/js/fields/Detail/HasOneField.vue","webpack://laravel/nova/./resources/js/fields/Detail/HasOneField.vue?7a85","webpack://laravel/nova/./resources/js/fields/Detail/HasOneThroughField.vue","webpack://laravel/nova/./resources/js/fields/Detail/HasOneThroughField.vue?9fcc","webpack://laravel/nova/./resources/js/fields/Detail/HeadingField.vue","webpack://laravel/nova/./resources/js/fields/Detail/HeadingField.vue?e83b","webpack://laravel/nova/./resources/js/fields/Detail/HiddenField.vue","webpack://laravel/nova/./resources/js/fields/Detail/HiddenField.vue?e568","webpack://laravel/nova/./resources/js/fields/Detail/IdField.vue","webpack://laravel/nova/./resources/js/fields/Detail/IdField.vue?f1b7","webpack://laravel/nova/./resources/js/fields/Detail/KeyValueField.vue","webpack://laravel/nova/./resources/js/fields/Detail/KeyValueField.vue?8114","webpack://laravel/nova/./resources/js/fields/Detail/MarkdownField.vue","webpack://laravel/nova/./resources/js/fields/Detail/MarkdownField.vue?d053","webpack://laravel/nova/./resources/js/fields/Detail/MorphToActionTargetField.vue","webpack://laravel/nova/./resources/js/fields/Detail/MorphToActionTargetField.vue?aca1","webpack://laravel/nova/./resources/js/fields/Detail/MorphToField.vue","webpack://laravel/nova/./resources/js/fields/Detail/MorphToField.vue?0170","webpack://laravel/nova/./resources/js/fields/Detail/MorphToManyField.vue","webpack://laravel/nova/./resources/js/fields/Detail/MorphToManyField.vue?470a","webpack://laravel/nova/./resources/js/fields/Detail/MultiSelectField.vue","webpack://laravel/nova/./resources/js/fields/Detail/MultiSelectField.vue?a335","webpack://laravel/nova/./resources/js/fields/Detail/Panel.vue","webpack://laravel/nova/./resources/js/fields/Detail/Panel.vue?d052","webpack://laravel/nova/./resources/js/fields/Detail/PasswordField.vue","webpack://laravel/nova/./resources/js/fields/Detail/PasswordField.vue?136e","webpack://laravel/nova/./resources/js/fields/Detail/PlaceField.vue","webpack://laravel/nova/./resources/js/fields/Detail/PlaceField.vue?3a17","webpack://laravel/nova/./resources/js/fields/Detail/RelationshipPanel.vue","webpack://laravel/nova/./resources/js/fields/Detail/RelationshipPanel.vue?bd26","webpack://laravel/nova/./resources/js/fields/Detail/SelectField.vue","webpack://laravel/nova/./resources/js/fields/Detail/SelectField.vue?b220","webpack://laravel/nova/./resources/js/fields/Detail/SlugField.vue","webpack://laravel/nova/./resources/js/fields/Detail/SlugField.vue?37ed","webpack://laravel/nova/./resources/js/fields/Detail/SparklineField.vue","webpack://laravel/nova/./resources/js/fields/Detail/SparklineField.vue?e1c8","webpack://laravel/nova/./resources/js/fields/Detail/StackField.vue","webpack://laravel/nova/./resources/js/fields/Detail/StackField.vue?327f","webpack://laravel/nova/./resources/js/fields/Detail/StatusField.vue","webpack://laravel/nova/./resources/js/fields/Detail/StatusField.vue?461c","webpack://laravel/nova/./resources/js/fields/Detail/TagField.vue","webpack://laravel/nova/./resources/js/fields/Detail/TagField.vue?3fc2","webpack://laravel/nova/./resources/js/fields/Detail/TextField.vue","webpack://laravel/nova/./resources/js/fields/Detail/TextField.vue?a9a8","webpack://laravel/nova/./resources/js/fields/Detail/TextareaField.vue","webpack://laravel/nova/./resources/js/fields/Detail/TextareaField.vue?cb3e","webpack://laravel/nova/./resources/js/fields/Detail/TrixField.vue","webpack://laravel/nova/./resources/js/fields/Detail/TrixField.vue?5bbd","webpack://laravel/nova/./resources/js/fields/Detail/UrlField.vue","webpack://laravel/nova/./resources/js/fields/Detail/UrlField.vue?3e47","webpack://laravel/nova/./resources/js/fields/Detail/VaporAudioField.vue","webpack://laravel/nova/./resources/js/fields/Detail/VaporAudioField.vue?d05d","webpack://laravel/nova/./resources/js/fields/Detail/VaporFileField.vue","webpack://laravel/nova/./resources/js/fields/Detail/VaporFileField.vue?c0a8","webpack://laravel/nova/./resources/js/fields/Filter/BooleanField.vue","webpack://laravel/nova/./resources/js/fields/Filter/BooleanField.vue?36d1","webpack://laravel/nova/./resources/js/fields/Filter/BooleanGroupField.vue","webpack://laravel/nova/./resources/js/fields/Filter/BooleanGroupField.vue?0d0b","webpack://laravel/nova/./resources/js/fields/Filter/DateField.vue","webpack://laravel/nova/./resources/js/fields/Filter/DateField.vue?f57e","webpack://laravel/nova/./resources/js/fields/Filter/DateTimeField.vue","webpack://laravel/nova/./resources/js/fields/Filter/DateTimeField.vue?c785","webpack://laravel/nova/./resources/js/fields/Filter/EloquentField.vue","webpack://laravel/nova/./resources/js/fields/Filter/EloquentField.vue?526e","webpack://laravel/nova/./resources/js/fields/Filter/EmailField.vue","webpack://laravel/nova/./resources/js/fields/Filter/EmailField.vue?ed29","webpack://laravel/nova/./resources/js/fields/Filter/MorphToField.vue","webpack://laravel/nova/./resources/js/fields/Filter/MorphToField.vue?416e","webpack://laravel/nova/./resources/js/fields/Filter/MultiSelectField.vue","webpack://laravel/nova/./resources/js/fields/Filter/MultiSelectField.vue?859b","webpack://laravel/nova/./resources/js/fields/Filter/NumberField.vue","webpack://laravel/nova/./resources/js/fields/Filter/NumberField.vue?f50d","webpack://laravel/nova/./resources/js/fields/Filter/SelectField.vue","webpack://laravel/nova/./resources/js/fields/Filter/SelectField.vue?ff3b","webpack://laravel/nova/./resources/js/fields/Filter/TextField.vue","webpack://laravel/nova/./resources/js/fields/Filter/TextField.vue?42b8","webpack://laravel/nova/./resources/js/fields/Form/AudioField.vue","webpack://laravel/nova/./resources/js/fields/Form/AudioField.vue?f6c5","webpack://laravel/nova/./resources/js/fields/Form/BelongsToField.vue","webpack://laravel/nova/./resources/js/storage/BelongsToFieldStorage.js","webpack://laravel/nova/./resources/js/fields/Form/BelongsToField.vue?4fb3","webpack://laravel/nova/./resources/js/fields/Form/BooleanField.vue","webpack://laravel/nova/./resources/js/fields/Form/BooleanField.vue?9924","webpack://laravel/nova/./resources/js/fields/Form/BooleanGroupField.vue","webpack://laravel/nova/./resources/js/fields/Form/BooleanGroupField.vue?f67a","webpack://laravel/nova/./resources/js/fields/Form/CodeField.vue","webpack://laravel/nova/./resources/js/fields/Form/CodeField.vue?2bed","webpack://laravel/nova/./resources/js/fields/Form/ColorField.vue","webpack://laravel/nova/./resources/js/fields/Form/ColorField.vue?7ad4","webpack://laravel/nova/./resources/js/fields/Form/CurrencyField.vue","webpack://laravel/nova/./resources/js/fields/Form/CurrencyField.vue?7139","webpack://laravel/nova/./resources/js/fields/Form/DateField.vue","webpack://laravel/nova/./resources/js/fields/Form/DateField.vue?9a9f","webpack://laravel/nova/./resources/js/fields/Form/DateTimeField.vue","webpack://laravel/nova/./resources/js/fields/Form/DateTimeField.vue?61e6","webpack://laravel/nova/./resources/js/fields/Form/EmailField.vue","webpack://laravel/nova/./resources/js/fields/Form/EmailField.vue?49a5","webpack://laravel/nova/./resources/js/fields/Form/FileField.vue","webpack://laravel/nova/./resources/js/fields/Form/FileField.vue?7853","webpack://laravel/nova/./resources/js/fields/Form/HasOneField.vue","webpack://laravel/nova/./resources/js/fields/Form/HasOneField.vue?c3b0","webpack://laravel/nova/./resources/js/fields/Form/HeadingField.vue","webpack://laravel/nova/./resources/js/fields/Form/HeadingField.vue?9a24","webpack://laravel/nova/./resources/js/fields/Form/HiddenField.vue","webpack://laravel/nova/./resources/js/fields/Form/HiddenField.vue?6adf","webpack://laravel/nova/./resources/js/fields/Form/KeyValueField.vue","webpack://laravel/nova/./resources/js/fields/Form/KeyValueField.vue?9b07","webpack://laravel/nova/./resources/js/fields/Form/KeyValueHeader.vue","webpack://laravel/nova/./resources/js/fields/Form/KeyValueHeader.vue?8548","webpack://laravel/nova/./resources/js/fields/Form/KeyValueItem.vue","webpack://laravel/nova/./resources/js/fields/Form/KeyValueItem.vue?51e2","webpack://laravel/nova/./resources/js/fields/Form/KeyValueTable.vue","webpack://laravel/nova/./resources/js/fields/Form/KeyValueTable.vue?2932","webpack://laravel/nova/./resources/js/fields/Form/MarkdownField.vue","webpack://laravel/nova/./resources/js/fields/Form/MarkdownField.vue?4929","webpack://laravel/nova/./resources/js/fields/Form/MorphToField.vue","webpack://laravel/nova/./resources/js/storage/MorphToFieldStorage.js","webpack://laravel/nova/./resources/js/fields/Form/MorphToField.vue?0d00","webpack://laravel/nova/./resources/js/fields/Form/MultiSelectField.vue","webpack://laravel/nova/./resources/js/fields/Form/MultiSelectField.vue?1ebd","webpack://laravel/nova/./resources/js/fields/Form/Panel.vue","webpack://laravel/nova/./resources/js/fields/Form/Panel.vue?d76c","webpack://laravel/nova/./resources/js/fields/Form/PasswordField.vue","webpack://laravel/nova/./resources/js/fields/Form/PasswordField.vue?adfa","webpack://laravel/nova/./resources/js/fields/Form/PlaceField.vue","webpack://laravel/nova/./resources/js/fields/Form/PlaceField.vue?421d","webpack://laravel/nova/./resources/js/fields/Form/RelationshipPanel.vue","webpack://laravel/nova/./resources/js/fields/Form/RelationshipPanel.vue?7ab2","webpack://laravel/nova/./resources/js/fields/Form/RepeaterField.vue","webpack://laravel/nova/./resources/js/fields/Form/RepeaterField.vue?8a04","webpack://laravel/nova/./resources/js/fields/Form/SelectField.vue","webpack://laravel/nova/./resources/js/fields/Form/SelectField.vue?e89a","webpack://laravel/nova/./resources/js/fields/Form/SlugField.vue","webpack://laravel/nova/./resources/js/fields/Form/SlugField.vue?6e46","webpack://laravel/nova/./resources/js/fields/Form/StatusField.vue","webpack://laravel/nova/./resources/js/fields/Form/StatusField.vue?0b1a","webpack://laravel/nova/./resources/js/fields/Form/TagField.vue","webpack://laravel/nova/./resources/js/fields/Form/TagField.vue?7b6a","webpack://laravel/nova/./resources/js/fields/Form/TextField.vue","webpack://laravel/nova/./resources/js/fields/Form/TextField.vue?1a25","webpack://laravel/nova/./resources/js/fields/Form/TextareaField.vue","webpack://laravel/nova/./resources/js/fields/Form/TextareaField.vue?c001","webpack://laravel/nova/./resources/js/fields/Form/TrixField.vue","webpack://laravel/nova/./resources/js/fields/Form/TrixField.vue?eafd","webpack://laravel/nova/./resources/js/fields/Form/UrlField.vue","webpack://laravel/nova/./resources/js/fields/Form/UrlField.vue?15a2","webpack://laravel/nova/./resources/js/fields/Form/VaporAudioField.vue","webpack://laravel/nova/./resources/js/fields/Form/VaporAudioField.vue?ca38","webpack://laravel/nova/./resources/js/fields/Form/VaporFileField.vue","webpack://laravel/nova/./resources/js/fields/Form/VaporFileField.vue?7f47","webpack://laravel/nova/./resources/js/fields/Index/AudioField.vue","webpack://laravel/nova/./resources/js/fields/Index/AudioField.vue?5db4","webpack://laravel/nova/./resources/js/fields/Index/BadgeField.vue","webpack://laravel/nova/./resources/js/fields/Index/BadgeField.vue?d195","webpack://laravel/nova/./resources/js/fields/Index/BelongsToField.vue","webpack://laravel/nova/./resources/js/fields/Index/BooleanField.vue","webpack://laravel/nova/./resources/js/fields/Index/BooleanField.vue?71e4","webpack://laravel/nova/./resources/js/fields/Index/BooleanGroupField.vue","webpack://laravel/nova/./resources/js/fields/Index/BooleanGroupField.vue?1a19","webpack://laravel/nova/./resources/js/fields/Index/ColorField.vue","webpack://laravel/nova/./resources/js/fields/Index/ColorField.vue?8404","webpack://laravel/nova/./resources/js/fields/Index/CurrencyField.vue","webpack://laravel/nova/./resources/js/fields/Index/CurrencyField.vue?5966","webpack://laravel/nova/./resources/js/fields/Index/DateField.vue","webpack://laravel/nova/./resources/js/fields/Index/DateField.vue?1f74","webpack://laravel/nova/./resources/js/fields/Index/DateTimeField.vue","webpack://laravel/nova/./resources/js/fields/Index/DateTimeField.vue?5ee0","webpack://laravel/nova/./resources/js/fields/Index/EmailField.vue","webpack://laravel/nova/./resources/js/fields/Index/EmailField.vue?a125","webpack://laravel/nova/./resources/js/fields/Index/FileField.vue","webpack://laravel/nova/./resources/js/fields/Index/FileField.vue?6381","webpack://laravel/nova/./resources/js/fields/Index/HeadingField.vue","webpack://laravel/nova/./resources/js/fields/Index/HeadingField.vue?5fdf","webpack://laravel/nova/./resources/js/fields/Index/HiddenField.vue","webpack://laravel/nova/./resources/js/fields/Index/HiddenField.vue?1285","webpack://laravel/nova/./resources/js/fields/Index/IdField.vue","webpack://laravel/nova/./resources/js/fields/Index/IdField.vue?973c","webpack://laravel/nova/./resources/js/fields/Index/LineField.vue","webpack://laravel/nova/./resources/js/fields/Index/LineField.vue?384c","webpack://laravel/nova/./resources/js/fields/Index/MorphToActionTargetField.vue","webpack://laravel/nova/./resources/js/fields/Index/MorphToActionTargetField.vue?3ba4","webpack://laravel/nova/./resources/js/fields/Index/MorphToField.vue","webpack://laravel/nova/./resources/js/fields/Index/MultiSelectField.vue","webpack://laravel/nova/./resources/js/fields/Index/MultiSelectField.vue?edde","webpack://laravel/nova/./resources/js/fields/Index/PasswordField.vue","webpack://laravel/nova/./resources/js/fields/Index/PasswordField.vue?2539","webpack://laravel/nova/./resources/js/fields/Index/PlaceField.vue","webpack://laravel/nova/./resources/js/fields/Index/PlaceField.vue?a3ad","webpack://laravel/nova/./resources/js/fields/Index/SelectField.vue","webpack://laravel/nova/./resources/js/fields/Index/SelectField.vue?408c","webpack://laravel/nova/./resources/js/fields/Index/SlugField.vue","webpack://laravel/nova/./resources/js/fields/Index/SlugField.vue?7f61","webpack://laravel/nova/./resources/js/fields/Index/SparklineField.vue","webpack://laravel/nova/./resources/js/fields/Index/SparklineField.vue?12a6","webpack://laravel/nova/./resources/js/fields/Index/StackField.vue","webpack://laravel/nova/./resources/js/fields/Index/StackField.vue?c639","webpack://laravel/nova/./resources/js/fields/Index/StatusField.vue","webpack://laravel/nova/./resources/js/fields/Index/StatusField.vue?579a","webpack://laravel/nova/./resources/js/fields/Index/TagField.vue","webpack://laravel/nova/./resources/js/fields/Index/TagField.vue?1ff2","webpack://laravel/nova/./resources/js/fields/Index/TextField.vue","webpack://laravel/nova/./resources/js/fields/Index/TextField.vue?be0c","webpack://laravel/nova/./resources/js/fields/Index/UrlField.vue","webpack://laravel/nova/./resources/js/fields/Index/UrlField.vue?d0f8","webpack://laravel/nova/./resources/js/fields/Index/VaporAudioField.vue","webpack://laravel/nova/./resources/js/fields/Index/VaporAudioField.vue?a80b","webpack://laravel/nova/./resources/js/fields/Index/VaporFileField.vue","webpack://laravel/nova/./resources/js/fields/Index/VaporFileField.vue?1e16","webpack://laravel/nova/./resources/js/layouts/Auth.vue","webpack://laravel/nova/./resources/js/layouts/Auth.vue?0139","webpack://laravel/nova/./resources/js/layouts/Guest.vue","webpack://laravel/nova/./resources/js/layouts/Guest.vue?8d91","webpack://laravel/nova/./resources/js/pages/AppError.vue","webpack://laravel/nova/./resources/js/pages/AppError.vue?f576","webpack://laravel/nova/./resources/js/pages/Attach.vue","webpack://laravel/nova/./resources/js/pages/Attach.vue?8560","webpack://laravel/nova/./resources/js/pages/Create.vue","webpack://laravel/nova/./resources/js/pages/Create.vue?6716","webpack://laravel/nova/./resources/js/views/Dashboard.vue","webpack://laravel/nova/./resources/js/views/Dashboard.vue?d719","webpack://laravel/nova/./resources/js/pages/Dashboard.vue","webpack://laravel/nova/./resources/js/pages/Dashboard.vue?2ff9","webpack://laravel/nova/./resources/js/pages/Detail.vue","webpack://laravel/nova/./resources/js/pages/Detail.vue?d58a","webpack://laravel/nova/./resources/js/pages/Error403.vue","webpack://laravel/nova/./resources/js/pages/Error403.vue?ca99","webpack://laravel/nova/./resources/js/pages/Error404.vue","webpack://laravel/nova/./resources/js/pages/Error404.vue?59c4","webpack://laravel/nova/./resources/js/pages/ForgotPassword.vue","webpack://laravel/nova/./resources/js/pages/ForgotPassword.vue?41fd","webpack://laravel/nova/./resources/js/pages/Index.vue","webpack://laravel/nova/./resources/js/pages/Index.vue?7682","webpack://laravel/nova/./resources/js/views/Lens.vue","webpack://laravel/nova/./resources/js/pages/Lens.vue","webpack://laravel/nova/./resources/js/views/Lens.vue?75ae","webpack://laravel/nova/./resources/js/pages/Lens.vue?8f33","webpack://laravel/nova/./resources/js/pages/Login.vue","webpack://laravel/nova/./resources/js/pages/Login.vue?a6ce","webpack://laravel/nova/./resources/js/pages/Replicate.vue","webpack://laravel/nova/./resources/js/pages/Replicate.vue?96be","webpack://laravel/nova/./resources/js/pages/ResetPassword.vue","webpack://laravel/nova/./resources/js/pages/ResetPassword.vue?6cb5","webpack://laravel/nova/./resources/js/views/Update.vue","webpack://laravel/nova/./resources/js/views/Update.vue?f255","webpack://laravel/nova/./resources/js/pages/Update.vue","webpack://laravel/nova/./resources/js/pages/Update.vue?3df7","webpack://laravel/nova/./resources/js/pages/UpdateAttached.vue","webpack://laravel/nova/./resources/js/pages/UpdateAttached.vue?8603","webpack://laravel/nova/./resources/js/views/Create.vue","webpack://laravel/nova/./resources/js/views/Create.vue?8c18","webpack://laravel/nova/./resources/js/components/ sync [A-Z]\\w+\\.(vue)$","webpack://laravel/nova/./resources/js/fields/Detail/ sync [A-Z]\\w+\\.(vue)$","webpack://laravel/nova/./resources/js/fields/Filter/ sync [A-Z]\\w+\\.(vue)$","webpack://laravel/nova/./resources/js/fields/Form/ sync [A-Z]\\w+\\.(vue)$","webpack://laravel/nova/./resources/js/fields/Index/ sync [A-Z]\\w+\\.(vue)$"],"sourcesContent":["import axios from 'axios'\nimport isNil from 'lodash/isNil'\n\nexport function setupAxios() {\n const instance = axios.create()\n\n instance.defaults.headers.common['X-Requested-With'] = 'XMLHttpRequest'\n instance.defaults.headers.common['X-CSRF-TOKEN'] =\n document.head.querySelector('meta[name=\"csrf-token\"]').content\n\n instance.interceptors.response.use(\n response => response,\n error => {\n if (axios.isCancel(error)) {\n return Promise.reject(error)\n }\n\n const response = error.response\n const {\n status,\n data: { redirect },\n } = response\n\n // Show the user a 500 error\n if (status >= 500) {\n Nova.$emit('error', error.response.data.message)\n }\n\n // Handle Session Timeouts (Unauthorized)\n if (status === 401) {\n // Use redirect if being specificed by the response\n if (!isNil(redirect)) {\n location.href = redirect\n return\n }\n\n Nova.redirectToLogin()\n }\n\n // Handle Forbidden\n if (status === 403) {\n Nova.visit('/403')\n }\n\n // Handle Token Timeouts\n if (status === 419) {\n Nova.$emit('token-expired')\n }\n\n return Promise.reject(error)\n }\n )\n\n return instance\n}\n","\n\n\n","\n\n\n","import { render } from \"./ErrorLayout.vue?vue&type=template&id=7543f7c0\"\nimport script from \"./ErrorLayout.vue?vue&type=script&lang=js\"\nexport * from \"./ErrorLayout.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"ErrorLayout.vue\"]])\n\nexport default __exports__","import { render } from \"./CustomError404.vue?vue&type=template&id=51aadfd6\"\nimport script from \"./CustomError404.vue?vue&type=script&lang=js\"\nexport * from \"./CustomError404.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CustomError404.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CustomError403.vue?vue&type=template&id=3efbadcc\"\nimport script from \"./CustomError403.vue?vue&type=script&lang=js\"\nexport * from \"./CustomError403.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CustomError403.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CustomAppError.vue?vue&type=template&id=271af733\"\nimport script from \"./CustomAppError.vue?vue&type=script&lang=js\"\nexport * from \"./CustomAppError.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CustomAppError.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Index.vue?vue&type=template&id=6beb1099\"\nimport script from \"./Index.vue?vue&type=script&lang=js\"\nexport * from \"./Index.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Index.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Detail.vue?vue&type=template&id=3108cd2a\"\nimport script from \"./Detail.vue?vue&type=script&lang=js\"\nexport * from \"./Detail.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Detail.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Attach.vue?vue&type=template&id=b456b144\"\nimport script from \"./Attach.vue?vue&type=script&lang=js\"\nexport * from \"./Attach.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Attach.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./UpdateAttached.vue?vue&type=template&id=0fb7f8d2\"\nimport script from \"./UpdateAttached.vue?vue&type=script&lang=js\"\nexport * from \"./UpdateAttached.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"UpdateAttached.vue\"]])\n\nexport default __exports__","import camelCase from 'lodash/camelCase'\nimport upperFirst from 'lodash/upperFirst'\n\nfunction registerComponents(app, type, requireComponent) {\n requireComponent.keys().forEach(fileName => {\n const componentConfig = requireComponent(fileName)\n const componentName = upperFirst(\n camelCase(\n fileName\n .split('/')\n .pop()\n .replace(/\\.\\w+$/, '')\n )\n )\n\n app.component(\n type + componentName,\n componentConfig.default || componentConfig\n )\n })\n}\n\nexport function registerFields(app) {\n registerComponents(\n app,\n 'Index',\n require.context(`./fields/Index`, true, /[A-Z]\\w+\\.(vue)$/)\n )\n registerComponents(\n app,\n 'Detail',\n require.context(`./fields/Detail`, true, /[A-Z]\\w+\\.(vue)$/)\n )\n registerComponents(\n app,\n 'Form',\n require.context(`./fields/Form`, true, /[A-Z]\\w+\\.(vue)$/)\n )\n registerComponents(\n app,\n 'Filter',\n require.context(`./fields/Filter`, true, /[A-Z]\\w+\\.(vue)$/)\n )\n}\n","import { usePage } from '@inertiajs/inertia-vue3'\nimport { Inertia } from '@inertiajs/inertia'\nimport forEach from 'lodash/forEach'\nimport filled from '@/util/filled'\n\nexport default {\n state: () => ({\n baseUri: '/nova',\n currentUser: null,\n mainMenu: [],\n userMenu: [],\n breadcrumbs: [],\n resources: [],\n version: '4.x',\n mainMenuShown: false,\n canLeaveForm: true,\n canLeaveModal: true,\n pushStateWasTriggered: false,\n validLicense: true,\n queryStringParams: {},\n compiledQueryStringParams: '',\n }),\n\n getters: {\n currentUser: s => s.currentUser,\n currentVersion: s => s.version,\n mainMenu: s => s.mainMenu,\n userMenu: s => s.userMenu,\n breadcrumbs: s => s.breadcrumbs,\n mainMenuShown: s => s.mainMenuShown,\n canLeaveForm: s => s.canLeaveForm,\n canLeaveFormToPreviousPage: s => s.canLeaveForm && !s.pushStateWasTriggered,\n canLeaveModal: s => s.canLeaveModal,\n validLicense: s => s.validLicense,\n queryStringParams: s => s.queryStringParams,\n },\n\n mutations: {\n allowLeavingForm(state) {\n state.canLeaveForm = true\n },\n\n preventLeavingForm(state) {\n state.canLeaveForm = false\n },\n\n allowLeavingModal(state) {\n state.canLeaveModal = true\n },\n\n preventLeavingModal(state) {\n state.canLeaveModal = false\n },\n\n triggerPushState(state) {\n Inertia.pushState(Inertia.page)\n Inertia.ignoreHistoryState = true\n state.pushStateWasTriggered = true\n },\n\n resetPushState(state) {\n state.pushStateWasTriggered = false\n },\n\n toggleMainMenu(state) {\n state.mainMenuShown = !state.mainMenuShown\n localStorage.setItem('nova.mainMenu.open', state.mainMenuShown)\n },\n },\n\n actions: {\n async login({ commit, dispatch }, { email, password, remember }) {\n await Nova.request().post(Nova.url('/login'), {\n email,\n password,\n remember,\n })\n },\n\n async logout({ state }, customLogoutPath) {\n let response = null\n\n if (!Nova.config('withAuthentication') && customLogoutPath) {\n response = await Nova.request().post(customLogoutPath)\n } else {\n response = await Nova.request().post(Nova.url('/logout'))\n }\n\n return response?.data?.redirect || null\n },\n\n async startImpersonating({}, { resource, resourceId }) {\n let response = null\n\n response = await Nova.request().post(`/nova-api/impersonate`, {\n resource,\n resourceId,\n })\n\n let redirect = response?.data?.redirect || null\n\n if (redirect !== null) {\n location.href = redirect\n return\n }\n\n Nova.visit('/')\n },\n\n async stopImpersonating({}) {\n let response = null\n\n response = await Nova.request().delete(`/nova-api/impersonate`)\n\n let redirect = response?.data?.redirect || null\n\n if (redirect !== null) {\n location.href = redirect\n return\n }\n\n Nova.visit('/')\n },\n\n async assignPropsFromInertia({ state, dispatch }) {\n let config = usePage().props.value.novaConfig || Nova.appConfig\n let { resources, base, version, mainMenu, userMenu } = config\n\n let user = usePage().props.value.currentUser\n let validLicense = usePage().props.value.validLicense\n let breadcrumbs = usePage().props.value.breadcrumbs\n\n Nova.appConfig = config\n state.breadcrumbs = breadcrumbs || []\n state.currentUser = user\n state.validLicense = validLicense\n state.resources = resources\n state.baseUri = base\n state.version = version\n state.mainMenu = mainMenu\n state.userMenu = userMenu\n\n dispatch('syncQueryString')\n },\n\n async fetchPolicies({ state, dispatch }) {\n await dispatch('assignPropsFromInertia')\n },\n\n async syncQueryString({ state }) {\n let searchParams = new URLSearchParams(window.location.search)\n\n state.queryStringParams = Object.fromEntries(searchParams.entries())\n state.compiledQueryStringParams = searchParams.toString()\n },\n\n async updateQueryString({ state }, value) {\n let searchParams = new URLSearchParams(window.location.search)\n let page = Inertia.page\n\n forEach(value, (v, i) => {\n if (!filled(v)) {\n searchParams.delete(i)\n } else {\n searchParams.set(i, v || '')\n }\n })\n\n if (state.compiledQueryStringParams !== searchParams.toString()) {\n if (page.url !== `${window.location.pathname}?${searchParams}`) {\n page.url = `${window.location.pathname}?${searchParams}`\n\n window.history.pushState(\n page,\n '',\n `${window.location.pathname}?${searchParams}`\n )\n }\n\n state.compiledQueryStringParams = searchParams.toString()\n }\n\n Nova.$emit('query-string-changed', searchParams)\n state.queryStringParams = Object.fromEntries(searchParams.entries())\n\n return new Promise((resolve, reject) => {\n resolve(searchParams)\n })\n },\n },\n}\n","export default {\n state: () => ({\n notifications: [],\n notificationsShown: false,\n unreadNotifications: false,\n }),\n\n getters: {\n notifications: s => s.notifications,\n notificationsShown: s => s.notificationsShown,\n unreadNotifications: s => s.unreadNotifications,\n },\n\n mutations: {\n toggleNotifications(state) {\n state.notificationsShown = !state.notificationsShown\n localStorage.setItem('nova.mainMenu.open', state.notificationsShown)\n },\n },\n\n actions: {\n async fetchNotifications({ state }) {\n const {\n data: { notifications, unread },\n } = await Nova.request().get(`/nova-api/nova-notifications`)\n\n state.notifications = notifications\n state.unreadNotifications = unread\n },\n\n async markNotificationAsUnread({ state, dispatch }, id) {\n await Nova.request().post(`/nova-api/nova-notifications/${id}/unread`)\n dispatch('fetchNotifications')\n },\n\n async markNotificationAsRead({ state, dispatch }, id) {\n await Nova.request().post(`/nova-api/nova-notifications/${id}/read`)\n dispatch('fetchNotifications')\n },\n\n async deleteNotification({ state, dispatch }, id) {\n await Nova.request().delete(`/nova-api/nova-notifications/${id}`)\n dispatch('fetchNotifications')\n },\n\n async deleteAllNotifications({ state, dispatch }, id) {\n await Nova.request().delete(`/nova-api/nova-notifications`)\n dispatch('fetchNotifications')\n },\n\n async markAllNotificationsAsRead({ state, dispatch }, id) {\n await Nova.request().post(`/nova-api/nova-notifications/read-all`)\n dispatch('fetchNotifications')\n },\n },\n}\n","import cloneDeep from 'lodash/cloneDeep'\nimport each from 'lodash/each'\nimport find from 'lodash/find'\nimport filter from 'lodash/filter'\nimport map from 'lodash/map'\nimport reduce from 'lodash/reduce'\nimport { escapeUnicode } from '@/util/escapeUnicode'\n\nexport default {\n namespaced: true,\n\n state: () => ({\n filters: [],\n originalFilters: [],\n }),\n\n getters: {\n /**\n * The filters for the resource\n */\n filters: state => state.filters,\n\n /**\n * The original filters for the resource\n */\n originalFilters: state => state.originalFilters,\n\n /**\n * Determine if there are any filters for the resource.\n */\n hasFilters: state => Boolean(state.filters.length > 0),\n\n /**\n * The current unencoded filter value payload\n */\n currentFilters: (state, getters) => {\n return map(filter(state.filters), f => {\n return {\n [f.class]: f.currentValue,\n }\n })\n },\n\n /**\n * Return the current filters encoded to a string.\n */\n currentEncodedFilters: (state, getters) =>\n btoa(escapeUnicode(JSON.stringify(getters.currentFilters))),\n\n /**\n * Determine whether any filters are applied\n */\n filtersAreApplied: (state, getters) => getters.activeFilterCount > 0,\n\n /**\n * Return the number of filters that are non-default\n */\n activeFilterCount: (state, getters) => {\n return reduce(\n state.filters,\n (result, f) => {\n const originalFilter = getters.getOriginalFilter(f.class)\n const originalFilterCloneValue = JSON.stringify(\n originalFilter.currentValue\n )\n const currentFilterCloneValue = JSON.stringify(f.currentValue)\n return currentFilterCloneValue == originalFilterCloneValue\n ? result\n : result + 1\n },\n 0\n )\n },\n\n /**\n * Get a single filter from the list of filters.\n */\n getFilter: state => filterKey => {\n return find(state.filters, filter => {\n return filter.class == filterKey\n })\n },\n\n getOriginalFilter: state => filterKey => {\n return find(state.originalFilters, filter => {\n return filter.class == filterKey\n })\n },\n\n /**\n * Get the options for a single filter.\n */\n getOptionsForFilter: (state, getters) => filterKey => {\n const filter = getters.getFilter(filterKey)\n return filter ? filter.options : []\n },\n\n /**\n * Get the current value for a given filter at the provided key.\n */\n filterOptionValue: (state, getters) => (filterKey, optionKey) => {\n const filter = getters.getFilter(filterKey)\n\n return find(filter.currentValue, (value, key) => key == optionKey)\n },\n },\n\n actions: {\n /**\n * Fetch the current filters for the given resource name.\n */\n async fetchFilters({ commit, state }, options) {\n let { resourceName, lens = false } = options\n let { viaResource, viaResourceId, viaRelationship, relationshipType } =\n options\n let params = {\n params: {\n viaResource,\n viaResourceId,\n viaRelationship,\n relationshipType,\n },\n }\n\n const { data } = lens\n ? await Nova.request().get(\n '/nova-api/' + resourceName + '/lens/' + lens + '/filters',\n params\n )\n : await Nova.request().get(\n '/nova-api/' + resourceName + '/filters',\n params\n )\n\n commit('storeFilters', data)\n },\n\n /**\n * Reset the default filter state to the original filter settings.\n */\n async resetFilterState({ commit, getters }) {\n each(getters.originalFilters, filter => {\n commit('updateFilterState', {\n filterClass: filter.class,\n value: filter.currentValue,\n })\n })\n },\n\n /**\n * Initialize the current filter values from the decoded query string.\n */\n async initializeCurrentFilterValuesFromQueryString(\n { commit, getters },\n encodedFilters\n ) {\n if (encodedFilters) {\n const initialFilters = JSON.parse(atob(encodedFilters))\n each(initialFilters, filter => {\n if (\n filter.hasOwnProperty('class') &&\n filter.hasOwnProperty('value')\n ) {\n commit('updateFilterState', {\n filterClass: filter.class,\n value: filter.value,\n })\n } else {\n for (let key in filter) {\n commit('updateFilterState', {\n filterClass: key,\n value: filter[key],\n })\n }\n }\n })\n }\n },\n },\n\n mutations: {\n updateFilterState(state, { filterClass, value }) {\n const filter = find(state.filters, f => f.class == filterClass)\n\n if (filter !== undefined && filter !== null) {\n filter.currentValue = value\n }\n },\n\n /**\n * Store the mutable filter settings\n */\n storeFilters(state, data) {\n state.filters = data\n state.originalFilters = cloneDeep(data)\n },\n\n /**\n * Clear the filters for this resource\n */\n clearFilters(state) {\n state.filters = []\n state.originalFilters = []\n },\n },\n}\n","\n\n\n","\n\n\n","\n\n\n","import script from \"./MainHeader.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./MainHeader.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"MainHeader.vue\"]])\n\nexport default __exports__","import { render } from \"./Footer.vue?vue&type=template&id=1cbe6d58\"\nimport script from \"./Footer.vue?vue&type=script&lang=js\"\nexport * from \"./Footer.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Footer.vue\"]])\n\nexport default __exports__","import { render } from \"./AppLayout.vue?vue&type=template&id=47352ab0\"\nimport script from \"./AppLayout.vue?vue&type=script&lang=js\"\nexport * from \"./AppLayout.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"AppLayout.vue\"]])\n\nexport default __exports__","import Localization from '@/mixins/Localization'\nimport { setupAxios } from '@/util/axios'\nimport { setupNumbro } from '@/util/numbro'\nimport { setupInertia } from '@/util/inertia'\nimport url from '@/util/url'\nimport { createInertiaApp, Head, Link } from '@inertiajs/inertia-vue3'\nimport { Inertia } from '@inertiajs/inertia'\nimport NProgress from 'nprogress'\nimport { registerViews } from './components'\nimport { registerFields } from './fields'\nimport Mousetrap from 'mousetrap'\nimport Form from 'form-backend-validation'\nimport { createNovaStore } from './store'\nimport resourceStore from './store/resources'\nimport FloatingVue from 'floating-vue'\nimport find from 'lodash/find'\nimport isNil from 'lodash/isNil'\nimport fromPairs from 'lodash/fromPairs'\nimport isString from 'lodash/isString'\nimport omit from 'lodash/omit'\nimport Toasted from 'toastedjs'\nimport Emitter from 'tiny-emitter'\nimport Layout from '@/layouts/AppLayout'\nimport CodeMirror from 'codemirror'\nimport { Settings } from 'luxon'\nimport 'codemirror/mode/markdown/markdown'\nimport 'codemirror/mode/javascript/javascript'\nimport 'codemirror/mode/php/php'\nimport 'codemirror/mode/ruby/ruby'\nimport 'codemirror/mode/shell/shell'\nimport 'codemirror/mode/sass/sass'\nimport 'codemirror/mode/yaml/yaml'\nimport 'codemirror/mode/yaml-frontmatter/yaml-frontmatter'\nimport 'codemirror/mode/nginx/nginx'\nimport 'codemirror/mode/xml/xml'\nimport 'codemirror/mode/vue/vue'\nimport 'codemirror/mode/dockerfile/dockerfile'\nimport 'codemirror/keymap/vim'\nimport 'codemirror/mode/sql/sql'\nimport 'codemirror/mode/twig/twig'\nimport 'codemirror/mode/htmlmixed/htmlmixed'\nimport { ColorTranslator } from 'colortranslator'\n\nimport 'floating-vue/dist/style.css'\n\nconst { parseColor } = require('tailwindcss/lib/util/color')\n\nCodeMirror.defineMode('htmltwig', function (config, parserConfig) {\n return CodeMirror.overlayMode(\n CodeMirror.getMode(config, parserConfig.backdrop || 'text/html'),\n CodeMirror.getMode(config, 'twig')\n )\n})\n\nconst emitter = new Emitter()\n\nwindow.createNovaApp = config => new Nova(config)\nwindow.Vue = require('vue')\n\nconst { createApp, h } = window.Vue\n\nclass Nova {\n constructor(config) {\n this.bootingCallbacks = []\n this.appConfig = config\n this.useShortcuts = true\n\n this.pages = {\n 'Nova.Attach': require('@/pages/Attach').default,\n 'Nova.Create': require('@/pages/Create').default,\n 'Nova.Dashboard': require('@/pages/Dashboard').default,\n 'Nova.Detail': require('@/pages/Detail').default,\n 'Nova.Error': require('@/pages/AppError').default,\n 'Nova.Error403': require('@/pages/Error403').default,\n 'Nova.Error404': require('@/pages/Error404').default,\n 'Nova.ForgotPassword': require('@/pages/ForgotPassword').default,\n 'Nova.Index': require('@/pages/Index').default,\n 'Nova.Lens': require('@/pages/Lens').default,\n 'Nova.Login': require('@/pages/Login').default,\n 'Nova.Replicate': require('@/pages/Replicate').default,\n 'Nova.ResetPassword': require('@/pages/ResetPassword').default,\n 'Nova.Update': require('@/pages/Update').default,\n 'Nova.UpdateAttached': require('@/pages/UpdateAttached').default,\n }\n\n this.$toasted = new Toasted({\n theme: 'nova',\n position: config.rtlEnabled ? 'bottom-left' : 'bottom-right',\n duration: 6000,\n })\n this.$progress = NProgress\n this.$router = Inertia\n\n if (config.debug === true) {\n this.$testing = {\n timezone: timezone => {\n Settings.defaultZoneName = timezone\n },\n }\n }\n }\n\n /**\n * Register a callback to be called before Nova starts. This is used to bootstrap\n * addons, tools, custom fields, or anything else Nova needs\n */\n booting(callback) {\n this.bootingCallbacks.push(callback)\n }\n\n /**\n * Execute all of the booting callbacks.\n */\n boot() {\n this.store = createNovaStore()\n\n this.bootingCallbacks.forEach(callback => callback(this.app, this.store))\n this.bootingCallbacks = []\n }\n\n booted(callback) {\n callback(this.app, this.store)\n }\n\n async countdown() {\n this.log('Initiating Nova countdown...')\n\n const appName = this.config('appName')\n\n await createInertiaApp({\n title: title => (!title ? appName : `${title} - ${appName}`),\n resolve: name => {\n const page = !isNil(this.pages[name])\n ? this.pages[name]\n : require('@/pages/Error404').default\n\n page.layout = page.layout || Layout\n\n return page\n },\n setup: ({ el, App, props, plugin }) => {\n this.mountTo = el\n this.app = createApp({ render: () => h(App, props) })\n\n this.app.use(plugin)\n this.app.use(FloatingVue, {\n preventOverflow: true,\n flip: true,\n themes: {\n Nova: {\n $extend: 'tooltip',\n triggers: ['click'],\n autoHide: true,\n placement: 'bottom',\n html: true,\n },\n },\n })\n },\n })\n }\n\n /**\n * Start the Nova app by calling each of the tool's callbacks and then creating\n * the underlying Vue instance.\n */\n liftOff() {\n this.log('We have lift off!')\n\n this.boot()\n\n if (this.config('notificationCenterEnabled')) {\n this.notificationPollingInterval = setInterval(() => {\n if (document.hasFocus()) {\n this.$emit('refresh-notifications')\n }\n }, this.config('notificationPollingInterval'))\n }\n\n this.registerStoreModules()\n\n this.app.mixin(Localization)\n\n setupInertia()\n\n document.addEventListener('inertia:before', () => {\n ;(async () => {\n this.log('Syncing Inertia props to the store...')\n await this.store.dispatch('assignPropsFromInertia')\n })()\n })\n\n document.addEventListener('inertia:navigate', () => {\n ;(async () => {\n this.log('Syncing Inertia props to the store...')\n await this.store.dispatch('assignPropsFromInertia')\n })()\n })\n\n this.app.mixin({\n methods: {\n $url: (path, parameters) => this.url(path, parameters),\n },\n })\n\n this.component('Link', Link)\n this.component('InertiaLink', Link)\n this.component('Head', Head)\n\n registerViews(this)\n registerFields(this)\n\n this.app.mount(this.mountTo)\n\n let mousetrapDefaultStopCallback = Mousetrap.prototype.stopCallback\n\n Mousetrap.prototype.stopCallback = (e, element, combo) => {\n if (!this.useShortcuts) {\n return true\n }\n\n return mousetrapDefaultStopCallback.call(this, e, element, combo)\n }\n\n Mousetrap.init()\n\n this.applyTheme()\n\n this.log('All systems go...')\n }\n\n config(key) {\n return this.appConfig[key]\n }\n\n /**\n * Return a form object configured with Nova's preconfigured axios instance.\n *\n * @param {object} data\n */\n form(data) {\n return new Form(data, {\n http: this.request(),\n })\n }\n\n /**\n * Return an axios instance configured to make requests to Nova's API\n * and handle certain response codes.\n */\n request(options) {\n let axios = setupAxios()\n\n if (options !== undefined) {\n return axios(options)\n }\n\n return axios\n }\n\n /**\n * Get the URL from base Nova prefix.\n */\n url(path, parameters) {\n if (path === '/') {\n path = this.config('initialPath')\n }\n\n return url(this.config('base'), path, parameters)\n }\n\n /**\n * Register a listener on Nova's built-in event bus\n */\n $on(...args) {\n emitter.on(...args)\n }\n\n /**\n * Register a one-time listener on the event bus\n */\n $once(...args) {\n emitter.once(...args)\n }\n\n /**\n * Unregister an listener on the event bus\n */\n $off(...args) {\n emitter.off(...args)\n }\n\n /**\n * Emit an event on the event bus\n */\n $emit(...args) {\n emitter.emit(...args)\n }\n\n /**\n * Determine if Nova is missing the requested resource with the given uri key\n */\n missingResource(uriKey) {\n return (\n find(this.config('resources'), r => r.uriKey === uriKey) === undefined\n )\n }\n\n /**\n * Register a keyboard shortcut.\n */\n addShortcut(keys, callback) {\n Mousetrap.bind(keys, callback)\n }\n\n /**\n * Unbind a keyboard shortcut.\n */\n disableShortcut(keys) {\n Mousetrap.unbind(keys)\n }\n\n /**\n * Pause all keyboard shortcuts.\n */\n pauseShortcuts() {\n this.useShortcuts = false\n }\n\n /**\n * Resume all keyboard shortcuts.\n */\n resumeShortcuts() {\n this.useShortcuts = true\n }\n\n /**\n * Register the built-in Vuex modules for each resource\n */\n registerStoreModules() {\n this.app.use(this.store)\n\n this.config('resources').forEach(resource => {\n this.store.registerModule(resource.uriKey, resourceStore)\n })\n }\n\n /**\n * Register Inertia component.\n */\n inertia(name, component) {\n this.pages[name] = component\n }\n\n /**\n * Register a custom Vue component.\n */\n component(name, component) {\n if (isNil(this.app._context.components[name])) {\n this.app.component(name, component)\n }\n }\n\n /**\n * Show an error message to the user.\n *\n * @param {string} message\n */\n info(message) {\n this.$toasted.show(message, { type: 'info' })\n }\n\n /**\n * Show an error message to the user.\n *\n * @param {string} message\n */\n error(message) {\n this.$toasted.show(message, { type: 'error' })\n }\n\n /**\n * Show a success message to the user.\n *\n * @param {string} message\n */\n success(message) {\n this.$toasted.show(message, { type: 'success' })\n }\n\n /**\n * Show a warning message to the user.\n *\n * @param {string} message\n */\n warning(message) {\n this.$toasted.show(message, { type: 'warning' })\n }\n\n /**\n * Format a number using numbro.js for consistent number formatting.\n */\n formatNumber(number, format) {\n const numbro = setupNumbro(\n document.querySelector('meta[name=\"locale\"]').content\n )\n const num = numbro(number)\n\n if (format !== undefined) {\n return num.format(format)\n }\n\n return num.format()\n }\n\n /**\n * Log a message to the console with the NOVA prefix\n *\n * @param message\n * @param type\n */\n log(message, type = 'log') {\n console[type](`[NOVA]`, message)\n }\n\n /**\n * Redirect to login path.\n */\n redirectToLogin() {\n const url =\n !this.config('withAuthentication') && this.config('customLoginPath')\n ? this.config('customLoginPath')\n : this.url('/login')\n\n this.visit({\n remote: true,\n url,\n })\n }\n\n /**\n * Visit page using Inertia visit or window.location for remote.\n */\n visit(path, options) {\n options = options || {}\n const openInNewTab = options?.openInNewTab || null\n\n if (isString(path)) {\n Inertia.visit(this.url(path), omit(options, ['openInNewTab']))\n return\n }\n\n if (isString(path.url) && path.hasOwnProperty('remote')) {\n if (path.remote === true) {\n if (openInNewTab === true) {\n window.open(path.url, '_blank')\n } else {\n window.location = path.url\n }\n\n return\n }\n\n Inertia.visit(path.url, omit(options, ['openInNewTab']))\n }\n }\n\n applyTheme() {\n const brandColors = this.config('brandColors')\n\n if (Object.keys(brandColors).length > 0) {\n const style = document.createElement('style')\n\n // Handle converting any non-RGB user strings into valid RGB strings.\n // This allows the user to specify any color in HSL, RGB, and RGBA\n // format, and we'll convert it to the proper format for them.\n let css = Object.keys(brandColors).reduce((carry, v) => {\n let colorValue = brandColors[v]\n let validColor = parseColor(colorValue)\n\n if (validColor) {\n let parsedColor = parseColor(\n ColorTranslator.toRGBA(convertColor(validColor))\n )\n\n let rgbaString = `${parsedColor.color.join(' ')} / ${\n parsedColor.alpha\n }`\n\n return carry + `\\n --colors-primary-${v}: ${rgbaString};`\n }\n\n return carry + `\\n --colors-primary-${v}: ${colorValue};`\n }, '')\n\n style.innerHTML = `:root {${css}\\n}`\n\n document.head.append(style)\n }\n }\n}\n\nfunction convertColor(parsedColor) {\n let color = fromPairs(\n Array.from(parsedColor.mode).map((v, i) => {\n return [v, parsedColor.color[i]]\n })\n )\n\n if (parsedColor.alpha !== undefined) {\n color.a = parsedColor.alpha\n }\n\n return color\n}\n","import { createStore } from 'vuex'\nimport nova from './nova'\nimport notifications from './notifications'\n\nexport function createNovaStore() {\n return createStore({\n ...nova,\n modules: {\n nova: {\n namespaced: true,\n modules: {\n notifications,\n },\n },\n },\n })\n}\n","import { Inertia } from '@inertiajs/inertia'\nimport { InertiaProgress } from '@inertiajs/progress'\nimport debounce from 'lodash/debounce'\n\nexport function setupInertia() {\n InertiaProgress.init({\n delay: 250,\n includeCSS: false,\n showSpinner: false,\n })\n\n const handlePopstateEvent = function (event) {\n if (this.ignoreHistoryState === false) {\n this.handlePopstateEvent(event)\n }\n }\n\n Inertia.ignoreHistoryState = false\n\n Inertia.setupEventListeners = function () {\n window.addEventListener('popstate', handlePopstateEvent.bind(Inertia))\n document.addEventListener(\n 'scroll',\n debounce(Inertia.handleScrollEvent.bind(Inertia), 100),\n true\n )\n }\n}\n","import camelCase from 'lodash/camelCase'\nimport upperFirst from 'lodash/upperFirst'\nimport CustomError404 from '@/views/CustomError404'\nimport CustomError403 from '@/views/CustomError403'\nimport CustomAppError from '@/views/CustomAppError'\nimport ResourceIndex from '@/views/Index'\nimport ResourceDetail from '@/views/Detail'\nimport Attach from '@/views/Attach'\nimport UpdateAttached from '@/views/UpdateAttached'\n// import Lens from '@/views/Lens'\n\nexport function registerViews(app) {\n // Manually register some views...\n app.component('CustomError403', CustomError403)\n app.component('CustomError404', CustomError404)\n app.component('CustomAppError', CustomAppError)\n app.component('ResourceIndex', ResourceIndex)\n app.component('ResourceDetail', ResourceDetail)\n app.component('AttachResource', Attach)\n app.component('UpdateAttachedResource', UpdateAttached)\n // app.component('Lens', Lens)\n\n const requireComponent = require.context(\n './components',\n true,\n /[A-Z]\\w+\\.(vue)$/\n )\n\n requireComponent.keys().forEach(fileName => {\n const componentConfig = requireComponent(fileName)\n\n const componentName = upperFirst(\n camelCase(\n fileName\n .split('/')\n .pop()\n .replace(/\\.\\w+$/, '')\n )\n )\n\n app.component(componentName, componentConfig.default || componentConfig)\n })\n}\n","import identity from 'lodash/identity'\nimport pickBy from 'lodash/pickBy'\n\nexport default function url(base, path, parameters) {\n let searchParams = new URLSearchParams(pickBy(parameters || {}, identity))\n\n let queryString = searchParams.toString()\n\n if (base == '/' && path.startsWith('/')) {\n base = ''\n }\n\n return base + path + (queryString.length > 0 ? `?${queryString}` : '')\n}\n","import numbro from 'numbro'\nimport numbroLanguages from 'numbro/dist/languages.min'\n\nexport function setupNumbro(locale) {\n if (locale) {\n locale = locale.replace('_', '-')\n\n Object.values(numbroLanguages).forEach(language => {\n let name = language.languageTag\n\n if (locale === name || locale === name.substr(0, 2)) {\n numbro.registerLanguage(language)\n }\n })\n\n numbro.setLanguage(locale)\n }\n\n numbro.setDefaults({\n thousandSeparated: true,\n })\n\n return numbro\n}\n","import { Errors } from '@/mixins'\nimport { computed, nextTick, reactive } from 'vue'\nimport each from 'lodash/each'\nimport find from 'lodash/find'\nimport filter from 'lodash/filter'\nimport isNil from 'lodash/isNil'\nimport isObject from 'lodash/isObject'\nimport map from 'lodash/map'\nimport tap from 'lodash/tap'\nimport trim from 'lodash/trim'\nimport { useLocalization } from '@/composables/useLocalization'\n\nconst { __ } = useLocalization()\n\nexport function useActions(props, emitter, store) {\n const state = reactive({\n working: false,\n errors: new Errors(),\n actionModalVisible: false,\n responseModalVisible: false,\n selectedActionKey: '',\n endpoint: props.endpoint || `/nova-api/${props.resourceName}/action`,\n actionResponseData: null,\n })\n\n const selectedResources = computed(() => props.selectedResources)\n\n const selectedAction = computed(() => {\n if (state.selectedActionKey) {\n return find(allActions.value, a => a.uriKey === state.selectedActionKey)\n }\n })\n\n const allActions = computed(() =>\n props.actions.concat(props.pivotActions?.actions || [])\n )\n\n const encodedFilters = computed(\n () => store.getters[`${props.resourceName}/currentEncodedFilters`]\n )\n\n const searchParameter = computed(() =>\n props.viaRelationship\n ? props.viaRelationship + '_search'\n : props.resourceName + '_search'\n )\n\n const currentSearch = computed(\n () => store.getters.queryStringParams[searchParameter.value] || ''\n )\n\n const trashedParameter = computed(() =>\n props.viaRelationship\n ? props.viaRelationship + '_trashed'\n : props.resourceName + '_trashed'\n )\n\n const currentTrashed = computed(\n () => store.getters.queryStringParams[trashedParameter.value] || ''\n )\n\n const availableActions = computed(() => {\n return filter(\n props.actions,\n action => selectedResources.value.length > 0 && !action.standalone\n )\n })\n\n const availablePivotActions = computed(() => {\n if (!props.pivotActions) {\n return []\n }\n\n return filter(props.pivotActions.actions, action => {\n if (selectedResources.value.length === 0) {\n return action.standalone\n }\n\n return true\n })\n })\n\n const hasPivotActions = computed(() => availablePivotActions.value.length > 0)\n\n const selectedActionIsPivotAction = computed(() => {\n return (\n hasPivotActions.value &&\n Boolean(find(props.pivotActions.actions, a => a === selectedAction.value))\n )\n })\n\n const actionRequestQueryString = computed(() => {\n return {\n action: state.selectedActionKey,\n pivotAction: selectedActionIsPivotAction.value,\n search: currentSearch.value,\n filters: encodedFilters.value,\n trashed: currentTrashed.value,\n viaResource: props.viaResource,\n viaResourceId: props.viaResourceId,\n viaRelationship: props.viaRelationship,\n }\n })\n\n const actionFormData = computed(() => {\n return tap(new FormData(), formData => {\n if (selectedResources.value === 'all') {\n formData.append('resources', 'all')\n } else {\n let pivotIds = filter(\n map(selectedResources.value, resource =>\n isObject(resource) ? resource.id.pivotValue : null\n )\n )\n\n formData.append(\n 'resources',\n map(selectedResources.value, resource =>\n isObject(resource) ? resource.id.value : resource\n )\n )\n\n if (\n selectedResources.value !== 'all' &&\n selectedActionIsPivotAction.value === true &&\n pivotIds.length > 0\n ) {\n formData.append('pivots', pivotIds)\n }\n }\n\n each(selectedAction.value.fields, field => {\n field.fill(formData)\n })\n })\n })\n\n function determineActionStrategy() {\n if (selectedAction.value.withoutConfirmation) {\n executeAction()\n } else {\n openConfirmationModal()\n }\n }\n\n function openConfirmationModal() {\n state.actionModalVisible = true\n }\n\n function closeConfirmationModal() {\n state.actionModalVisible = false\n }\n\n function openResponseModal() {\n state.responseModalVisible = true\n }\n\n function closeResponseModal() {\n state.responseModalVisible = false\n }\n\n function emitResponseCallback(callback) {\n emitter('actionExecuted')\n Nova.$emit('action-executed')\n\n if (typeof callback === 'function') {\n callback()\n }\n }\n\n function showActionResponseMessage(data) {\n if (data.danger) {\n return Nova.error(data.danger)\n }\n\n Nova.success(data.message || __('The action was executed successfully.'))\n }\n\n function executeAction(then) {\n state.working = true\n Nova.$progress.start()\n\n let responseType = selectedAction.value.responseType ?? 'json'\n\n Nova.request({\n method: 'post',\n url: state.endpoint,\n params: actionRequestQueryString.value,\n data: actionFormData.value,\n responseType,\n })\n .then(async response => {\n closeConfirmationModal()\n handleActionResponse(response.data, response.headers, then)\n })\n .catch(error => {\n if (error.response && error.response.status === 422) {\n if (responseType === 'blob') {\n error.response.data.text().then(data => {\n state.errors = new Errors(JSON.parse(data).errors)\n })\n } else {\n state.errors = new Errors(error.response.data.errors)\n }\n\n Nova.error(__('There was a problem executing the action.'))\n }\n })\n .finally(() => {\n state.working = false\n Nova.$progress.done()\n })\n }\n\n function handleActionResponse(data, headers, then) {\n let contentDisposition = headers['content-disposition']\n\n if (\n data instanceof Blob &&\n isNil(contentDisposition) &&\n data.type === 'application/json'\n ) {\n data.text().then(jsonStringData => {\n handleActionResponse(JSON.parse(jsonStringData), headers)\n })\n\n return\n }\n\n if (data instanceof Blob) {\n return emitResponseCallback(async () => {\n let fileName = 'unknown'\n\n if (contentDisposition) {\n let fileNameMatch = contentDisposition\n .split(';')[1]\n .match(/filename=(.+)/)\n if (fileNameMatch.length === 2) fileName = trim(fileNameMatch[1], '\"')\n }\n\n await nextTick(() => {\n let url = window.URL.createObjectURL(new Blob([data]))\n let link = document.createElement('a')\n\n link.href = url\n link.setAttribute('download', fileName)\n document.body.appendChild(link)\n link.click()\n link.remove()\n\n window.URL.revokeObjectURL(url)\n })\n })\n }\n\n if (data.modal) {\n state.actionResponseData = data\n\n showActionResponseMessage(data)\n\n return openResponseModal()\n }\n\n if (data.download) {\n return emitResponseCallback(async () => {\n showActionResponseMessage(data)\n\n await nextTick(() => {\n let link = document.createElement('a')\n link.href = data.download\n link.download = data.name\n document.body.appendChild(link)\n link.click()\n document.body.removeChild(link)\n })\n })\n }\n\n if (data.deleted) {\n return emitResponseCallback(() => showActionResponseMessage(data))\n }\n\n if (data.redirect) {\n window.location = data.redirect\n }\n\n if (data.visit) {\n showActionResponseMessage(data)\n\n return Nova.visit({\n url: Nova.url(data.visit.path, data.visit.options),\n remote: false,\n })\n }\n\n if (data.openInNewTab) {\n return emitResponseCallback(() =>\n window.open(data.openInNewTab, '_blank')\n )\n }\n\n emitResponseCallback(() => showActionResponseMessage(data))\n }\n\n function handleActionClick(uriKey) {\n state.selectedActionKey = uriKey\n determineActionStrategy()\n }\n\n function setSelectedActionKey(key) {\n state.selectedActionKey = key\n }\n\n return {\n errors: computed(() => state.errors),\n working: computed(() => state.working),\n actionModalVisible: computed(() => state.actionModalVisible),\n responseModalVisible: computed(() => state.responseModalVisible),\n selectedActionKey: computed(() => state.selectedActionKey),\n determineActionStrategy,\n setSelectedActionKey,\n openConfirmationModal,\n closeConfirmationModal,\n openResponseModal,\n closeResponseModal,\n handleActionClick,\n selectedAction,\n allActions,\n availableActions,\n availablePivotActions,\n executeAction,\n actionResponseData: computed(() => state.actionResponseData),\n }\n}\n","import { ref } from 'vue'\n\nexport function useDragAndDrop(emit) {\n const startedDrag = ref(false)\n const files = ref([])\n\n const handleOnDragEnter = () => (startedDrag.value = true)\n\n const handleOnDragLeave = () => (startedDrag.value = false)\n\n const handleOnDrop = e => {\n files.value = e.dataTransfer.files\n emit('fileChanged', e.dataTransfer.files)\n }\n\n return {\n startedDrag,\n handleOnDragEnter,\n handleOnDragLeave,\n handleOnDrop,\n }\n}\n","import __ from '../util/localization'\n\nexport function useLocalization() {\n return {\n __: (key, replace) => __(key, replace),\n }\n}\n","import isNil from 'lodash/isNil'\n\nexport default class InlineFormData {\n constructor(attribute, formData) {\n this.attribute = attribute\n this.formData = formData\n this.localFormData = new FormData()\n }\n\n append(name, ...args) {\n this.localFormData.append(name, ...args)\n this.formData.append(this.name(name), ...args)\n }\n\n delete(name) {\n this.localFormData.delete(name)\n this.formData.delete(this.name(name))\n }\n\n entries() {\n return this.localFormData.entries()\n }\n\n get(name) {\n return this.localFormData.get(name)\n }\n\n getAll(name) {\n return this.localFormData.getAll(name)\n }\n\n has(name) {\n return this.localFormData.has(name)\n }\n\n keys() {\n return this.localFormData.keys()\n }\n\n set(name, ...args) {\n this.localFormData.set(name, ...args)\n this.formData.set(this.name(name), ...args)\n }\n\n values() {\n return this.localFormData.values()\n }\n\n name(attribute) {\n let [name, ...nested] = attribute.split('[')\n\n if (!isNil(nested) && nested.length > 0) {\n return `${this.attribute}[${name}][${nested.join('[')}`\n }\n\n return `${this.attribute}[${attribute}]`\n }\n\n slug(attribute) {\n return `${this.attribute}.${attribute}`\n }\n}\n","import __ from '../util/localization'\n\nexport default {\n methods: {\n /**\n * Translate the given key.\n */\n __(key, replace) {\n return __(key, replace)\n },\n },\n}\n","import pick from 'lodash/pick'\n\nconst propTypes = {\n nested: {\n type: Boolean,\n default: false,\n },\n\n preventInitialLoading: {\n type: Boolean,\n default: false,\n },\n\n showHelpText: {\n type: Boolean,\n default: false,\n },\n\n shownViaNewRelationModal: {\n type: Boolean,\n default: false,\n },\n\n resourceId: { type: [Number, String] },\n\n resourceName: { type: String },\n\n relatedResourceId: { type: [Number, String] },\n\n relatedResourceName: { type: String },\n\n field: {\n type: Object,\n required: true,\n },\n\n viaResource: {\n type: String,\n required: false,\n },\n\n viaResourceId: {\n type: [String, Number],\n required: false,\n },\n\n viaRelationship: {\n type: String,\n required: false,\n },\n\n relationshipType: {\n type: String,\n default: '',\n },\n\n shouldOverrideMeta: {\n type: Boolean,\n default: false,\n },\n\n disablePagination: {\n type: Boolean,\n default: false,\n },\n\n clickAction: {\n type: String,\n default: 'view',\n validator: val => ['edit', 'select', 'ignore', 'detail'].includes(val),\n },\n\n mode: {\n type: String,\n default: 'form',\n validator: v =>\n ['form', 'modal', 'action-modal', 'action-fullscreen'].includes(v),\n },\n}\n\nexport function mapProps(attributes) {\n return pick(propTypes, attributes)\n}\n","export default {\n emits: ['actionExecuted'],\n\n props: ['resourceName', 'resourceId', 'resource', 'panel'],\n\n methods: {\n /**\n * Handle the actionExecuted event and pass it up the chain.\n */\n actionExecuted() {\n this.$emit('actionExecuted')\n },\n },\n}\n","const mixin = {\n methods: {\n copyValueToClipboard(value) {\n if (navigator.clipboard) {\n navigator.clipboard.writeText(value)\n } else if (window.clipboardData) {\n window.clipboardData.setData('Text', value)\n } else {\n let input = document.createElement('input')\n let [scrollTop, scrollLeft] = [\n document.documentElement.scrollTop,\n document.documentElement.scrollLeft,\n ]\n document.body.appendChild(input)\n input.value = value\n input.focus()\n input.select()\n document.documentElement.scrollTop = scrollTop\n document.documentElement.scrollLeft = scrollLeft\n document.execCommand('copy')\n input.remove()\n }\n },\n },\n}\n\nexport function useCopyValueToClipboard() {\n return {\n copyValueToClipboard: value => mixin.methods.copyValueToClipboard(value),\n }\n}\n\nexport default mixin\n","import { mapGetters, mapMutations } from 'vuex'\nimport { Inertia } from '@inertiajs/inertia'\nimport filled from '../util/filled'\n\nexport default {\n created() {\n this.removeOnNavigationChangesEvent = Inertia.on('before', event => {\n this.removeOnNavigationChangesEvent()\n this.handlePreventFormAbandonmentOnInertia(event)\n })\n\n window.addEventListener(\n 'beforeunload',\n this.handlePreventFormAbandonmentOnInertia\n )\n\n this.removeOnBeforeUnloadEvent = () => {\n window.removeEventListener(\n 'beforeunload',\n this.handlePreventFormAbandonmentOnInertia\n )\n\n this.removeOnBeforeUnloadEvent = () => {}\n }\n },\n\n mounted() {\n window.onpopstate = event => {\n this.handlePreventFormAbandonmentOnPopState(event)\n }\n },\n\n beforeUnmount() {\n this.removeOnBeforeUnloadEvent()\n },\n\n unmounted() {\n this.removeOnNavigationChangesEvent()\n this.resetPushState()\n },\n\n data() {\n return {\n removeOnNavigationChangesEvent: null,\n removeOnBeforeUnloadEvent: null,\n navigateBackUsingHistory: true,\n }\n },\n\n methods: {\n ...mapMutations([\n 'allowLeavingForm',\n 'preventLeavingForm',\n 'triggerPushState',\n 'resetPushState',\n ]),\n\n /**\n * Prevent accidental abandonment only if form was changed.\n */\n updateFormStatus() {\n if (this.canLeaveForm === true) {\n this.triggerPushState()\n }\n\n this.preventLeavingForm()\n },\n\n enableNavigateBackUsingHistory() {\n this.navigateBackUsingHistory = false\n },\n\n disableNavigateBackUsingHistory() {\n this.navigateBackUsingHistory = false\n },\n\n handlePreventFormAbandonment(proceed, revert) {\n if (this.canLeaveForm) {\n proceed()\n return\n }\n\n const answer = window.confirm(\n this.__('Do you really want to leave? You have unsaved changes.')\n )\n\n if (answer) {\n proceed()\n return\n }\n\n revert()\n },\n\n handlePreventFormAbandonmentOnInertia(event) {\n this.handlePreventFormAbandonment(\n () => {\n this.handleProceedingToNextPage()\n this.allowLeavingForm()\n },\n () => {\n Inertia.ignoreHistoryState = true\n event.preventDefault()\n event.returnValue = ''\n\n this.removeOnNavigationChangesEvent = Inertia.on('before', event => {\n this.removeOnNavigationChangesEvent()\n this.handlePreventFormAbandonmentOnInertia(event)\n })\n }\n )\n },\n\n handlePreventFormAbandonmentOnPopState(event) {\n event.stopImmediatePropagation()\n event.stopPropagation()\n\n this.handlePreventFormAbandonment(\n () => {\n this.handleProceedingToPreviousPage()\n this.allowLeavingForm()\n },\n () => {\n this.triggerPushState()\n }\n )\n },\n\n handleProceedingToPreviousPage() {\n window.onpopstate = null\n Inertia.ignoreHistoryState = false\n\n this.removeOnBeforeUnloadEvent()\n\n if (!this.canLeaveFormToPreviousPage && this.navigateBackUsingHistory) {\n window.history.back()\n }\n },\n\n handleProceedingToNextPage() {\n window.onpopstate = null\n Inertia.ignoreHistoryState = false\n\n this.removeOnBeforeUnloadEvent()\n },\n\n proceedToPreviousPage(url) {\n if (this.navigateBackUsingHistory && window.history.length > 1) {\n window.history.back()\n } else if (!this.navigateBackUsingHistory && filled(url)) {\n Nova.visit(url, { replace: true })\n } else {\n Nova.visit('/')\n }\n },\n },\n\n computed: {\n ...mapGetters(['canLeaveForm', 'canLeaveFormToPreviousPage']),\n },\n}\n","import { mapGetters, mapMutations } from 'vuex'\n\nexport default {\n props: {\n show: { type: Boolean, default: false },\n },\n\n methods: {\n ...mapMutations(['allowLeavingModal', 'preventLeavingModal']),\n\n /**\n * Prevent accidental abandonment only if form was changed.\n */\n updateModalStatus() {\n this.preventLeavingModal()\n },\n\n handlePreventModalAbandonment(proceed, revert) {\n if (this.canLeaveModal) {\n proceed()\n return\n }\n\n if (\n window.confirm(\n this.__('Do you really want to leave? You have unsaved changes.')\n )\n ) {\n this.allowLeavingModal()\n proceed()\n return\n }\n\n revert()\n },\n },\n\n computed: {\n ...mapGetters(['canLeaveModal']),\n },\n}\n","import filter from 'lodash/filter'\nimport map from 'lodash/map'\n\nexport default {\n methods: {\n /**\n * Open the delete menu modal.\n */\n openDeleteModal() {\n this.deleteModalOpen = true\n },\n\n /**\n * Delete the given resources.\n */\n deleteResources(resources, callback = null) {\n if (this.viaManyToMany) {\n return this.detachResources(resources)\n }\n\n return Nova.request({\n url: '/nova-api/' + this.resourceName,\n method: 'delete',\n params: {\n ...this.deletableQueryString,\n ...{ resources: mapResources(resources) },\n },\n })\n .then(\n callback\n ? callback\n : () => {\n this.getResources()\n }\n )\n .then(() => {\n Nova.$emit('resources-deleted')\n })\n .finally(() => {\n this.deleteModalOpen = false\n })\n },\n\n /**\n * Delete the selected resources.\n */\n deleteSelectedResources() {\n this.deleteResources(this.selectedResources)\n },\n\n /**\n * Delete all of the matching resources.\n */\n deleteAllMatchingResources() {\n if (this.viaManyToMany) {\n return this.detachAllMatchingResources()\n }\n\n return Nova.request({\n url: this.deleteAllMatchingResourcesEndpoint,\n method: 'delete',\n params: {\n ...this.deletableQueryString,\n ...{ resources: 'all' },\n },\n })\n .then(() => {\n this.getResources()\n })\n .then(() => {\n Nova.$emit('resources-deleted')\n })\n .finally(() => {\n this.deleteModalOpen = false\n })\n },\n\n /**\n * Detach the given resources.\n */\n detachResources(resources) {\n return Nova.request({\n url: '/nova-api/' + this.resourceName + '/detach',\n method: 'delete',\n params: {\n ...this.deletableQueryString,\n ...{ resources: mapResources(resources) },\n ...{ pivots: mapPivots(resources) },\n },\n })\n .then(() => {\n this.getResources()\n })\n .then(() => {\n Nova.$emit('resources-detached')\n })\n .finally(() => {\n this.deleteModalOpen = false\n })\n },\n\n /**\n * Detach all of the matching resources.\n */\n detachAllMatchingResources() {\n return Nova.request({\n url: '/nova-api/' + this.resourceName + '/detach',\n method: 'delete',\n params: {\n ...this.deletableQueryString,\n ...{ resources: 'all' },\n },\n })\n .then(() => {\n this.getResources()\n })\n .then(() => {\n Nova.$emit('resources-detached')\n })\n .finally(() => {\n this.deleteModalOpen = false\n })\n },\n\n /**\n * Force delete the given resources.\n */\n forceDeleteResources(resources, callback = null) {\n return Nova.request({\n url: '/nova-api/' + this.resourceName + '/force',\n method: 'delete',\n params: {\n ...this.deletableQueryString,\n ...{ resources: mapResources(resources) },\n },\n })\n .then(\n callback\n ? callback\n : () => {\n this.getResources()\n }\n )\n .then(() => {\n Nova.$emit('resources-deleted')\n })\n .finally(() => {\n this.deleteModalOpen = false\n })\n },\n\n /**\n * Force delete the selected resources.\n */\n forceDeleteSelectedResources() {\n this.forceDeleteResources(this.selectedResources)\n },\n\n /**\n * Force delete all of the matching resources.\n */\n forceDeleteAllMatchingResources() {\n return Nova.request({\n url: this.forceDeleteSelectedResourcesEndpoint,\n method: 'delete',\n params: {\n ...this.deletableQueryString,\n ...{ resources: 'all' },\n },\n })\n .then(() => {\n this.getResources()\n })\n .then(() => {\n Nova.$emit('resources-deleted')\n })\n .finally(() => {\n this.deleteModalOpen = false\n })\n },\n\n /**\n * Restore the given resources.\n */\n restoreResources(resources, callback = null) {\n return Nova.request({\n url: '/nova-api/' + this.resourceName + '/restore',\n method: 'put',\n params: {\n ...this.deletableQueryString,\n ...{ resources: mapResources(resources) },\n },\n })\n .then(\n callback\n ? callback\n : () => {\n this.getResources()\n }\n )\n .then(() => {\n Nova.$emit('resources-restored')\n })\n .finally(() => {\n this.restoreModalOpen = false\n })\n },\n\n /**\n * Restore the selected resources.\n */\n restoreSelectedResources() {\n this.restoreResources(this.selectedResources)\n },\n\n /**\n * Restore all of the matching resources.\n */\n restoreAllMatchingResources() {\n return Nova.request({\n url: this.restoreAllMatchingResourcesEndpoint,\n method: 'put',\n params: {\n ...this.deletableQueryString,\n ...{ resources: 'all' },\n },\n })\n .then(() => {\n this.getResources()\n })\n .then(() => {\n Nova.$emit('resources-restored')\n })\n .finally(() => {\n this.restoreModalOpen = false\n })\n },\n },\n\n computed: {\n /**\n * Get the delete all matching resources endpoint.\n */\n deleteAllMatchingResourcesEndpoint() {\n if (this.lens) {\n return '/nova-api/' + this.resourceName + '/lens/' + this.lens\n }\n\n return '/nova-api/' + this.resourceName\n },\n\n /**\n * Get the force delete all of the matching resources endpoint.\n */\n forceDeleteSelectedResourcesEndpoint() {\n if (this.lens) {\n return (\n '/nova-api/' + this.resourceName + '/lens/' + this.lens + '/force'\n )\n }\n\n return '/nova-api/' + this.resourceName + '/force'\n },\n\n /**\n * Get the restore all of the matching resources endpoint.\n */\n restoreAllMatchingResourcesEndpoint() {\n if (this.lens) {\n return (\n '/nova-api/' + this.resourceName + '/lens/' + this.lens + '/restore'\n )\n }\n\n return '/nova-api/' + this.resourceName + '/restore'\n },\n\n /**\n * Get the query string for a deletable resource request.\n */\n deletableQueryString() {\n return {\n search: this.currentSearch,\n filters: this.encodedFilters,\n trashed: this.currentTrashed,\n viaResource: this.viaResource,\n viaResourceId: this.viaResourceId,\n viaRelationship: this.viaRelationship,\n }\n },\n },\n}\n\nfunction mapResources(resources) {\n return map(resources, resource => resource.id.value)\n}\n\nfunction mapPivots(resources) {\n return filter(map(resources, resource => resource.id.pivotValue))\n}\n","import isNil from 'lodash/isNil'\n\nexport default {\n props: {\n formUniqueId: {\n type: String,\n },\n },\n\n methods: {\n emitFieldValue(attribute, value) {\n Nova.$emit(`${attribute}-value`, value)\n\n if (this.hasFormUniqueId === true) {\n Nova.$emit(`${this.formUniqueId}-${attribute}-value`, value)\n }\n },\n\n emitFieldValueChange(attribute, value) {\n Nova.$emit(`${attribute}-change`, value)\n\n if (this.hasFormUniqueId === true) {\n Nova.$emit(`${this.formUniqueId}-${attribute}-change`, value)\n }\n },\n\n /**\n * Get field attribute value event name.\n */\n getFieldAttributeValueEventName(attribute) {\n return this.hasFormUniqueId === true\n ? `${this.formUniqueId}-${attribute}-value`\n : `${attribute}-value`\n },\n\n /**\n * Get field attribue value event name.\n */\n getFieldAttributeChangeEventName(attribute) {\n return this.hasFormUniqueId === true\n ? `${this.formUniqueId}-${attribute}-change`\n : `${attribute}-change`\n },\n },\n\n computed: {\n /**\n * Return the field attribute.\n */\n fieldAttribute() {\n return this.field.attribute\n },\n\n /**\n * Determine if the field has Form Unique ID.\n */\n hasFormUniqueId() {\n return !isNil(this.formUniqueId) && this.formUniqueId !== ''\n },\n\n /**\n * Get field attribue value event name.\n */\n fieldAttributeValueEventName() {\n return this.getFieldAttributeValueEventName(this.fieldAttribute)\n },\n\n /**\n * Get field attribue value event name.\n */\n fieldAttributeChangeEventName() {\n return this.getFieldAttributeChangeEventName(this.fieldAttribute)\n },\n },\n}\n","import get from 'lodash/get'\nimport { mapProps } from './propTypes'\nimport FormEvents from './FormEvents'\n\nexport default {\n extends: FormEvents,\n\n props: {\n ...mapProps([\n 'nested',\n 'shownViaNewRelationModal',\n 'field',\n 'viaResource',\n 'viaResourceId',\n 'viaRelationship',\n 'resourceName',\n 'resourceId',\n 'showHelpText',\n 'mode',\n ]),\n },\n\n emits: ['field-changed'],\n\n data() {\n return {\n value: this.fieldDefaultValue(),\n }\n },\n\n created() {\n this.setInitialValue()\n },\n\n mounted() {\n // Add a default fill method for the field\n this.field.fill = this.fill\n\n // Register a global event for setting the field's value\n Nova.$on(this.fieldAttributeValueEventName, this.listenToValueChanges)\n },\n\n beforeUnmount() {\n Nova.$off(this.fieldAttributeValueEventName, this.listenToValueChanges)\n },\n\n methods: {\n /*\n * Set the initial value for the field\n */\n setInitialValue() {\n this.value = !(\n this.field.value === undefined || this.field.value === null\n )\n ? this.field.value\n : this.fieldDefaultValue()\n },\n\n /**\n * Return the field default value.\n */\n fieldDefaultValue() {\n return ''\n },\n\n /**\n * Provide a function that fills a passed FormData object with the\n * field's internal value attribute\n */\n fill(formData) {\n this.fillIfVisible(formData, this.fieldAttribute, String(this.value))\n },\n\n /**\n * Provide a function to fills FormData when field is visible.\n */\n fillIfVisible(formData, attribute, value) {\n if (this.isVisible) {\n formData.append(attribute, value)\n }\n },\n\n /**\n * Update the field's internal value\n */\n handleChange(event) {\n this.value = event.target.value\n\n if (this.field) {\n this.emitFieldValueChange(this.fieldAttribute, this.value)\n this.$emit('field-changed')\n }\n },\n\n /**\n * Clean up any side-effects when removing this field dynamically (Repeater).\n */\n beforeRemove() {\n //\n },\n\n listenToValueChanges(value) {\n this.value = value\n },\n },\n\n computed: {\n /**\n * Determine the current field.\n */\n currentField() {\n return this.field\n },\n\n /**\n * Determine if the field should use all the available white-space.\n */\n fullWidthContent() {\n return this.currentField.fullWidth || this.field.fullWidth\n },\n\n /**\n * Return the placeholder text for the field.\n */\n placeholder() {\n return this.currentField.placeholder || this.field.name\n },\n\n /**\n * Determine if the field is in visible mode\n */\n isVisible() {\n return this.field.visible\n },\n\n /**\n * Determine if the field is in readonly mode\n */\n isReadonly() {\n return Boolean(\n this.field.readonly || get(this.field, 'extraAttributes.readonly')\n )\n },\n\n /**\n * Determine if the field is accessed from Action\n */\n isActionRequest() {\n return ['action-fullscreen', 'action-modal'].includes(this.mode)\n },\n },\n}\n","import { CancelToken, isCancel } from 'axios'\nimport debounce from 'lodash/debounce'\nimport forIn from 'lodash/forIn'\nimport get from 'lodash/get'\nimport identity from 'lodash/identity'\nimport isEmpty from 'lodash/isEmpty'\nimport isNil from 'lodash/isNil'\nimport pickBy from 'lodash/pickBy'\nimport FormField from './FormField'\nimport { mapProps } from './propTypes'\nimport filled from '../util/filled'\nimport { escapeUnicode } from '../util/escapeUnicode'\n\nexport default {\n extends: FormField,\n\n emits: ['field-shown', 'field-hidden'],\n\n props: {\n ...mapProps([\n 'shownViaNewRelationModal',\n 'field',\n 'viaResource',\n 'viaResourceId',\n 'viaRelationship',\n 'resourceName',\n 'resourceId',\n 'relatedResourceName',\n 'relatedResourceId',\n ]),\n\n syncEndpoint: { type: String, required: false },\n },\n\n data: () => ({\n dependentFieldDebouncer: null,\n canceller: null,\n watchedFields: {},\n watchedEvents: {},\n syncedField: null,\n pivot: false,\n editMode: 'create',\n }),\n\n created() {\n this.dependentFieldDebouncer = debounce(callback => callback(), 50)\n },\n\n mounted() {\n if (this.relatedResourceName !== '' && !isNil(this.relatedResourceName)) {\n this.pivot = true\n\n if (this.relatedResourceId !== '' && !isNil(this.relatedResourceId)) {\n this.editMode = 'update-attached'\n } else {\n this.editMode = 'attach'\n }\n } else {\n if (this.resourceId !== '' && !isNil(this.resourceId)) {\n this.editMode = 'update'\n }\n }\n\n if (!isEmpty(this.dependsOn)) {\n forIn(this.dependsOn, (defaultValue, dependsOn) => {\n this.watchedEvents[dependsOn] = value => {\n this.watchedFields[dependsOn] = value\n\n this.dependentFieldDebouncer(() => {\n this.watchedFields[dependsOn] = value\n\n this.syncField()\n })\n }\n\n this.watchedFields[dependsOn] = defaultValue\n\n Nova.$on(\n this.getFieldAttributeChangeEventName(dependsOn),\n this.watchedEvents[dependsOn]\n )\n })\n }\n },\n\n beforeUnmount() {\n if (this.canceller !== null) this.canceller()\n\n if (!isEmpty(this.watchedEvents)) {\n forIn(this.watchedEvents, (event, dependsOn) => {\n Nova.$off(this.getFieldAttributeChangeEventName(dependsOn), event)\n })\n }\n },\n\n methods: {\n /*\n * Set the initial value for the field\n */\n setInitialValue() {\n this.value = !(\n this.currentField.value === undefined ||\n this.currentField.value === null\n )\n ? this.currentField.value\n : this.value\n },\n\n /**\n * Provide a function to fills FormData when field is visible.\n */\n fillIfVisible(formData, attribute, value) {\n if (this.currentlyIsVisible) {\n formData.append(attribute, value)\n }\n },\n\n syncField() {\n if (this.canceller !== null) this.canceller()\n\n Nova.request()\n .patch(\n this.syncEndpoint || this.syncFieldEndpoint,\n this.dependentFieldValues,\n {\n params: pickBy(\n {\n editing: true,\n editMode: this.editMode,\n viaResource: this.viaResource,\n viaResourceId: this.viaResourceId,\n viaRelationship: this.viaRelationship,\n field: this.fieldAttribute,\n component: this.field.dependentComponentKey,\n },\n identity\n ),\n cancelToken: new CancelToken(canceller => {\n this.canceller = canceller\n }),\n }\n )\n .then(response => {\n let previousValue = this.currentField.value\n let wasVisible = this.currentlyIsVisible\n\n this.syncedField = response.data\n\n if (this.syncedField.visible !== wasVisible) {\n this.$emit(\n this.syncedField.visible === true\n ? 'field-shown'\n : 'field-hidden',\n this.fieldAttribute\n )\n }\n\n if (isNil(this.syncedField.value)) {\n this.syncedField.value = previousValue\n } else {\n this.setInitialValue()\n }\n\n let emitChangesEvent = !this.syncedFieldValueHasNotChanged()\n\n this.onSyncedField()\n\n if (\n this.syncedField.dependentShouldEmitChangesEvent &&\n emitChangesEvent\n ) {\n this.emitOnSyncedFieldValueChange()\n }\n })\n .catch(e => {\n if (isCancel(e)) {\n return\n }\n\n throw e\n })\n },\n\n onSyncedField() {\n //\n },\n\n emitOnSyncedFieldValueChange() {\n this.emitFieldValueChange(this.field.attribute, this.currentField.value)\n },\n\n syncedFieldValueHasNotChanged() {\n const value = this.currentField.value\n\n if (filled(value)) {\n return !filled(this.value)\n }\n\n return !isNil(value) && value?.toString() === this.value?.toString()\n },\n },\n\n computed: {\n /**\n * Determine the current field\n */\n currentField() {\n return this.syncedField || this.field\n },\n\n /**\n * Determine if the field is in visible mode\n */\n currentlyIsVisible() {\n return this.currentField.visible\n },\n\n /**\n * Determine if the field is in readonly mode\n */\n currentlyIsReadonly() {\n if (this.syncedField !== null) {\n return Boolean(\n this.syncedField.readonly ||\n get(this.syncedField, 'extraAttributes.readonly')\n )\n }\n\n return Boolean(\n this.field.readonly || get(this.field, 'extraAttributes.readonly')\n )\n },\n\n dependsOn() {\n return this.field.dependsOn || []\n },\n\n currentFieldValues() {\n return {\n [this.fieldAttribute]: this.value,\n }\n },\n\n dependentFieldValues() {\n return {\n ...this.currentFieldValues,\n ...this.watchedFields,\n }\n },\n\n encodedDependentFieldValues() {\n return btoa(escapeUnicode(JSON.stringify(this.dependentFieldValues)))\n },\n\n syncFieldEndpoint() {\n if (this.editMode === 'update-attached') {\n return `/nova-api/${this.resourceName}/${this.resourceId}/update-pivot-fields/${this.relatedResourceName}/${this.relatedResourceId}`\n } else if (this.editMode === 'attach') {\n return `/nova-api/${this.resourceName}/${this.resourceId}/creation-pivot-fields/${this.relatedResourceName}`\n } else if (this.editMode === 'update') {\n return `/nova-api/${this.resourceName}/${this.resourceId}/update-fields`\n }\n\n return `/nova-api/${this.resourceName}/creation-fields`\n },\n },\n}\n","import { Errors } from 'form-backend-validation'\n\nexport default {\n props: {\n formUniqueId: {\n type: String,\n },\n },\n\n data: () => ({\n validationErrors: new Errors(),\n }),\n\n methods: {\n /**\n * Handle all response error.\n */\n handleResponseError(error) {\n if (error.response === undefined || error.response.status == 500) {\n Nova.error(this.__('There was a problem submitting the form.'))\n } else if (error.response.status == 422) {\n this.validationErrors = new Errors(error.response.data.errors)\n Nova.error(this.__('There was a problem submitting the form.'))\n } else {\n Nova.error(\n this.__('There was a problem submitting the form.') +\n ' \"' +\n error.response.statusText +\n '\"'\n )\n }\n },\n\n /**\n * Handle creating response error.\n */\n handleOnCreateResponseError(error) {\n this.handleResponseError(error)\n },\n\n /**\n * Handle updating response error.\n */\n handleOnUpdateResponseError(error) {\n if (error.response && error.response.status == 409) {\n Nova.error(\n this.__(\n 'Another user has updated this resource since this page was loaded. Please refresh the page and try again.'\n )\n )\n } else {\n this.handleResponseError(error)\n }\n },\n\n /**\n * Reset validation errors.\n */\n resetErrors() {\n this.validationErrors = new Errors()\n },\n },\n}\n","export default {\n data: () => ({ isWorking: false, fileUploadsCount: 0 }),\n\n methods: {\n /**\n * Handle file upload finishing\n */\n handleFileUploadFinished() {\n this.fileUploadsCount--\n\n if (this.fileUploadsCount < 1) {\n this.fileUploadsCount = 0\n this.isWorking = false\n }\n },\n\n /**\n * Handle file upload starting\n */\n handleFileUploadStarted() {\n this.isWorking = true\n this.fileUploadsCount++\n },\n },\n}\n","import { hourCycle } from '@/util'\n\nexport default {\n computed: {\n /**\n * Get the user's local timezone.\n */\n userTimezone() {\n return Nova.config('userTimezone') || Nova.config('timezone')\n },\n\n /**\n * Determine if the user is used to 12 hour time.\n */\n usesTwelveHourTime() {\n let locale = new Intl.DateTimeFormat().resolvedOptions().locale\n\n return hourCycle(locale) === 12\n },\n },\n}\n","import { mapActions, mapGetters } from 'vuex'\n\nexport default {\n async created() {\n this.syncQueryString()\n },\n\n methods: mapActions(['syncQueryString', 'updateQueryString']),\n computed: mapGetters(['queryStringParams']),\n}\n","import find from 'lodash/find'\n\nexport default {\n computed: {\n /**\n * Get the resource information object for the current resource.\n */\n resourceInformation() {\n return find(Nova.config('resources'), resource => {\n return resource.uriKey === this.resourceName\n })\n },\n\n /**\n * Get the resource information object for the current resource.\n */\n viaResourceInformation() {\n if (!this.viaResource) {\n return\n }\n\n return find(Nova.config('resources'), resource => {\n return resource.uriKey === this.viaResource\n })\n },\n\n /**\n * Determine if the user is authorized to create the current resource.\n */\n authorizedToCreate() {\n if (\n ['hasOneThrough', 'hasManyThrough'].indexOf(this.relationshipType) >= 0\n ) {\n return false\n }\n\n return this.resourceInformation?.authorizedToCreate || false\n },\n },\n}\n","export default {\n data: () => ({ collapsed: false }),\n\n created() {\n const value = localStorage.getItem(this.localStorageKey)\n\n if (value !== 'undefined') {\n this.collapsed = JSON.parse(value) ?? this.collapsedByDefault\n }\n },\n\n unmounted() {\n localStorage.setItem(this.localStorageKey, this.collapsed)\n },\n\n methods: {\n toggleCollapse() {\n this.collapsed = !this.collapsed\n localStorage.setItem(this.localStorageKey, this.collapsed)\n },\n },\n\n computed: {\n ariaExpanded() {\n return this.collapsed === false ? 'true' : 'false'\n },\n\n shouldBeCollapsed() {\n return this.collapsed\n },\n\n localStorageKey() {\n return `nova.navigation.${this.item.key}.collapsed`\n },\n\n collapsedByDefault() {\n return false\n },\n },\n}\n","export default {\n created() {\n Nova.$on('metric-refresh', this.fetch)\n\n Nova.$on('resources-deleted', this.fetch)\n Nova.$on('resources-detached', this.fetch)\n Nova.$on('resources-restored', this.fetch)\n\n if (this.card.refreshWhenActionRuns) {\n Nova.$on('action-executed', this.fetch)\n }\n },\n\n beforeUnmount() {\n Nova.$off('metric-refresh', this.fetch)\n Nova.$off('resources-deleted', this.fetch)\n Nova.$off('resources-detached', this.fetch)\n Nova.$off('resources-restored', this.fetch)\n Nova.$off('action-executed', this.fetch)\n },\n}\n","import { Errors } from 'form-backend-validation'\nimport isNil from 'lodash/isNil'\nimport { mapProps } from './propTypes'\n\nexport default {\n emits: ['file-upload-started', 'file-upload-finished'],\n\n props: mapProps(['resourceName']),\n\n async created() {\n if (this.field.withFiles) {\n const {\n data: { draftId },\n } = await Nova.request().get(\n `/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}/draftId`\n )\n\n this.draftId = draftId\n }\n },\n\n data: () => ({ draftId: null }),\n\n methods: {\n /**\n * Upload an attachment\n */\n uploadAttachment(file, { onUploadProgress, onCompleted, onFailure }) {\n const data = new FormData()\n data.append('Content-Type', file.type)\n data.append('attachment', file)\n data.append('draftId', this.draftId)\n\n if (isNil(onUploadProgress)) {\n onUploadProgress = () => {}\n }\n\n if (isNil(onFailure)) {\n onFailure = () => {}\n }\n\n if (isNil(onCompleted)) {\n throw 'Missing onCompleted parameter'\n }\n\n this.$emit('file-upload-started')\n\n Nova.request()\n .post(\n `/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,\n data,\n { onUploadProgress }\n )\n .then(({ data: { url } }) => {\n const response = onCompleted(url)\n\n this.$emit('file-upload-finished')\n\n return response\n })\n .catch(error => {\n onFailure(error)\n\n if (error.response.status == 422) {\n const validationErrors = new Errors(error.response.data.errors)\n\n Nova.error(\n this.__('An error occurred while uploading the file: :error', {\n error: validationErrors.first('attachment'),\n })\n )\n } else {\n Nova.error(this.__('An error occurred while uploading the file.'))\n }\n })\n },\n\n /**\n * Remove an attachment from the server\n */\n removeAttachment(attachmentUrl) {\n Nova.request()\n .delete(\n `/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}`,\n { params: { attachmentUrl } }\n )\n .then(response => {})\n .catch(error => {})\n },\n\n /**\n * Purge pending attachments for the draft\n */\n clearAttachments() {\n if (this.field.withFiles) {\n Nova.request()\n .delete(\n `/nova-api/${this.resourceName}/field-attachment/${this.fieldAttribute}/${this.draftId}`\n )\n .then(response => {})\n .catch(error => {})\n }\n },\n\n /**\n * Fill draft id for the field\n */\n fillAttachmentDraftId(formData) {\n let attribute = this.fieldAttribute\n\n let [name, ...nested] = attribute.split('[')\n\n if (!isNil(nested) && nested.length > 0) {\n let last = nested.pop()\n\n if (nested.length > 0) {\n attribute = `${name}[${nested.join('[')}[${last.slice(0, -1)}DraftId]`\n } else {\n attribute = `${name}[${last.slice(0, -1)}DraftId]`\n }\n } else {\n attribute = `${attribute}DraftId`\n }\n\n this.fillIfVisible(formData, attribute, this.draftId)\n },\n },\n}\n","import { Errors } from 'form-backend-validation'\n\nexport default {\n props: {\n errors: { default: () => new Errors() },\n },\n\n inject: { index: { default: null }, viaParent: { default: null } },\n\n data: () => ({\n errorClass: 'form-control-bordered-error',\n }),\n\n computed: {\n errorClasses() {\n return this.hasError ? [this.errorClass] : []\n },\n\n fieldAttribute() {\n return this.field.attribute\n },\n\n validationKey() {\n return this.nestedValidationKey || this.field.validationKey\n },\n\n hasError() {\n return this.errors.has(this.validationKey)\n },\n\n firstError() {\n if (this.hasError) {\n return this.errors.first(this.validationKey)\n }\n },\n\n nestedAttribute() {\n if (this.viaParent) {\n return `${this.viaParent}[${this.index}][${this.field.attribute}]`\n }\n },\n\n nestedValidationKey() {\n if (this.viaParent) {\n return `${this.viaParent}.${this.index}.fields.${this.field.attribute}`\n }\n },\n },\n}\n","import { mapProps } from './propTypes'\n\nexport default {\n props: mapProps(['resourceName', 'viaRelationship']),\n\n computed: {\n localStorageKey() {\n let name = this.resourceName\n\n if (this.viaRelationship) {\n name = `${name}.${this.viaRelationship}`\n }\n\n return `nova.resources.${name}.collapsed`\n },\n },\n}\n","export default {\n data: () => ({\n withTrashed: false,\n }),\n\n methods: {\n /**\n * Toggle the trashed state of the search\n */\n toggleWithTrashed() {\n this.withTrashed = !this.withTrashed\n },\n\n /**\n * Enable searching for trashed resources\n */\n enableWithTrashed() {\n this.withTrashed = true\n },\n\n /**\n * Disable searching for trashed resources\n */\n disableWithTrashed() {\n this.withTrashed = false\n },\n },\n}\n","import debounce from 'lodash/debounce'\n\nexport default {\n data: () => ({\n search: '',\n selectedResource: null,\n selectedResourceId: null,\n availableResources: [],\n }),\n\n methods: {\n /**\n * Set the currently selected resource\n */\n selectResource(resource) {\n this.selectedResource = resource\n this.selectedResourceId = resource.value\n\n if (this.field) {\n if (typeof this['emitFieldValueChange'] == 'function') {\n this.emitFieldValueChange(\n this.fieldAttribute,\n this.selectedResourceId\n )\n } else {\n Nova.$emit(this.fieldAttribute + '-change', this.selectedResourceId)\n }\n }\n },\n\n /**\n * Handle the search box being cleared.\n */\n handleSearchCleared() {\n this.availableResources = []\n },\n\n /**\n * Clear the selected resource and availableResources\n */\n clearSelection() {\n this.selectedResource = null\n this.selectedResourceId = null\n this.availableResources = []\n\n if (this.field) {\n if (typeof this['emitFieldValueChange'] == 'function') {\n this.emitFieldValueChange(this.fieldAttribute, null)\n } else {\n Nova.$emit(this.fieldAttribute + '-change', null)\n }\n }\n },\n\n /**\n * Perform a search to get the relatable resources.\n */\n performSearch(search) {\n this.search = search\n\n const trimmedSearch = search.trim()\n // If the user performs an empty search, it will load all the results\n // so let's just set the availableResources to an empty array to avoid\n // loading a huge result set\n if (trimmedSearch == '') {\n return\n }\n\n this.searchDebouncer(() => {\n this.getAvailableResources(trimmedSearch)\n }, 500)\n },\n\n /**\n * Debounce function for the search handler\n */\n searchDebouncer: debounce(callback => callback(), 500),\n },\n}\n","import filter from 'lodash/filter'\n\nexport default {\n props: {\n loadCards: {\n type: Boolean,\n default: true,\n },\n },\n\n data: () => ({ cards: [] }),\n\n /**\n * Fetch all of the metrics panels for this view\n */\n created() {\n this.fetchCards()\n },\n\n watch: {\n cardsEndpoint() {\n this.fetchCards()\n },\n },\n\n methods: {\n async fetchCards() {\n // We disable fetching of cards when the component is being show\n // on a resource detail view to avoid extra network requests\n if (this.loadCards) {\n const { data: cards } = await Nova.request().get(this.cardsEndpoint, {\n params: this.extraCardParams,\n })\n this.cards = cards\n }\n },\n },\n\n computed: {\n /**\n * Determine whether we have cards to show on the Dashboard.\n */\n shouldShowCards() {\n return this.cards.length > 0\n },\n\n /**\n * Determine if the cards array contains some detail-only cards.\n */\n hasDetailOnlyCards() {\n return filter(this.cards, c => c.onlyOnDetail == true).length > 0\n },\n\n /**\n * Get the extra card params to pass to the endpoint.\n */\n extraCardParams() {\n return null\n },\n },\n}\n","import isNil from 'lodash/isNil'\nimport omitBy from 'lodash/omitBy'\n\nexport default {\n computed: {\n suggestionsId() {\n return `${this.fieldAttribute}-list`\n },\n\n suggestions() {\n let field = !isNil(this.syncedField) ? this.syncedField : this.field\n\n if (isNil(field.suggestions)) {\n return []\n }\n\n return field.suggestions\n },\n\n suggestionsAttributes() {\n return {\n ...omitBy(\n {\n list: this.suggestions.length > 0 ? this.suggestionsId : null,\n },\n isNil\n ),\n }\n },\n },\n}\n","import filled from '../util/filled'\n\nexport default {\n props: ['field'],\n\n computed: {\n fieldAttribute() {\n return this.field.attribute\n },\n\n fieldHasValue() {\n return filled(this.field.value)\n },\n\n usesCustomizedDisplay() {\n return this.field.usesCustomizedDisplay && filled(this.field.displayedAs)\n },\n\n fieldValue() {\n if (!this.usesCustomizedDisplay && !this.fieldHasValue) {\n return null\n }\n\n return String(this.field.displayedAs ?? this.field.value)\n },\n\n shouldDisplayAsHtml() {\n return this.field.asHtml\n },\n },\n}\n","import identity from 'lodash/identity'\nimport pickBy from 'lodash/pickBy'\n\nexport default {\n data: () => ({\n filterHasLoaded: false,\n filterIsActive: false,\n }),\n\n watch: {\n encodedFilters(value) {\n Nova.$emit('filter-changed', [value])\n },\n },\n\n methods: {\n /**\n * Clear filters and reset the resource table\n */\n async clearSelectedFilters(lens) {\n if (lens) {\n await this.$store.dispatch(`${this.resourceName}/resetFilterState`, {\n resourceName: this.resourceName,\n lens,\n })\n } else {\n await this.$store.dispatch(`${this.resourceName}/resetFilterState`, {\n resourceName: this.resourceName,\n })\n }\n\n this.updateQueryString({\n [this.pageParameter]: 1,\n [this.filterParameter]: '',\n })\n\n Nova.$emit('filter-reset')\n },\n\n /**\n * Handle a filter state change.\n */\n filterChanged() {\n let filtersAreApplied =\n this.$store.getters[`${this.resourceName}/filtersAreApplied`]\n\n if (filtersAreApplied || this.filterIsActive) {\n this.filterIsActive = true\n this.updateQueryString({\n [this.pageParameter]: 1,\n [this.filterParameter]: this.encodedFilters,\n })\n }\n },\n\n /**\n * Set up filters for the current view\n */\n async initializeFilters(lens) {\n if (this.filterHasLoaded === true) {\n return\n }\n\n // Clear out the filters from the store first\n this.$store.commit(`${this.resourceName}/clearFilters`)\n\n await this.$store.dispatch(\n `${this.resourceName}/fetchFilters`,\n pickBy(\n {\n resourceName: this.resourceName,\n viaResource: this.viaResource,\n viaResourceId: this.viaResourceId,\n viaRelationship: this.viaRelationship,\n relationshipType: this.relationshipType,\n lens,\n },\n identity\n )\n )\n\n await this.initializeState(lens)\n\n this.filterHasLoaded = true\n },\n\n /**\n * Initialize the filter state\n */\n async initializeState(lens) {\n this.initialEncodedFilters\n ? await this.$store.dispatch(\n `${this.resourceName}/initializeCurrentFilterValuesFromQueryString`,\n this.initialEncodedFilters\n )\n : await this.$store.dispatch(`${this.resourceName}/resetFilterState`, {\n resourceName: this.resourceName,\n lens,\n })\n },\n },\n\n computed: {\n /**\n * Get the name of the filter query string variable.\n */\n filterParameter() {\n return this.resourceName + '_filter'\n },\n\n encodedFilters() {\n return this.$store.getters[`${this.resourceName}/currentEncodedFilters`]\n },\n },\n}\n","import each from 'lodash/each'\nimport filter from 'lodash/filter'\n\nexport default {\n emits: ['field-shown', 'field-hidden'],\n\n data: () => ({\n visibleFieldsForPanel: {},\n }),\n\n created() {\n each(this.panel.fields, field => {\n this.visibleFieldsForPanel[field.attribute] = field.visible\n })\n },\n\n methods: {\n handleFieldShown(field) {\n this.visibleFieldsForPanel[field] = true\n this.$emit('field-shown', field)\n },\n\n handleFieldHidden(field) {\n this.visibleFieldsForPanel[field] = false\n this.$emit('field-hidden', field)\n },\n },\n\n computed: {\n visibleFieldsCount() {\n return Object.entries(\n filter(this.visibleFieldsForPanel, visible => visible === true)\n ).length\n },\n },\n}\n","export default {\n methods: {\n /**\n * Select the previous page.\n */\n selectPreviousPage() {\n this.updateQueryString({ [this.pageParameter]: this.currentPage - 1 })\n },\n\n /**\n * Select the next page.\n */\n selectNextPage() {\n this.updateQueryString({ [this.pageParameter]: this.currentPage + 1 })\n },\n },\n\n computed: {\n /**\n * Get the current page from the query string.\n */\n currentPage() {\n return parseInt(this.queryStringParams[this.pageParameter] || 1)\n },\n },\n}\n","export default {\n data: () => ({ perPage: 25 }),\n\n methods: {\n /**\n * Sync the per page values from the query string.\n */\n initializePerPageFromQueryString() {\n this.perPage = this.currentPerPage\n },\n\n /**\n * Update the desired amount of resources per page.\n */\n perPageChanged() {\n this.updateQueryString({ [this.perPageParameter]: this.perPage })\n },\n },\n\n computed: {\n /**\n * Get the current per page value from the query string.\n */\n currentPerPage() {\n return this.queryStringParams[this.perPageParameter] || 25\n },\n },\n}\n","export default {\n data: () => ({\n pollingListener: null,\n currentlyPolling: false,\n }),\n\n /**\n * Unbind the polling listener before the component is destroyed.\n */\n beforeUnmount() {\n this.stopPolling()\n },\n\n methods: {\n initializePolling() {\n this.currentlyPolling =\n this.currentlyPolling || this.resourceResponse.polling\n\n if (this.currentlyPolling && this.pollingListener === null) {\n return this.startPolling()\n }\n },\n\n /**\n * Toggle polling for new resources.\n */\n togglePolling() {\n if (this.currentlyPolling) {\n this.stopPolling()\n } else {\n this.startPolling()\n }\n },\n\n /**\n * Pause polling for new resources.\n */\n stopPolling() {\n if (this.pollingListener) {\n clearInterval(this.pollingListener)\n this.pollingListener = null\n }\n\n this.currentlyPolling = false\n },\n\n /**\n * Start polling for new resources.\n */\n startPolling() {\n this.pollingListener = setInterval(() => {\n let selectedResources = this.selectedResources ?? []\n\n if (\n document.hasFocus() &&\n document.querySelectorAll('[data-modal-open]').length < 1 &&\n selectedResources.length < 1\n ) {\n this.getResources()\n }\n }, this.pollingInterval)\n\n this.currentlyPolling = true\n },\n\n /**\n * Restart polling for the resource.\n */\n restartPolling() {\n if (this.currentlyPolling === true) {\n this.stopPolling()\n this.startPolling()\n }\n },\n },\n\n computed: {\n initiallyPolling() {\n return this.resourceResponse.polling\n },\n\n pollingInterval() {\n return this.resourceResponse.pollingInterval\n },\n\n /**\n * Determine if the polling toggle button should be shown.\n */\n shouldShowPollingToggle() {\n if (!this.resourceResponse) return false\n\n return this.resourceResponse.showPollingToggle || false\n },\n },\n}\n","import debounce from 'lodash/debounce'\nimport find from 'lodash/find'\nimport includes from 'lodash/includes'\nimport isNull from 'lodash/isNull'\nimport map from 'lodash/map'\nimport { Filterable, InteractsWithQueryString, mapProps } from './index'\nimport { capitalize } from '@/util'\nimport { computed } from 'vue'\nimport filter from 'lodash/filter'\n\nexport default {\n mixins: [Filterable, InteractsWithQueryString],\n\n props: {\n ...mapProps([\n 'resourceName',\n 'viaResource',\n 'viaResourceId',\n 'viaRelationship',\n 'relationshipType',\n 'disablePagination',\n ]),\n\n field: { type: Object },\n initialPerPage: { type: Number, required: false },\n },\n\n provide() {\n return {\n resourceHasId: computed(() => this.resourceHasId),\n authorizedToViewAnyResources: computed(\n () => this.authorizedToViewAnyResources\n ),\n authorizedToUpdateAnyResources: computed(\n () => this.authorizedToUpdateAnyResources\n ),\n authorizedToDeleteAnyResources: computed(\n () => this.authorizedToDeleteAnyResources\n ),\n authorizedToRestoreAnyResources: computed(\n () => this.authorizedToRestoreAnyResources\n ),\n selectedResourcesCount: computed(() => this.selectedResources.length),\n selectAllChecked: computed(() => this.selectAllChecked),\n selectAllMatchingChecked: computed(() => this.selectAllMatchingChecked),\n selectAllOrSelectAllMatchingChecked: computed(\n () => this.selectAllOrSelectAllMatchingChecked\n ),\n selectAllAndSelectAllMatchingChecked: computed(\n () => this.selectAllAndSelectAllMatchingChecked\n ),\n selectAllIndeterminate: computed(() => this.selectAllIndeterminate),\n orderByParameter: computed(() => this.orderByParameter),\n orderByDirectionParameter: computed(() => this.orderByDirectionParameter),\n }\n },\n\n data: () => ({\n actions: [],\n allMatchingResourceCount: 0,\n authorizedToRelate: false,\n canceller: null,\n currentPageLoadMore: null,\n deleteModalOpen: false,\n initialLoading: true,\n loading: true,\n orderBy: '',\n orderByDirection: '',\n pivotActions: null,\n resourceHasId: true,\n resourceHasActions: false,\n resourceResponse: null,\n resourceResponseError: null,\n resources: [],\n search: '',\n selectAllMatchingResources: false,\n selectedResources: [],\n softDeletes: false,\n trashed: '',\n }),\n\n async created() {\n if (Nova.missingResource(this.resourceName)) return Nova.visit('/404')\n\n const debouncer = debounce(\n callback => callback(),\n this.resourceInformation.debounce\n )\n\n this.initializeSearchFromQueryString()\n this.initializePerPageFromQueryString()\n this.initializeTrashedFromQueryString()\n this.initializeOrderingFromQueryString()\n\n await this.initializeFilters(this.lens || null)\n await this.getResources()\n\n if (!this.isLensView) {\n await this.getAuthorizationToRelate()\n }\n\n this.getActions()\n\n this.initialLoading = false\n\n this.$watch(\n () => {\n return (\n this.lens +\n this.resourceName +\n this.encodedFilters +\n this.currentSearch +\n this.currentPage +\n this.currentPerPage +\n this.currentOrderBy +\n this.currentOrderByDirection +\n this.currentTrashed\n )\n },\n () => {\n if (this.canceller !== null) this.canceller()\n\n if (this.currentPage === 1) {\n this.currentPageLoadMore = null\n }\n\n this.getResources()\n }\n )\n\n this.$watch('search', newValue => {\n this.search = newValue\n debouncer(() => this.performSearch())\n })\n },\n\n beforeUnmount() {\n if (this.canceller !== null) this.canceller()\n },\n\n methods: {\n /**\n * Handle resources loaded event.\n */\n handleResourcesLoaded() {\n this.loading = false\n\n if (!this.isLensView && this.resourceResponse.total !== null) {\n this.allMatchingResourceCount = this.resourceResponse.total\n } else {\n this.getAllMatchingResourceCount()\n }\n\n Nova.$emit(\n 'resources-loaded',\n this.isLensView\n ? {\n resourceName: this.resourceName,\n lens: this.lens,\n mode: 'lens',\n }\n : {\n resourceName: this.resourceName,\n mode: this.isRelation ? 'related' : 'index',\n }\n )\n\n this.initializePolling()\n },\n\n /**\n * Select all of the available resources\n */\n selectAllResources() {\n this.selectedResources = this.resources.slice(0)\n },\n\n /**\n * Toggle the selection of all resources\n */\n toggleSelectAll(e) {\n if (e) {\n e.preventDefault()\n }\n\n if (this.selectAllChecked) {\n this.clearResourceSelections()\n } else {\n this.selectAllResources()\n }\n\n this.getActions()\n },\n\n /**\n * Toggle the selection of all matching resources in the database\n */\n toggleSelectAllMatching(e) {\n if (e) {\n e.preventDefault()\n }\n\n if (!this.selectAllMatchingResources) {\n this.selectAllResources()\n this.selectAllMatchingResources = true\n } else {\n this.selectAllMatchingResources = false\n }\n\n this.getActions()\n },\n\n /*\n * Update the resource selection status\n */\n updateSelectionStatus(resource) {\n if (!includes(this.selectedResources, resource)) {\n this.selectedResources.push(resource)\n } else {\n const index = this.selectedResources.indexOf(resource)\n if (index > -1) this.selectedResources.splice(index, 1)\n }\n\n this.selectAllMatchingResources = false\n\n this.getActions()\n },\n\n /**\n * Clear the selected resouces and the \"select all\" states.\n */\n clearResourceSelections() {\n this.selectAllMatchingResources = false\n this.selectedResources = []\n },\n\n /**\n * Sort the resources by the given field.\n */\n orderByField(field) {\n let direction = this.currentOrderByDirection == 'asc' ? 'desc' : 'asc'\n\n if (this.currentOrderBy != field.sortableUriKey) {\n direction = 'asc'\n }\n\n this.updateQueryString({\n [this.orderByParameter]: field.sortableUriKey,\n [this.orderByDirectionParameter]: direction,\n })\n },\n\n /**\n * Reset the order by to its default state\n */\n resetOrderBy(field) {\n this.updateQueryString({\n [this.orderByParameter]: field.sortableUriKey,\n [this.orderByDirectionParameter]: null,\n })\n },\n\n /**\n * Sync the current search value from the query string.\n */\n initializeSearchFromQueryString() {\n this.search = this.currentSearch\n },\n\n /**\n * Sync the current order by values from the query string.\n */\n initializeOrderingFromQueryString() {\n this.orderBy = this.currentOrderBy\n this.orderByDirection = this.currentOrderByDirection\n },\n\n /**\n * Sync the trashed state values from the query string.\n */\n initializeTrashedFromQueryString() {\n this.trashed = this.currentTrashed\n },\n\n /**\n * Update the trashed constraint for the resource listing.\n */\n trashedChanged(trashedStatus) {\n this.trashed = trashedStatus\n this.updateQueryString({ [this.trashedParameter]: this.trashed })\n },\n\n /**\n * Update the per page parameter in the query string\n */\n updatePerPageChanged(perPage) {\n this.perPage = perPage\n this.perPageChanged()\n },\n\n /**\n * Select the next page.\n */\n selectPage(page) {\n this.updateQueryString({ [this.pageParameter]: page })\n },\n\n /**\n * Sync the per page values from the query string.\n */\n initializePerPageFromQueryString() {\n this.perPage =\n this.queryStringParams[this.perPageParameter] ||\n this.initialPerPage ||\n this.resourceInformation?.perPageOptions[0] ||\n null\n },\n\n /**\n * Close the delete modal.\n */\n closeDeleteModal() {\n this.deleteModalOpen = false\n },\n\n /**\n * Execute a search against the resource.\n */\n performSearch() {\n this.updateQueryString({\n [this.pageParameter]: 1,\n [this.searchParameter]: this.search,\n })\n },\n\n handleActionExecuted() {\n this.fetchPolicies()\n this.getResources()\n },\n },\n\n computed: {\n /**\n * Determine if the resource has any filters\n */\n hasFilters() {\n return this.$store.getters[`${this.resourceName}/hasFilters`]\n },\n\n /**\n * Get the name of the page query string variable.\n */\n pageParameter() {\n return this.viaRelationship\n ? this.viaRelationship + '_page'\n : this.resourceName + '_page'\n },\n\n /**\n * Determine if all resources are selected on the page.\n */\n selectAllChecked() {\n return this.selectedResources.length == this.resources.length\n },\n\n /**\n * Determine if Select All Dropdown state is indeterminate.\n */\n selectAllIndeterminate() {\n return (\n Boolean(this.selectAllChecked || this.selectAllMatchingChecked) &&\n Boolean(!this.selectAllAndSelectAllMatchingChecked)\n )\n },\n\n selectAllAndSelectAllMatchingChecked() {\n return this.selectAllChecked && this.selectAllMatchingChecked\n },\n\n selectAllOrSelectAllMatchingChecked() {\n return this.selectAllChecked || this.selectAllMatchingChecked\n },\n\n /**\n * Determine if all matching resources are selected.\n */\n selectAllMatchingChecked() {\n return this.selectAllMatchingResources\n },\n\n /**\n * Get the IDs for the selected resources.\n */\n selectedResourceIds() {\n return map(this.selectedResources, resource => resource.id.value)\n },\n\n /**\n * Get the Pivot IDs for the selected resources.\n */\n selectedPivotIds() {\n return map(\n this.selectedResources,\n resource => resource.id.pivotValue ?? null\n )\n },\n\n /**\n * Get the current search value from the query string.\n */\n currentSearch() {\n return this.queryStringParams[this.searchParameter] || ''\n },\n\n /**\n * Get the current order by value from the query string.\n */\n currentOrderBy() {\n return this.queryStringParams[this.orderByParameter] || ''\n },\n\n /**\n * Get the current order by direction from the query string.\n */\n currentOrderByDirection() {\n return this.queryStringParams[this.orderByDirectionParameter] || null\n },\n\n /**\n * Get the current trashed constraint value from the query string.\n */\n currentTrashed() {\n return this.queryStringParams[this.trashedParameter] || ''\n },\n\n /**\n * Determine if the current resource listing is via a many-to-many relationship.\n */\n viaManyToMany() {\n return (\n this.relationshipType == 'belongsToMany' ||\n this.relationshipType == 'morphToMany'\n )\n },\n\n /**\n * Determine if the index is a relation field\n */\n isRelation() {\n return Boolean(this.viaResourceId && this.viaRelationship)\n },\n\n /**\n * Get the singular name for the resource\n */\n singularName() {\n if (this.isRelation && this.field) {\n return capitalize(this.field.singularLabel)\n }\n\n if (this.resourceInformation) {\n return capitalize(this.resourceInformation.singularLabel)\n }\n },\n\n /**\n * Determine if there are any resources for the view\n */\n hasResources() {\n return Boolean(this.resources.length > 0)\n },\n\n /**\n * Determine if there any lenses for this resource\n */\n hasLenses() {\n return Boolean(this.lenses.length > 0)\n },\n\n /**\n * Determine if the resource should show any cards\n */\n shouldShowCards() {\n // Don't show cards if this resource is beings shown via a relations\n return Boolean(this.cards.length > 0 && !this.isRelation)\n },\n\n /**\n * Determine whether to show the selection checkboxes for resources\n */\n shouldShowCheckboxes() {\n return (\n Boolean(this.hasResources) &&\n Boolean(this.resourceHasId) &&\n Boolean(\n this.resourceHasActions ||\n this.authorizedToDeleteAnyResources ||\n this.canShowDeleteMenu\n )\n )\n },\n\n /**\n * Determine whether the delete menu should be shown to the user\n */\n shouldShowDeleteMenu() {\n return (\n Boolean(this.selectedResources.length > 0) && this.canShowDeleteMenu\n )\n },\n\n /**\n * Determine if any selected resources may be deleted.\n */\n authorizedToDeleteSelectedResources() {\n return Boolean(\n find(this.selectedResources, resource => resource.authorizedToDelete)\n )\n },\n\n /**\n * Determine if any selected resources may be force deleted.\n */\n authorizedToForceDeleteSelectedResources() {\n return Boolean(\n find(\n this.selectedResources,\n resource => resource.authorizedToForceDelete\n )\n )\n },\n\n /**\n * Determine if the user is authorized to view any listed resource.\n */\n authorizedToViewAnyResources() {\n return (\n this.resources.length > 0 &&\n Boolean(this.resourceHasId) &&\n Boolean(find(this.resources, resource => resource.authorizedToView))\n )\n },\n\n /**\n * Determine if the user is authorized to view any listed resource.\n */\n authorizedToUpdateAnyResources() {\n return (\n this.resources.length > 0 &&\n Boolean(this.resourceHasId) &&\n Boolean(find(this.resources, resource => resource.authorizedToUpdate))\n )\n },\n\n /**\n * Determine if the user is authorized to delete any listed resource.\n */\n authorizedToDeleteAnyResources() {\n return (\n this.resources.length > 0 &&\n Boolean(this.resourceHasId) &&\n Boolean(find(this.resources, resource => resource.authorizedToDelete))\n )\n },\n\n /**\n * Determine if the user is authorized to force delete any listed resource.\n */\n authorizedToForceDeleteAnyResources() {\n return (\n this.resources.length > 0 &&\n Boolean(this.resourceHasId) &&\n Boolean(\n find(this.resources, resource => resource.authorizedToForceDelete)\n )\n )\n },\n\n /**\n * Determine if any selected resources may be restored.\n */\n authorizedToRestoreSelectedResources() {\n return (\n Boolean(this.resourceHasId) &&\n Boolean(\n find(this.selectedResources, resource => resource.authorizedToRestore)\n )\n )\n },\n\n /**\n * Determine if the user is authorized to restore any listed resource.\n */\n authorizedToRestoreAnyResources() {\n return (\n this.resources.length > 0 &&\n Boolean(this.resourceHasId) &&\n Boolean(find(this.resources, resource => resource.authorizedToRestore))\n )\n },\n\n /**\n * Return the currently encoded filter string from the store\n */\n encodedFilters() {\n return this.$store.getters[`${this.resourceName}/currentEncodedFilters`]\n },\n\n /**\n * Return the initial encoded filters from the query string\n */\n initialEncodedFilters() {\n return this.queryStringParams[this.filterParameter] || ''\n },\n\n /**\n * Return the pagination component for the resource.\n */\n paginationComponent() {\n return `pagination-${Nova.config('pagination') || 'links'}`\n },\n\n /**\n * Determine if the resources has a next page.\n */\n hasNextPage() {\n return Boolean(\n this.resourceResponse && this.resourceResponse.next_page_url\n )\n },\n\n /**\n * Determine if the resources has a previous page.\n */\n hasPreviousPage() {\n return Boolean(\n this.resourceResponse && this.resourceResponse.prev_page_url\n )\n },\n\n /**\n * Return the total pages for the resource.\n */\n totalPages() {\n return Math.ceil(this.allMatchingResourceCount / this.currentPerPage)\n },\n\n /**\n * Return the resource count label\n */\n resourceCountLabel() {\n const first = this.perPage * (this.currentPage - 1)\n\n return (\n this.resources.length &&\n `${Nova.formatNumber(first + 1)}-${Nova.formatNumber(\n first + this.resources.length\n )} ${this.__('of')} ${Nova.formatNumber(this.allMatchingResourceCount)}`\n )\n },\n\n /**\n * Get the current per page value from the query string.\n */\n currentPerPage() {\n return this.perPage\n },\n\n /**\n * The per-page options configured for this resource.\n */\n perPageOptions() {\n if (this.resourceResponse) {\n return this.resourceResponse.per_page_options\n }\n },\n\n /**\n * Get the default label for the create button\n */\n createButtonLabel() {\n if (this.resourceInformation)\n return this.resourceInformation.createButtonLabel\n\n return this.__('Create')\n },\n\n /**\n * Build the resource request query string.\n */\n resourceRequestQueryString() {\n const queryString = {\n search: this.currentSearch,\n filters: this.encodedFilters,\n orderBy: this.currentOrderBy,\n orderByDirection: this.currentOrderByDirection,\n perPage: this.currentPerPage,\n trashed: this.currentTrashed,\n page: this.currentPage,\n viaResource: this.viaResource,\n viaResourceId: this.viaResourceId,\n viaRelationship: this.viaRelationship,\n viaResourceRelationship: this.viaResourceRelationship,\n relationshipType: this.relationshipType,\n }\n\n if (!this.lensName) {\n queryString['viaRelationship'] = this.viaRelationship\n }\n\n return queryString\n },\n\n /**\n * Determine if the action selector should be shown.\n */\n shouldShowActionSelector() {\n return this.selectedResources.length > 0 || this.haveStandaloneActions\n },\n\n /**\n * Determine if the view is a resource index or a lens.\n */\n isLensView() {\n return this.lens !== '' && this.lens != undefined && this.lens != null\n },\n\n /**\n * Determine whether the pagination component should be shown.\n */\n shouldShowPagination() {\n return (\n this.disablePagination !== true &&\n this.resourceResponse &&\n (this.hasResources || this.hasPreviousPage)\n )\n },\n\n /**\n * Return the current count of all resources\n */\n currentResourceCount() {\n return this.resources.length\n },\n\n /**\n * Get the name of the search query string variable.\n */\n searchParameter() {\n return this.viaRelationship\n ? this.viaRelationship + '_search'\n : this.resourceName + '_search'\n },\n\n /**\n * Get the name of the order by query string variable.\n */\n orderByParameter() {\n return this.viaRelationship\n ? this.viaRelationship + '_order'\n : this.resourceName + '_order'\n },\n\n /**\n * Get the name of the order by direction query string variable.\n */\n orderByDirectionParameter() {\n return this.viaRelationship\n ? this.viaRelationship + '_direction'\n : this.resourceName + '_direction'\n },\n\n /**\n * Get the name of the trashed constraint query string variable.\n */\n trashedParameter() {\n return this.viaRelationship\n ? this.viaRelationship + '_trashed'\n : this.resourceName + '_trashed'\n },\n\n /**\n * Get the name of the per page query string variable.\n */\n perPageParameter() {\n return this.viaRelationship\n ? this.viaRelationship + '_per_page'\n : this.resourceName + '_per_page'\n },\n\n /**\n * Determine whether there are any standalone actions.\n */\n haveStandaloneActions() {\n return filter(this.allActions, a => a.standalone === true).length > 0\n },\n\n /**\n * Return the available actions.\n */\n availableActions() {\n return this.actions\n },\n\n /**\n * Determine if the resource has any pivot actions available.\n */\n hasPivotActions() {\n return this.pivotActions && this.pivotActions.actions.length > 0\n },\n\n /**\n * Get the name of the pivot model for the resource.\n */\n pivotName() {\n return this.pivotActions ? this.pivotActions.name : ''\n },\n\n /**\n * Determine if the resource has any actions available.\n */\n actionsAreAvailable() {\n return this.allActions.length > 0\n },\n\n /**\n * Get all of the actions available to the resource.\n */\n allActions() {\n return this.hasPivotActions\n ? this.actions.concat(this.pivotActions.actions)\n : this.actions\n },\n\n availableStandaloneActions() {\n return this.allActions.filter(a => a.standalone === true)\n },\n\n /**\n * Get the selected resources for the action selector.\n */\n selectedResourcesForActionSelector() {\n return this.selectAllMatchingChecked ? 'all' : this.selectedResources\n },\n },\n}\n","export default {\n fetchAvailableResources(resourceName, options) {\n return Nova.request().get(`/nova-api/${resourceName}/search`, options)\n },\n\n determineIfSoftDeletes(resourceName) {\n return Nova.request().get(`/nova-api/${resourceName}/soft-deletes`)\n },\n}\n","export function escapeUnicode(str) {\n return str.replace(\n /[^\\0-~]/g,\n c => '\\\\u' + ('000' + c.charCodeAt().toString(16)).slice(-4)\n )\n}\n","import isNil from 'lodash/isNil'\n\nexport default function filled(value) {\n return Boolean(!isNil(value) && value !== '')\n}\n","export default function (locale) {\n let hourCycle = Intl.DateTimeFormat(locale, {\n hour: 'numeric',\n }).resolvedOptions().hourCycle\n\n if (hourCycle == 'h23' || hourCycle == 'h24') {\n return 24\n }\n\n return 12\n}\n","export default function increaseOrDecrease(currentValue, startingValue) {\n if (startingValue === 0) {\n return null\n }\n\n if (currentValue > startingValue) {\n return ((currentValue - startingValue) / Math.abs(startingValue)) * 100\n } else {\n return ((startingValue - currentValue) / Math.abs(startingValue)) * -100\n }\n}\n","export default function (originalPromise, delay = 100) {\n return Promise.all([\n originalPromise,\n new Promise(resolve => {\n setTimeout(() => resolve(), delay)\n }),\n ]).then(result => result[0])\n}\n\n// Usage\n// minimum(axios.get('/'))\n// .then(response => console.log('done'))\n// .catch(error => console.log(error))\n","import inflector from 'inflector-js'\nimport isString from 'lodash/isString'\n\nexport default function singularOrPlural(value, suffix) {\n if (isString(suffix) && suffix.match(/^(.*)[A-Za-zÀ-ÖØ-öø-ÿ]$/) == null)\n return suffix\n if (value > 1 || value == 0) return inflector.pluralize(suffix)\n return inflector.singularize(suffix)\n}\n","import upperFirst from 'lodash/upperFirst'\n\nexport default function (string) {\n return upperFirst(string)\n}\n","import forEach from 'lodash/forEach'\n\nexport default function __(key, replace) {\n let translation = Nova.config('translations')[key]\n ? Nova.config('translations')[key]\n : key\n\n forEach(replace, (value, key) => {\n key = new String(key)\n\n if (value === null) {\n console.error(\n `Translation '${translation}' for key '${key}' contains a null replacement.`\n )\n\n return\n }\n\n value = new String(value)\n\n const searches = [\n ':' + key,\n ':' + key.toUpperCase(),\n ':' + key.charAt(0).toUpperCase() + key.slice(1),\n ]\n\n const replacements = [\n value,\n value.toUpperCase(),\n value.charAt(0).toUpperCase() + value.slice(1),\n ]\n\n for (let i = searches.length - 1; i >= 0; i--) {\n translation = translation.replace(searches[i], replacements[i])\n }\n })\n\n return translation\n}\n","\n\n\n","import script from \"./ActionSelector.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./ActionSelector.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"ActionSelector.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./AppLogo.vue?vue&type=template&id=428f3aa5\"\nimport script from \"./AppLogo.vue?vue&type=script&lang=js\"\nexport * from \"./AppLogo.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"AppLogo.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./Avatar.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./Avatar.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"Avatar.vue\"]])\n\nexport default __exports__","\n\n\n\n\n","import script from \"./Backdrop.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./Backdrop.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"Backdrop.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Badge.vue?vue&type=template&id=f27adf2e\"\nimport script from \"./Badge.vue?vue&type=script&lang=js\"\nexport * from \"./Badge.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Badge.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CircleBadge.vue?vue&type=template&id=761ca438\"\nimport script from \"./CircleBadge.vue?vue&type=script&lang=js\"\nexport * from \"./CircleBadge.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CircleBadge.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./BooleanOption.vue?vue&type=template&id=33686d40\"\nimport script from \"./BooleanOption.vue?vue&type=script&lang=js\"\nexport * from \"./BooleanOption.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"BooleanOption.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./BasicButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./BasicButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"BasicButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./ButtonInertiaLink.vue?vue&type=template&id=6837e270\"\nimport script from \"./ButtonInertiaLink.vue?vue&type=script&lang=js\"\nexport * from \"./ButtonInertiaLink.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"ButtonInertiaLink.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./CopyButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./CopyButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"CopyButton.vue\"]])\n\nexport default __exports__","import script from \"./CreateRelationButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./CreateRelationButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"CreateRelationButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DefaultButton.vue?vue&type=template&id=bfd2955a\"\nimport script from \"./DefaultButton.vue?vue&type=script&lang=js\"\nexport * from \"./DefaultButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DefaultButton.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./IconButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./IconButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"IconButton.vue\"]])\n\nexport default __exports__","import script from \"./InertiaButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./InertiaButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"InertiaButton.vue\"]])\n\nexport default __exports__","import script from \"./InvertedButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./InvertedButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"InvertedButton.vue\"]])\n\nexport default __exports__","import script from \"./LinkButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./LinkButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"LinkButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./OutlineButton.vue?vue&type=template&id=5628e6a7\"\nimport script from \"./OutlineButton.vue?vue&type=script&lang=js\"\nexport * from \"./OutlineButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"OutlineButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./OutlineButtonInertiaLink.vue?vue&type=template&id=209a0586\"\nimport script from \"./OutlineButtonInertiaLink.vue?vue&type=script&lang=js\"\nexport * from \"./OutlineButtonInertiaLink.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"OutlineButtonInertiaLink.vue\"]])\n\nexport default __exports__","import script from \"./RemoveButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./RemoveButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"RemoveButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./ResourcePollingButton.vue?vue&type=template&id=956359d0\"\nimport script from \"./ResourcePollingButton.vue?vue&type=script&lang=js\"\nexport * from \"./ResourcePollingButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"ResourcePollingButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./ToolbarButton.vue?vue&type=template&id=26f287a8\"\nimport script from \"./ToolbarButton.vue?vue&type=script&lang=js\"\nexport * from \"./ToolbarButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"ToolbarButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CancelButton.vue?vue&type=template&id=cbcc6924\"\nimport script from \"./CancelButton.vue?vue&type=script&lang=js\"\nexport * from \"./CancelButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CancelButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Card.vue?vue&type=template&id=220bc6c4\"\nimport script from \"./Card.vue?vue&type=script&lang=js\"\nexport * from \"./Card.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Card.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CardWrapper.vue?vue&type=template&id=58d1265c\"\nimport script from \"./CardWrapper.vue?vue&type=script&lang=js\"\nexport * from \"./CardWrapper.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CardWrapper.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Cards.vue?vue&type=template&id=4f30887a\"\nimport script from \"./Cards.vue?vue&type=script&lang=js\"\nexport * from \"./Cards.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Cards.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./HelpCard.vue?vue&type=template&id=067a1d00\"\nimport script from \"./HelpCard.vue?vue&type=script&lang=js\"\nexport * from \"./HelpCard.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HelpCard.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./Checkbox.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./Checkbox.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"Checkbox.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CheckboxWithLabel.vue?vue&type=template&id=19510dbb\"\nimport script from \"./CheckboxWithLabel.vue?vue&type=script&lang=js\"\nexport * from \"./CheckboxWithLabel.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CheckboxWithLabel.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CollapseButton.vue?vue&type=template&id=2d341e2b\"\nimport script from \"./CollapseButton.vue?vue&type=script&lang=js\"\nexport * from \"./CollapseButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CollapseButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./MultiSelectControl.vue?vue&type=template&id=067a14d3\"\nimport script from \"./MultiSelectControl.vue?vue&type=script&lang=js\"\nexport * from \"./MultiSelectControl.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"MultiSelectControl.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./SelectControl.vue?vue&type=template&id=0078bd5a\"\nimport script from \"./SelectControl.vue?vue&type=script&lang=js\"\nexport * from \"./SelectControl.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"SelectControl.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./CreateForm.vue?vue&type=template&id=7da759ee\"\nimport script from \"./CreateForm.vue?vue&type=script&lang=js\"\nexport * from \"./CreateForm.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"CreateForm.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./CreateResourceButton.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./CreateResourceButton.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"CreateResourceButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DefaultField.vue?vue&type=template&id=71339deb\"\nimport script from \"./DefaultField.vue?vue&type=script&lang=js\"\nexport * from \"./DefaultField.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DefaultField.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DeleteButton.vue?vue&type=template&id=2ce41e13\"\nimport script from \"./DeleteButton.vue?vue&type=script&lang=js\"\nexport * from \"./DeleteButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DeleteButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DeleteMenu.vue?vue&type=template&id=80ac23d2\"\nimport script from \"./DeleteMenu.vue?vue&type=script&lang=js\"\nexport * from \"./DeleteMenu.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DeleteMenu.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./DividerLine.vue?vue&type=template&id=844bab18\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DividerLine.vue\"]])\n\nexport default __exports__","\n\n\n\n\n","import script from \"./DropZone.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./DropZone.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"DropZone.vue\"]])\n\nexport default __exports__","\n\n\n\n\n","import { computed } from 'vue'\n\nexport function useFilePreviews(file) {\n const imageTypes = [\n 'image/png',\n 'image/jpeg',\n 'image/gif',\n 'image/svg+xml',\n 'image/webp',\n ]\n\n const type = computed(() =>\n imageTypes.includes(file.value.type) ? 'image' : 'other'\n )\n\n const previewUrl = computed(() =>\n URL.createObjectURL(file.value.originalFile)\n )\n\n const isImage = computed(() => type.value === 'image')\n\n return {\n imageTypes,\n isImage,\n type,\n previewUrl,\n }\n}\n","import script from \"./FilePreviewBlock.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./FilePreviewBlock.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"FilePreviewBlock.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./SingleDropZone.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./SingleDropZone.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"SingleDropZone.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./ActionDropdown.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./ActionDropdown.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"ActionDropdown.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DetailActionDropdown.vue?vue&type=template&id=c72fbcb0\"\nimport script from \"./DetailActionDropdown.vue?vue&type=script&lang=js\"\nexport * from \"./DetailActionDropdown.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DetailActionDropdown.vue\"]])\n\nexport default __exports__","let id = 0\nexport function useId() {\n ++id\n\n return id\n}\n","import { Fragment } from 'vue'\n\nexport function renderSlotFragments(children) {\n if (!children) return []\n return children.flatMap(child => {\n if (child.type === Fragment) return renderSlotFragments(child.children)\n\n return [child]\n })\n}\n","\n","import { useEventListener } from '@vueuse/core'\n\nexport function useCloseOnEsc(callback) {\n return {\n closeOnEsc: useEventListener(document, 'keydown', event => {\n if (event.key === 'Escape') callback()\n }),\n }\n}\n","import script from \"./Dropdown.vue?vue&type=script&lang=js\"\nexport * from \"./Dropdown.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"Dropdown.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DropdownMenu.vue?vue&type=template&id=55fe6687\"\nimport script from \"./DropdownMenu.vue?vue&type=script&lang=js\"\nexport * from \"./DropdownMenu.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DropdownMenu.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./DropdownMenuHeading.vue?vue&type=template&id=c2f7b172\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DropdownMenuHeading.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DropdownMenuItem.vue?vue&type=template&id=a5cdf6c4\"\nimport script from \"./DropdownMenuItem.vue?vue&type=script&lang=js\"\nexport * from \"./DropdownMenuItem.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DropdownMenuItem.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./InlineActionDropdown.vue?vue&type=template&id=0291246d\"\nimport script from \"./InlineActionDropdown.vue?vue&type=script&lang=js\"\nexport * from \"./InlineActionDropdown.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"InlineActionDropdown.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./SelectAllDropdown.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./SelectAllDropdown.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"SelectAllDropdown.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./ThemeDropdown.vue?vue&type=template&id=89955692\"\nimport script from \"./ThemeDropdown.vue?vue&type=script&lang=js\"\nexport * from \"./ThemeDropdown.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"ThemeDropdown.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Excerpt.vue?vue&type=template&id=758b25a0\"\nimport script from \"./Excerpt.vue?vue&type=script&lang=js\"\nexport * from \"./Excerpt.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Excerpt.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./FadeTransition.vue?vue&type=template&id=13a79b89\"\nimport script from \"./FadeTransition.vue?vue&type=script&lang=js\"\nexport * from \"./FadeTransition.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"FadeTransition.vue\"]])\n\nexport default __exports__","\n\n","import { render } from \"./FieldWrapper.vue?vue&type=template&id=77dfe72c\"\nimport script from \"./FieldWrapper.vue?vue&type=script&lang=js\"\nexport * from \"./FieldWrapper.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"FieldWrapper.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./FilterMenu.vue?vue&type=template&id=594a347a\"\nimport script from \"./FilterMenu.vue?vue&type=script&lang=js\"\nexport * from \"./FilterMenu.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"FilterMenu.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./BooleanFilter.vue?vue&type=template&id=7fb03a03\"\nimport script from \"./BooleanFilter.vue?vue&type=script&lang=js\"\nexport * from \"./BooleanFilter.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"BooleanFilter.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./DateFilter.vue?vue&type=template&id=7e294267\"\nimport script from \"./DateFilter.vue?vue&type=script&lang=js\"\nexport * from \"./DateFilter.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"DateFilter.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./FilterContainer.vue?vue&type=template&id=768805da\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"FilterContainer.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./SelectFilter.vue?vue&type=template&id=69a5f843\"\nimport script from \"./SelectFilter.vue?vue&type=script&lang=js\"\nexport * from \"./SelectFilter.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"SelectFilter.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./FormButton.vue?vue&type=template&id=8ac3169a\"\nimport script from \"./FormButton.vue?vue&type=script&lang=js\"\nexport * from \"./FormButton.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"FormButton.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./FormLabel.vue?vue&type=template&id=ff9485d0\"\nimport script from \"./FormLabel.vue?vue&type=script&lang=js\"\nexport * from \"./FormLabel.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"FormLabel.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./GlobalSearch.vue?vue&type=template&id=fbeaeb9e\"\nimport script from \"./GlobalSearch.vue?vue&type=script&lang=js\"\nexport * from \"./GlobalSearch.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"GlobalSearch.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Heading.vue?vue&type=template&id=d5c581f8\"\nimport script from \"./Heading.vue?vue&type=script&lang=js\"\nexport * from \"./Heading.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Heading.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./HelpText.vue?vue&type=template&id=05b33a74\"\nimport script from \"./HelpText.vue?vue&type=script&lang=js\"\nexport * from \"./HelpText.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HelpText.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./HelpTextTooltip.vue?vue&type=template&id=1bba2c51\"\nimport script from \"./HelpTextTooltip.vue?vue&type=script&lang=js\"\nexport * from \"./HelpTextTooltip.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HelpTextTooltip.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineAcademicCap.vue?vue&type=template&id=704dab4d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineAcademicCap.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineAdjustments.vue?vue&type=template&id=781000d7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineAdjustments.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineAnnotation.vue?vue&type=template&id=240da2c0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineAnnotation.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineArchive.vue?vue&type=template&id=5471da2e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArchive.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineArrowCircleDown.vue?vue&type=template&id=5e766de2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowCircleDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowCircleLeft.vue?vue&type=template&id=7c224ebc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowCircleLeft.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowCircleRight.vue?vue&type=template&id=40e0bbee\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowCircleRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowCircleUp.vue?vue&type=template&id=e685f75e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowCircleUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowDown.vue?vue&type=template&id=7d30a8e6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowLeft.vue?vue&type=template&id=4bd6e794\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowLeft.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowNarrowDown.vue?vue&type=template&id=7d140d7e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowNarrowDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowNarrowLeft.vue?vue&type=template&id=47c1bdc2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowNarrowLeft.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowNarrowRight.vue?vue&type=template&id=78fec2af\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowNarrowRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowNarrowUp.vue?vue&type=template&id=3c155050\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowNarrowUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowRight.vue?vue&type=template&id=6aaf4396\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowUp.vue?vue&type=template&id=34ac6f60\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineArrowsExpand.vue?vue&type=template&id=01a1dc0d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineArrowsExpand.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineAtSymbol.vue?vue&type=template&id=68b5e2af\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineAtSymbol.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineBackspace.vue?vue&type=template&id=2de498fc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBackspace.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineBadgeCheck.vue?vue&type=template&id=679f87a2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBadgeCheck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineBan.vue?vue&type=template&id=d2c251e8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBan.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineBeaker.vue?vue&type=template&id=40410525\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBeaker.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineBell.vue?vue&type=template&id=65b619cb\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBell.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineBookOpen.vue?vue&type=template&id=30457a36\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBookOpen.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineBookmark.vue?vue&type=template&id=ef75875c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBookmark.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineBookmarkAlt.vue?vue&type=template&id=461b9f5a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBookmarkAlt.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineBriefcase.vue?vue&type=template&id=5e2a657e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineBriefcase.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCake.vue?vue&type=template&id=f167775c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCake.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCalculator.vue?vue&type=template&id=de188c66\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCalculator.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCalendar.vue?vue&type=template&id=61be856b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCalendar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCamera.vue?vue&type=template&id=f7d96602\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCamera.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCash.vue?vue&type=template&id=5a33dd10\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCash.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChartBar.vue?vue&type=template&id=056018b2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChartBar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChartPie.vue?vue&type=template&id=05c7f2b9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChartPie.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChartSquareBar.vue?vue&type=template&id=184849db\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChartSquareBar.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineChat.vue?vue&type=template&id=49e5d17b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChat.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChatAlt.vue?vue&type=template&id=7dbdd982\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChatAlt.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineChatAlt2.vue?vue&type=template&id=7fd74d7c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChatAlt2.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCheck.vue?vue&type=template&id=13d802c6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCheck.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCheckCircle.vue?vue&type=template&id=5cb4843a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCheckCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChevronDoubleDown.vue?vue&type=template&id=ebd017fa\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronDoubleDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChevronDoubleLeft.vue?vue&type=template&id=0a716213\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronDoubleLeft.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChevronDoubleRight.vue?vue&type=template&id=fd287528\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronDoubleRight.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineChevronDoubleUp.vue?vue&type=template&id=693bb7af\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronDoubleUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChevronDown.vue?vue&type=template&id=2c607ac2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChevronLeft.vue?vue&type=template&id=73fdbdc2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronLeft.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChevronRight.vue?vue&type=template&id=fdc51454\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChevronUp.vue?vue&type=template&id=4f88e980\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChevronUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineChip.vue?vue&type=template&id=cf1633ae\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineChip.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineClipboard.vue?vue&type=template&id=2b3425f6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineClipboard.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineClipboardCheck.vue?vue&type=template&id=9a873d9c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineClipboardCheck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineClipboardCopy.vue?vue&type=template&id=5a0e161e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineClipboardCopy.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineClipboardList.vue?vue&type=template&id=f9d1eb40\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineClipboardList.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineClock.vue?vue&type=template&id=66dba41f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineClock.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCloud.vue?vue&type=template&id=52f6b60e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCloud.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCloudDownload.vue?vue&type=template&id=49bc5722\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCloudDownload.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCloudUpload.vue?vue&type=template&id=10f6a71e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCloudUpload.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCode.vue?vue&type=template&id=567b706a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCode.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCog.vue?vue&type=template&id=983eecb2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCog.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCollection.vue?vue&type=template&id=436522ee\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCollection.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineColorSwatch.vue?vue&type=template&id=3628d9ac\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineColorSwatch.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCreditCard.vue?vue&type=template&id=205b6bc6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCreditCard.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCube.vue?vue&type=template&id=07e46786\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCube.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCubeTransparent.vue?vue&type=template&id=625dca67\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCubeTransparent.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCurrencyBangladeshi.vue?vue&type=template&id=b8e12472\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCurrencyBangladeshi.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCurrencyDollar.vue?vue&type=template&id=d21a424a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCurrencyDollar.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCurrencyEuro.vue?vue&type=template&id=66945171\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCurrencyEuro.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineCurrencyPound.vue?vue&type=template&id=505f5fbc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCurrencyPound.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCurrencyRupee.vue?vue&type=template&id=f05d41a0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCurrencyRupee.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCurrencyYen.vue?vue&type=template&id=6b29e3df\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCurrencyYen.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineCursorClick.vue?vue&type=template&id=1f460a78\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineCursorClick.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDatabase.vue?vue&type=template&id=11cba70d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDatabase.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDesktopComputer.vue?vue&type=template&id=46b297aa\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDesktopComputer.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDeviceMobile.vue?vue&type=template&id=f3c4435e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDeviceMobile.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDeviceTablet.vue?vue&type=template&id=3ba55ee0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDeviceTablet.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDocument.vue?vue&type=template&id=223f3098\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocument.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDocumentAdd.vue?vue&type=template&id=25af8ba7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocumentAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDocumentDownload.vue?vue&type=template&id=30d19eee\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocumentDownload.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineDocumentDuplicate.vue?vue&type=template&id=c27ba766\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocumentDuplicate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDocumentRemove.vue?vue&type=template&id=2d8d84b7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocumentRemove.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDocumentReport.vue?vue&type=template&id=8929bfc2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocumentReport.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDocumentSearch.vue?vue&type=template&id=fd5cb2a4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocumentSearch.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDocumentText.vue?vue&type=template&id=2dbfb0b0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDocumentText.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDotsCircleHorizontal.vue?vue&type=template&id=c890dffc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDotsCircleHorizontal.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDotsHorizontal.vue?vue&type=template&id=11e4e087\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDotsHorizontal.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDotsVertical.vue?vue&type=template&id=68f9cf6d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDotsVertical.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDownload.vue?vue&type=template&id=00013c58\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDownload.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineDuplicate.vue?vue&type=template&id=340d4d26\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineDuplicate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineEmojiHappy.vue?vue&type=template&id=0f98c4c0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineEmojiHappy.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineEmojiSad.vue?vue&type=template&id=32f9f85e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineEmojiSad.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineExclamation.vue?vue&type=template&id=4beb75d7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineExclamation.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineExclamationCircle.vue?vue&type=template&id=28e8743a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineExclamationCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineExternalLink.vue?vue&type=template&id=f6f64a4a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineExternalLink.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineEye.vue?vue&type=template&id=fa08dc86\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineEye.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineEyeOff.vue?vue&type=template&id=8297b062\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineEyeOff.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFastForward.vue?vue&type=template&id=68ccaa02\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFastForward.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFilm.vue?vue&type=template&id=a5cc6a6e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFilm.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFilter.vue?vue&type=template&id=061c0808\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFilter.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFingerPrint.vue?vue&type=template&id=ef400314\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFingerPrint.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFire.vue?vue&type=template&id=4822ea48\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFire.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFlag.vue?vue&type=template&id=2a2054c5\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFlag.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFolder.vue?vue&type=template&id=1fcee8fd\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFolder.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFolderAdd.vue?vue&type=template&id=9798bcea\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFolderAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFolderDownload.vue?vue&type=template&id=ac6bd2d2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFolderDownload.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineFolderOpen.vue?vue&type=template&id=aaf764bc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFolderOpen.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineFolderRemove.vue?vue&type=template&id=c700e976\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineFolderRemove.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineGift.vue?vue&type=template&id=0f4497c0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineGift.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineGlobe.vue?vue&type=template&id=a794e872\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineGlobe.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineGlobeAlt.vue?vue&type=template&id=bf41d264\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineGlobeAlt.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineHand.vue?vue&type=template&id=f2c03644\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineHand.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineHashtag.vue?vue&type=template&id=42c5e37c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineHashtag.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineHeart.vue?vue&type=template&id=3852c974\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineHeart.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineHome.vue?vue&type=template&id=10624ae9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineHome.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineIdentification.vue?vue&type=template&id=68fb8fdf\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineIdentification.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineInbox.vue?vue&type=template&id=fd12475c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineInbox.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineInboxIn.vue?vue&type=template&id=611d796c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineInboxIn.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineInformationCircle.vue?vue&type=template&id=574d08d0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineInformationCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineKey.vue?vue&type=template&id=6ff0cc63\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineKey.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineLibrary.vue?vue&type=template&id=02c0a2e9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLibrary.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineLightBulb.vue?vue&type=template&id=16528082\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLightBulb.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineLightningBolt.vue?vue&type=template&id=4b54bea9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLightningBolt.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineLink.vue?vue&type=template&id=ab77180e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLink.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineLocationMarker.vue?vue&type=template&id=5a3118ff\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLocationMarker.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineLockClosed.vue?vue&type=template&id=5a9370b1\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLockClosed.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineLockOpen.vue?vue&type=template&id=bc2a5a72\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLockOpen.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineLogin.vue?vue&type=template&id=50e0f786\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLogin.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineLogout.vue?vue&type=template&id=cd737f14\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineLogout.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineMail.vue?vue&type=template&id=0deb82a6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMail.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineMailOpen.vue?vue&type=template&id=1ca7b1a6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMailOpen.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineMap.vue?vue&type=template&id=2e0d16a4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMap.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineMenu.vue?vue&type=template&id=27b43e46\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMenu.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineMenuAlt1.vue?vue&type=template&id=213803c2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMenuAlt1.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineMenuAlt2.vue?vue&type=template&id=24ae0bd4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMenuAlt2.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineMenuAlt3.vue?vue&type=template&id=6a9c0024\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMenuAlt3.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineMenuAlt4.vue?vue&type=template&id=38f87317\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMenuAlt4.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineMicrophone.vue?vue&type=template&id=2960b3d3\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMicrophone.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineMinus.vue?vue&type=template&id=6533d24c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMinus.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineMinusCircle.vue?vue&type=template&id=359d4aec\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMinusCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineMoon.vue?vue&type=template&id=174f5433\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMoon.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineMusicNote.vue?vue&type=template&id=dda5004e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineMusicNote.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineNewspaper.vue?vue&type=template&id=6051826e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineNewspaper.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineOfficeBuilding.vue?vue&type=template&id=338670a8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineOfficeBuilding.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlinePaperAirplane.vue?vue&type=template&id=6b696cc8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePaperAirplane.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlinePaperClip.vue?vue&type=template&id=4dc404f7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePaperClip.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePause.vue?vue&type=template&id=a00a85a2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePause.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePencil.vue?vue&type=template&id=46d406ee\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePencil.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePencilAlt.vue?vue&type=template&id=6624e093\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePencilAlt.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePhone.vue?vue&type=template&id=c114e88c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePhone.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlinePhoneIncoming.vue?vue&type=template&id=35fc04e4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePhoneIncoming.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePhoneMissedCall.vue?vue&type=template&id=3d4cf67c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePhoneMissedCall.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePhoneOutgoing.vue?vue&type=template&id=4b87d51d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePhoneOutgoing.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlinePhotograph.vue?vue&type=template&id=d4bf5ec2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePhotograph.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlinePlay.vue?vue&type=template&id=59763b81\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePlay.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePlus.vue?vue&type=template&id=2cee4aee\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePlus.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePlusCircle.vue?vue&type=template&id=ba6005f4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePlusCircle.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlinePresentationChartBar.vue?vue&type=template&id=d1f1dd4a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePresentationChartBar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePresentationChartLine.vue?vue&type=template&id=47615ec9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePresentationChartLine.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlinePrinter.vue?vue&type=template&id=77ee8f86\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePrinter.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlinePuzzle.vue?vue&type=template&id=3cf9bdab\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlinePuzzle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineQrcode.vue?vue&type=template&id=1fa0c7c0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineQrcode.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineQuestionMarkCircle.vue?vue&type=template&id=32dd8384\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineQuestionMarkCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineReceiptRefund.vue?vue&type=template&id=7311c2e7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineReceiptRefund.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineReceiptTax.vue?vue&type=template&id=5d606d62\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineReceiptTax.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineRefresh.vue?vue&type=template&id=65d33555\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineRefresh.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineReply.vue?vue&type=template&id=7c4be9ac\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineReply.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineRewind.vue?vue&type=template&id=0b50b730\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineRewind.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineRss.vue?vue&type=template&id=6fffc871\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineRss.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineSave.vue?vue&type=template&id=2045dbe3\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSave.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSaveAs.vue?vue&type=template&id=347525da\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSaveAs.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineScale.vue?vue&type=template&id=318cc8b3\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineScale.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineScissors.vue?vue&type=template&id=24f2a0e0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineScissors.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineSearch.vue?vue&type=template&id=28762b55\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSearch.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSearchCircle.vue?vue&type=template&id=ecc53f5e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSearchCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSelector.vue?vue&type=template&id=776b4f57\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSelector.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineServer.vue?vue&type=template&id=18bc74fe\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineServer.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineShare.vue?vue&type=template&id=fc309cc4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineShare.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineShieldCheck.vue?vue&type=template&id=516360b9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineShieldCheck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineShieldExclamation.vue?vue&type=template&id=62e7a19c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineShieldExclamation.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineShoppingBag.vue?vue&type=template&id=65b3cf67\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineShoppingBag.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineShoppingCart.vue?vue&type=template&id=3412f4a5\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineShoppingCart.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSortAscending.vue?vue&type=template&id=1ee52794\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSortAscending.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSortDescending.vue?vue&type=template&id=347c92cf\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSortDescending.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSparkles.vue?vue&type=template&id=7094f7d4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSparkles.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSpeakerphone.vue?vue&type=template&id=60aa4362\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSpeakerphone.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineStar.vue?vue&type=template&id=a491062a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineStar.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineStatusOffline.vue?vue&type=template&id=0bc24284\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineStatusOffline.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineStatusOnline.vue?vue&type=template&id=53f85792\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineStatusOnline.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineStop.vue?vue&type=template&id=d4bd2d12\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineStop.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSun.vue?vue&type=template&id=0103619b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSun.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineSupport.vue?vue&type=template&id=6107879f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSupport.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineSwitchHorizontal.vue?vue&type=template&id=454e4773\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSwitchHorizontal.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineSwitchVertical.vue?vue&type=template&id=03bceec9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineSwitchVertical.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineTable.vue?vue&type=template&id=3f1aad10\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTable.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineTag.vue?vue&type=template&id=388449f0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTag.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineTemplate.vue?vue&type=template&id=a0081f5c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTemplate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineTerminal.vue?vue&type=template&id=7a15f79c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTerminal.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineThumbDown.vue?vue&type=template&id=651f6ddd\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineThumbDown.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineThumbUp.vue?vue&type=template&id=02432621\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineThumbUp.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineTicket.vue?vue&type=template&id=2aa816fd\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTicket.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineTranslate.vue?vue&type=template&id=751a6296\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTranslate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineTrash.vue?vue&type=template&id=6469b340\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTrash.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineTrendingDown.vue?vue&type=template&id=5630f885\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTrendingDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineTrendingUp.vue?vue&type=template&id=34545f94\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTrendingUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineTruck.vue?vue&type=template&id=5335d8e0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineTruck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineUpload.vue?vue&type=template&id=4902c460\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineUpload.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineUser.vue?vue&type=template&id=6453ff29\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineUser.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineUserAdd.vue?vue&type=template&id=d733543c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineUserAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineUserCircle.vue?vue&type=template&id=2735f653\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineUserCircle.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineUserGroup.vue?vue&type=template&id=63de9e3a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineUserGroup.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineUserRemove.vue?vue&type=template&id=ea7cb518\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineUserRemove.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineUsers.vue?vue&type=template&id=2bb4513e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineUsers.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineVariable.vue?vue&type=template&id=7d8b39ce\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineVariable.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineVideoCamera.vue?vue&type=template&id=5d9f1e3e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineVideoCamera.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineViewBoards.vue?vue&type=template&id=0947c624\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineViewBoards.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineViewGrid.vue?vue&type=template&id=2129fd0c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineViewGrid.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineViewGridAdd.vue?vue&type=template&id=532aa443\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineViewGridAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineViewList.vue?vue&type=template&id=ed6e8316\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineViewList.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineVolumeOff.vue?vue&type=template&id=59daa9be\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineVolumeOff.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsOutlineVolumeUp.vue?vue&type=template&id=ab8048e6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineVolumeUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineWifi.vue?vue&type=template&id=9158bdf4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineWifi.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineX.vue?vue&type=template&id=a0da7b76\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineX.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineXCircle.vue?vue&type=template&id=7bdca590\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineXCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineZoomIn.vue?vue&type=template&id=5bbb8a84\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineZoomIn.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsOutlineZoomOut.vue?vue&type=template&id=0b5fb714\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsOutlineZoomOut.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidAcademicCap.vue?vue&type=template&id=f9a7882a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidAcademicCap.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidAdjustments.vue?vue&type=template&id=6b7a790d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidAdjustments.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidAnnotation.vue?vue&type=template&id=6ecd6d96\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidAnnotation.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidArchive.vue?vue&type=template&id=68877b0c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArchive.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowCircleDown.vue?vue&type=template&id=3938d236\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowCircleDown.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidArrowCircleLeft.vue?vue&type=template&id=82cff8be\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowCircleLeft.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidArrowCircleRight.vue?vue&type=template&id=1d691bf2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowCircleRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowCircleUp.vue?vue&type=template&id=df4921ce\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowCircleUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowDown.vue?vue&type=template&id=2f373bb5\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowLeft.vue?vue&type=template&id=6b10d9ce\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowLeft.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowNarrowDown.vue?vue&type=template&id=1782abc0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowNarrowDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowNarrowLeft.vue?vue&type=template&id=19543535\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowNarrowLeft.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidArrowNarrowRight.vue?vue&type=template&id=df445764\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowNarrowRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowNarrowUp.vue?vue&type=template&id=872245d8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowNarrowUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowRight.vue?vue&type=template&id=1e952ad3\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidArrowUp.vue?vue&type=template&id=b2b5843e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowUp.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidArrowsExpand.vue?vue&type=template&id=7458b5c2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidArrowsExpand.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidAtSymbol.vue?vue&type=template&id=12e3ed40\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidAtSymbol.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidBackspace.vue?vue&type=template&id=cb571f60\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBackspace.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidBadgeCheck.vue?vue&type=template&id=72d7d4d7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBadgeCheck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidBan.vue?vue&type=template&id=182a0047\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBan.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidBeaker.vue?vue&type=template&id=19aeba84\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBeaker.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidBell.vue?vue&type=template&id=512951c5\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBell.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidBookOpen.vue?vue&type=template&id=ec073da6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBookOpen.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidBookmark.vue?vue&type=template&id=20ebe4f8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBookmark.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidBookmarkAlt.vue?vue&type=template&id=d8b3f644\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBookmarkAlt.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidBriefcase.vue?vue&type=template&id=a07d9244\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidBriefcase.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCake.vue?vue&type=template&id=1f7b98c3\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCake.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCalculator.vue?vue&type=template&id=b39f9a9c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCalculator.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCalendar.vue?vue&type=template&id=8419ae0e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCalendar.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCamera.vue?vue&type=template&id=fa2d198c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCamera.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCash.vue?vue&type=template&id=71d153fc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCash.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChartBar.vue?vue&type=template&id=24d7243f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChartBar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChartPie.vue?vue&type=template&id=4e1ce3d7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChartPie.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChartSquareBar.vue?vue&type=template&id=37466eed\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChartSquareBar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChat.vue?vue&type=template&id=9c9eb924\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChat.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidChatAlt.vue?vue&type=template&id=304000ee\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChatAlt.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidChatAlt2.vue?vue&type=template&id=87e9eb88\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChatAlt2.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCheck.vue?vue&type=template&id=46b852e0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCheck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCheckCircle.vue?vue&type=template&id=f5fd9cbe\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCheckCircle.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidChevronDoubleDown.vue?vue&type=template&id=15d4ad2b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronDoubleDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChevronDoubleLeft.vue?vue&type=template&id=72ac9ef1\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronDoubleLeft.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChevronDoubleRight.vue?vue&type=template&id=129077bf\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronDoubleRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChevronDoubleUp.vue?vue&type=template&id=bd072932\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronDoubleUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChevronDown.vue?vue&type=template&id=1838d352\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChevronLeft.vue?vue&type=template&id=3b0b58ea\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronLeft.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidChevronRight.vue?vue&type=template&id=5a03d9de\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronRight.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidChevronUp.vue?vue&type=template&id=20b1126c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChevronUp.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidChip.vue?vue&type=template&id=10d8c133\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidChip.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidClipboard.vue?vue&type=template&id=31f3018a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidClipboard.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidClipboardCheck.vue?vue&type=template&id=21d124e0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidClipboardCheck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidClipboardCopy.vue?vue&type=template&id=52c96fb8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidClipboardCopy.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidClipboardList.vue?vue&type=template&id=74787424\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidClipboardList.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidClock.vue?vue&type=template&id=7e583971\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidClock.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCloud.vue?vue&type=template&id=6d2a5f1e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCloud.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCloudDownload.vue?vue&type=template&id=aa9a2336\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCloudDownload.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCloudUpload.vue?vue&type=template&id=be34d926\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCloudUpload.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCode.vue?vue&type=template&id=6b507c67\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCode.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCog.vue?vue&type=template&id=d808a8ec\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCog.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCollection.vue?vue&type=template&id=18bd1cd6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCollection.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidColorSwatch.vue?vue&type=template&id=bf63c686\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidColorSwatch.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCreditCard.vue?vue&type=template&id=260d5666\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCreditCard.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCube.vue?vue&type=template&id=e8260aac\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCube.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCubeTransparent.vue?vue&type=template&id=79fcb5c0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCubeTransparent.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCurrencyBangladeshi.vue?vue&type=template&id=789e1b8f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCurrencyBangladeshi.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCurrencyDollar.vue?vue&type=template&id=0809505a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCurrencyDollar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCurrencyEuro.vue?vue&type=template&id=26e08cc6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCurrencyEuro.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCurrencyPound.vue?vue&type=template&id=1ff011e6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCurrencyPound.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidCurrencyRupee.vue?vue&type=template&id=d22ca512\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCurrencyRupee.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCurrencyYen.vue?vue&type=template&id=4ecad94c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCurrencyYen.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidCursorClick.vue?vue&type=template&id=3aada87f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidCursorClick.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDatabase.vue?vue&type=template&id=e28338fc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDatabase.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidDesktopComputer.vue?vue&type=template&id=28e625f8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDesktopComputer.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidDeviceMobile.vue?vue&type=template&id=700978a7\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDeviceMobile.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidDeviceTablet.vue?vue&type=template&id=3833e286\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDeviceTablet.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDocument.vue?vue&type=template&id=33c30ed3\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocument.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDocumentAdd.vue?vue&type=template&id=5e04850a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocumentAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDocumentDownload.vue?vue&type=template&id=292175b8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocumentDownload.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDocumentDuplicate.vue?vue&type=template&id=45277a99\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocumentDuplicate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDocumentRemove.vue?vue&type=template&id=0a57cd7e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocumentRemove.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDocumentReport.vue?vue&type=template&id=78d0c61a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocumentReport.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidDocumentSearch.vue?vue&type=template&id=58c3dec2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocumentSearch.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidDocumentText.vue?vue&type=template&id=7925094d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDocumentText.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDotsCircleHorizontal.vue?vue&type=template&id=46c4b074\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDotsCircleHorizontal.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDotsHorizontal.vue?vue&type=template&id=2fdeea6b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDotsHorizontal.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidDotsVertical.vue?vue&type=template&id=cff6d19e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDotsVertical.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDownload.vue?vue&type=template&id=0ff2aa28\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDownload.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidDuplicate.vue?vue&type=template&id=f4d94354\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidDuplicate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidEmojiHappy.vue?vue&type=template&id=6f2e3b76\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidEmojiHappy.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidEmojiSad.vue?vue&type=template&id=4d9e49e0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidEmojiSad.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidExclamation.vue?vue&type=template&id=16b8db67\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidExclamation.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidExclamationCircle.vue?vue&type=template&id=f0ff31c8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidExclamationCircle.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidExternalLink.vue?vue&type=template&id=747591ff\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidExternalLink.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidEye.vue?vue&type=template&id=3f043938\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidEye.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidEyeOff.vue?vue&type=template&id=c7737fc6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidEyeOff.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFastForward.vue?vue&type=template&id=52b18f2f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFastForward.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFilm.vue?vue&type=template&id=4aca2477\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFilm.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFilter.vue?vue&type=template&id=9c726118\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFilter.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFingerPrint.vue?vue&type=template&id=a4b19d38\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFingerPrint.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFire.vue?vue&type=template&id=e42f476c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFire.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFlag.vue?vue&type=template&id=1c35213d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFlag.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidFolder.vue?vue&type=template&id=71572aca\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFolder.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFolderAdd.vue?vue&type=template&id=63879046\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFolderAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidFolderDownload.vue?vue&type=template&id=4e8090a6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFolderDownload.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidFolderOpen.vue?vue&type=template&id=5a3b440e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFolderOpen.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidFolderRemove.vue?vue&type=template&id=7d7a6ce1\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidFolderRemove.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidGift.vue?vue&type=template&id=30f8fce0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidGift.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidGlobe.vue?vue&type=template&id=05bbccfa\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidGlobe.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidGlobeAlt.vue?vue&type=template&id=11542a04\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidGlobeAlt.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidHand.vue?vue&type=template&id=63522f70\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidHand.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidHashtag.vue?vue&type=template&id=65c7ca20\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidHashtag.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidHeart.vue?vue&type=template&id=91bc4b7a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidHeart.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidHome.vue?vue&type=template&id=d1d7c13e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidHome.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidIdentification.vue?vue&type=template&id=3f4eb722\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidIdentification.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidInbox.vue?vue&type=template&id=0861ce4e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidInbox.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidInboxIn.vue?vue&type=template&id=a4729874\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidInboxIn.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidInformationCircle.vue?vue&type=template&id=3fe6e886\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidInformationCircle.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidKey.vue?vue&type=template&id=156a6110\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidKey.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidLibrary.vue?vue&type=template&id=46f0dc25\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLibrary.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidLightBulb.vue?vue&type=template&id=25bd834b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLightBulb.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidLightningBolt.vue?vue&type=template&id=7535e928\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLightningBolt.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidLink.vue?vue&type=template&id=669b496b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLink.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidLocationMarker.vue?vue&type=template&id=390a8934\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLocationMarker.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidLockClosed.vue?vue&type=template&id=9ae7e13a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLockClosed.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidLockOpen.vue?vue&type=template&id=1e428bee\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLockOpen.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidLogin.vue?vue&type=template&id=611acd21\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLogin.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidLogout.vue?vue&type=template&id=c358ff56\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidLogout.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMail.vue?vue&type=template&id=0d4cdb38\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMail.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMailOpen.vue?vue&type=template&id=2260e15f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMailOpen.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMap.vue?vue&type=template&id=1af3da7c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMap.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMenu.vue?vue&type=template&id=15543d3b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMenu.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidMenuAlt1.vue?vue&type=template&id=7e189390\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMenuAlt1.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidMenuAlt2.vue?vue&type=template&id=7ce6bdfe\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMenuAlt2.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMenuAlt3.vue?vue&type=template&id=d909da82\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMenuAlt3.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMenuAlt4.vue?vue&type=template&id=e83a5438\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMenuAlt4.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMicrophone.vue?vue&type=template&id=11aa669b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMicrophone.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMinus.vue?vue&type=template&id=6397b9fe\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMinus.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMinusCircle.vue?vue&type=template&id=bae6c64e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMinusCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidMoon.vue?vue&type=template&id=7aeb9e8a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMoon.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidMusicNote.vue?vue&type=template&id=15ae3d7b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidMusicNote.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidNewspaper.vue?vue&type=template&id=1f4d7d20\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidNewspaper.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidOfficeBuilding.vue?vue&type=template&id=8a8d9248\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidOfficeBuilding.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidPaperAirplane.vue?vue&type=template&id=2184db46\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPaperAirplane.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPaperClip.vue?vue&type=template&id=3f2a303c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPaperClip.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPause.vue?vue&type=template&id=9873253c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPause.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidPencil.vue?vue&type=template&id=2fc00666\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPencil.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPencilAlt.vue?vue&type=template&id=cac6e61c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPencilAlt.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPhone.vue?vue&type=template&id=0b171e2d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPhone.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidPhoneIncoming.vue?vue&type=template&id=84c6c904\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPhoneIncoming.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPhoneMissedCall.vue?vue&type=template&id=6b904d2b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPhoneMissedCall.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPhoneOutgoing.vue?vue&type=template&id=191d014a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPhoneOutgoing.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPhotograph.vue?vue&type=template&id=4dcc7618\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPhotograph.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPlay.vue?vue&type=template&id=5193134f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPlay.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidPlus.vue?vue&type=template&id=53fca7dc\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPlus.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPlusCircle.vue?vue&type=template&id=263948aa\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPlusCircle.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidPresentationChartBar.vue?vue&type=template&id=2f1c09ce\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPresentationChartBar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPresentationChartLine.vue?vue&type=template&id=57cc807d\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPresentationChartLine.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPrinter.vue?vue&type=template&id=76be5a0c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPrinter.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidPuzzle.vue?vue&type=template&id=3614886c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidPuzzle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidQrcode.vue?vue&type=template&id=5b5c1548\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidQrcode.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidQuestionMarkCircle.vue?vue&type=template&id=0334628c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidQuestionMarkCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidReceiptRefund.vue?vue&type=template&id=03aa2e3c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidReceiptRefund.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidReceiptTax.vue?vue&type=template&id=63aa6418\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidReceiptTax.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidRefresh.vue?vue&type=template&id=2e588462\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidRefresh.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidReply.vue?vue&type=template&id=6201766b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidReply.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidRewind.vue?vue&type=template&id=42a730a9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidRewind.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidRss.vue?vue&type=template&id=390943af\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidRss.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSave.vue?vue&type=template&id=207481d5\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSave.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidSaveAs.vue?vue&type=template&id=0d73f552\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSaveAs.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidScale.vue?vue&type=template&id=4a717a33\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidScale.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidScissors.vue?vue&type=template&id=8eeb81f4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidScissors.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSearch.vue?vue&type=template&id=6a848d40\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSearch.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidSearchCircle.vue?vue&type=template&id=709d425c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSearchCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSelector.vue?vue&type=template&id=e4eaa82e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSelector.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidServer.vue?vue&type=template&id=6942e04b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidServer.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidShare.vue?vue&type=template&id=04933b0c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidShare.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidShieldCheck.vue?vue&type=template&id=b509a0ce\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidShieldCheck.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidShieldExclamation.vue?vue&type=template&id=15e6a91b\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidShieldExclamation.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidShoppingBag.vue?vue&type=template&id=bc40903e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidShoppingBag.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidShoppingCart.vue?vue&type=template&id=50732628\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidShoppingCart.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidSortAscending.vue?vue&type=template&id=045934b9\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSortAscending.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSortDescending.vue?vue&type=template&id=8bdd6142\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSortDescending.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSparkles.vue?vue&type=template&id=ebd47004\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSparkles.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSpeakerphone.vue?vue&type=template&id=d48807de\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSpeakerphone.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidStar.vue?vue&type=template&id=c95b231a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidStar.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidStatusOffline.vue?vue&type=template&id=41febec0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidStatusOffline.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidStatusOnline.vue?vue&type=template&id=0a074323\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidStatusOnline.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidStop.vue?vue&type=template&id=2a021212\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidStop.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSun.vue?vue&type=template&id=494cd818\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSun.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSupport.vue?vue&type=template&id=47b12f92\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSupport.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidSwitchHorizontal.vue?vue&type=template&id=3bcbb2f1\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSwitchHorizontal.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidSwitchVertical.vue?vue&type=template&id=b8a4bab4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidSwitchVertical.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidTable.vue?vue&type=template&id=2d5105a1\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTable.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidTag.vue?vue&type=template&id=19b7f657\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTag.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidTemplate.vue?vue&type=template&id=929976b4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTemplate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidTerminal.vue?vue&type=template&id=541615e8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTerminal.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidThumbDown.vue?vue&type=template&id=0f6e73d4\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidThumbDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidThumbUp.vue?vue&type=template&id=5cf00f50\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidThumbUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidTicket.vue?vue&type=template&id=8a345374\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTicket.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidTranslate.vue?vue&type=template&id=b24bdfce\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTranslate.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidTrash.vue?vue&type=template&id=1e3864e8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTrash.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidTrendingDown.vue?vue&type=template&id=272c8038\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTrendingDown.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidTrendingUp.vue?vue&type=template&id=57d2107e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTrendingUp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidTruck.vue?vue&type=template&id=5ac59f1a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidTruck.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidUpload.vue?vue&type=template&id=fdea4efe\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidUpload.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidUser.vue?vue&type=template&id=481da53e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidUser.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidUserAdd.vue?vue&type=template&id=050aea75\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidUserAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidUserCircle.vue?vue&type=template&id=0ed5d6c8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidUserCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidUserGroup.vue?vue&type=template&id=aba846c2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidUserGroup.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidUserRemove.vue?vue&type=template&id=568f5ae8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidUserRemove.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidUsers.vue?vue&type=template&id=797b3b65\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidUsers.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidVariable.vue?vue&type=template&id=46afa813\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidVariable.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidVideoCamera.vue?vue&type=template&id=a938e6b2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidVideoCamera.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidViewBoards.vue?vue&type=template&id=6336c012\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidViewBoards.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidViewGrid.vue?vue&type=template&id=905138be\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidViewGrid.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidViewGridAdd.vue?vue&type=template&id=189d07ba\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidViewGridAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidViewList.vue?vue&type=template&id=6e52e426\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidViewList.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidVolumeOff.vue?vue&type=template&id=7cad67c0\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidVolumeOff.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidVolumeUp.vue?vue&type=template&id=757b576c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidVolumeUp.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidWifi.vue?vue&type=template&id=bf3b1d00\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidWifi.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidX.vue?vue&type=template&id=91a3df90\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidX.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidXCircle.vue?vue&type=template&id=9ef9c662\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidXCircle.vue\"]])\n\nexport default __exports__",";\n\n","import { render } from \"./HeroiconsSolidZoomIn.vue?vue&type=template&id=394bb42a\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidZoomIn.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./HeroiconsSolidZoomOut.vue?vue&type=template&id=f55748c2\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"HeroiconsSolidZoomOut.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./IconBooleanOption.vue?vue&type=template&id=48b807ec\"\nimport script from \"./IconBooleanOption.vue?vue&type=script&lang=js\"\nexport * from \"./IconBooleanOption.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconBooleanOption.vue\"]])\n\nexport default __exports__","import script from \"./CopyIcon.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./CopyIcon.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"CopyIcon.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconBold.vue?vue&type=template&id=4e716c14\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconBold.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconFullScreen.vue?vue&type=template&id=4524cd98\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconFullScreen.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconImage.vue?vue&type=template&id=2da49ae1\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconImage.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconItalic.vue?vue&type=template&id=c52eaae8\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconItalic.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconLink.vue?vue&type=template&id=41b63b69\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconLink.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./ErrorPageIcon.vue?vue&type=template&id=13b41194\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"ErrorPageIcon.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./Icon.vue?vue&type=template&id=5d8d4375\"\nimport script from \"./Icon.vue?vue&type=script&lang=js\"\nexport * from \"./Icon.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"Icon.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconAdd.vue?vue&type=template&id=d03962a6\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconAdd.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconArrow.vue?vue&type=template&id=db5db692\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconArrow.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./IconBoolean.vue?vue&type=template&id=3fc70fec\"\nimport script from \"./IconBoolean.vue?vue&type=script&lang=js\"\nexport * from \"./IconBoolean.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconBoolean.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconCheckCircle.vue?vue&type=template&id=b3649e9e\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconCheckCircle.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconDelete.vue?vue&type=template&id=0fce6338\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconDelete.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconDownload.vue?vue&type=template&id=59fb9388\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconDownload.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconEdit.vue?vue&type=template&id=8d935c94\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconEdit.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconFilter.vue?vue&type=template&id=673519a1\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconFilter.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconForceDelete.vue?vue&type=template&id=017ccc5f\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconForceDelete.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconHelp.vue?vue&type=template&id=8b453d28\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconHelp.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconMenu.vue?vue&type=template&id=a3d14e86\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconMenu.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconMore.vue?vue&type=template&id=63f56ade\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconMore.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconPlay.vue?vue&type=template&id=6247402c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconPlay.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconRefresh.vue?vue&type=template&id=6e7513bb\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconRefresh.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconRestore.vue?vue&type=template&id=768ad011\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconRestore.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconSearch.vue?vue&type=template&id=44707092\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconSearch.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconView.vue?vue&type=template&id=16a09d52\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconView.vue\"]])\n\nexport default __exports__","\n","import { render } from \"./IconXCircle.vue?vue&type=template&id=bce6be7c\"\nconst script = {}\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IconXCircle.vue\"]])\n\nexport default __exports__","import script from \"./Loader.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./Loader.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"Loader.vue\"]])\n\nexport default __exports__","\n\n\n\n\n","import script from \"./ImageLoader.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./ImageLoader.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"ImageLoader.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./IndexEmptyDialog.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./IndexEmptyDialog.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"IndexEmptyDialog.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./IndexErrorDialog.vue?vue&type=template&id=6798e256\"\nimport script from \"./IndexErrorDialog.vue?vue&type=script&lang=js\"\nexport * from \"./IndexErrorDialog.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IndexErrorDialog.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./CharacterCounter.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./CharacterCounter.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"CharacterCounter.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./IndexSearchInput.vue?vue&type=template&id=5ec207cc\"\nimport script from \"./IndexSearchInput.vue?vue&type=script&lang=js\"\nexport * from \"./IndexSearchInput.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"IndexSearchInput.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./RoundInput.vue?vue&type=template&id=79e0a05e\"\nimport script from \"./RoundInput.vue?vue&type=script&lang=js\"\nexport * from \"./RoundInput.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"RoundInput.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./SearchInput.vue?vue&type=template&id=e31649f2\"\nimport script from \"./SearchInput.vue?vue&type=script&lang=js\"\nexport * from \"./SearchInput.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"SearchInput.vue\"]])\n\nexport default __exports__","import script from \"./SearchInputResult.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./SearchInputResult.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"SearchInputResult.vue\"]])\n\nexport default __exports__","\n\n\n","import script from \"./SearchSearchInput.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./SearchSearchInput.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"SearchSearchInput.vue\"]])\n\nexport default __exports__","import script from \"./LensSelector.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./LensSelector.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"LensSelector.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./LicenseWarning.vue?vue&type=template&id=3232920c\"\nimport script from \"./LicenseWarning.vue?vue&type=script&lang=js\"\nexport * from \"./LicenseWarning.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"LicenseWarning.vue\"]])\n\nexport default __exports__","\n\n\n","import { render } from \"./LoadingCard.vue?vue&type=template&id=3d565040\"\nimport script from \"./LoadingCard.vue?vue&type=script&lang=js\"\nexport * from \"./LoadingCard.vue?vue&type=script&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['render',render],['__file',\"LoadingCard.vue\"]])\n\nexport default __exports__","import script from \"./LoadingView.vue?vue&type=script&setup=true&lang=js\"\nexport * from \"./LoadingView.vue?vue&type=script&setup=true&lang=js\"\n\nimport exportComponent from \"/Users/taylor/Documents/Code/laravel-nova/node_modules/vue-loader/dist/exportHelper.js\"\nconst __exports__ = /*#__PURE__*/exportComponent(script, [['__file',\"LoadingView.vue\"]])\n\nexport default __exports__","import { ref, computed, watch, nextTick } from 'vue'\nimport CodeMirror from 'codemirror'\nimport each from 'lodash/each'\nimport isNil from 'lodash/isNil'\nimport { useLocalization } from '@/composables/useLocalization'\n\nconst { __ } = useLocalization()\n\nconst defineMarkdownCommands = (\n editor,\n { props, emit, isFocused, filesCount, filesUploaded }\n) => {\n const doc = editor.getDoc()\n\n return {\n setValue(value) {\n doc.setValue(value)\n this.refresh()\n },\n\n focus() {\n isFocused.value = true\n },\n\n refresh() {\n nextTick(() => editor.refresh())\n },\n\n insert(insertion) {\n let cursor = doc.getCursor()\n\n doc.replaceRange(insertion, {\n line: cursor.line,\n ch: cursor.ch,\n })\n },\n\n insertAround(start, end) {\n if (doc.somethingSelected()) {\n const selection = doc.getSelection()\n\n doc.replaceSelection(start + selection + end)\n } else {\n let cursor = doc.getCursor()\n\n doc.replaceRange(start + end, {\n line: cursor.line,\n ch: cursor.ch,\n })\n\n doc.setCursor({\n line: cursor.line,\n ch: cursor.ch + start.length,\n })\n }\n },\n\n insertBefore(insertion, cursorOffset) {\n if (doc.somethingSelected()) {\n const selects = doc.listSelections()\n selects.forEach(selection => {\n const pos = [selection.head.line, selection.anchor.line].sort()\n\n for (let i = pos[0]; i <= pos[1]; i++) {\n doc.replaceRange(insertion, { line: i, ch: 0 })\n }\n\n doc.setCursor({ line: pos[0], ch: cursorOffset || 0 })\n })\n } else {\n let cursor = doc.getCursor()\n\n doc.replaceRange(insertion, {\n line: cursor.line,\n ch: 0,\n })\n doc.setCursor({\n line: cursor.line,\n ch: cursorOffset || 0,\n })\n }\n },\n\n uploadAttachment(file) {\n if (!isNil(props.uploader)) {\n filesCount.value = filesCount.value + 1\n\n const placeholder = `![Uploading ${file.name}…]()`\n\n this.insert(placeholder)\n\n props.uploader(file, {\n onCompleted: url => {\n let value = doc.getValue()\n value = value.replace(placeholder, `![${file.name}](${url})`)\n\n doc.setValue(value)\n emit('change', value)\n\n filesUploaded.value = filesUploaded.value + 1\n },\n onFailure: error => {\n filesCount.value = filesCount.value - 1\n },\n })\n }\n },\n }\n}\n\nconst defineMarkdownActions = (commands, { isEditable, isFullScreen }) => {\n return {\n bold() {\n if (!isEditable) return\n\n commands.insertAround('**', '**')\n },\n\n italicize() {\n if (!isEditable) return\n\n commands.insertAround('*', '*')\n },\n\n image() {\n if (!isEditable) return\n\n commands.insertBefore('![](url)', 2)\n },\n\n link() {\n if (!isEditable) return\n\n commands.insertAround('[', '](url)')\n },\n\n toggleFullScreen() {\n isFullScreen.value = !isFullScreen.value\n\n commands.refresh()\n },\n\n fullScreen() {\n isFullScreen.value = true\n\n commands.refresh()\n },\n\n exitFullScreen() {\n isFullScreen.value = false\n\n commands.refresh()\n },\n }\n}\n\nconst defineMarkdownKeyMaps = (editor, actions) => {\n const keyMaps = {\n 'Cmd-B': 'bold',\n 'Cmd-I': 'italicize',\n 'Cmd-Alt-I': 'image',\n 'Cmd-K': 'link',\n F11: 'fullScreen',\n Esc: 'exitFullScreen',\n }\n\n each(keyMaps, (action, map) => {\n const realMap = map.replace(\n 'Cmd-',\n CodeMirror.keyMap['default'] == CodeMirror.keyMap.macDefault\n ? 'Cmd-'\n : 'Ctrl-'\n )\n\n editor.options.extraKeys[realMap] = actions[keyMaps[map]].bind(this)\n })\n}\n\nconst defineMarkdownEvents = (editor, commands, { props, emit, isFocused }) => {\n const doc = editor.getDoc()\n\n const handlePasteFromClipboard = e => {\n if (e.clipboardData && e.clipboardData.items) {\n const items = e.clipboardData.items\n\n for (let i = 0; i < items.length; i++) {\n if (items[i].type.indexOf('image') !== -1) {\n commands.uploadAttachment(items[i].getAsFile())\n\n e.preventDefault()\n }\n }\n }\n }\n\n editor.on('focus', () => (isFocused.value = true))\n editor.on('blur', () => (isFocused.value = false))\n\n doc.on('change', (cm, changeObj) => {\n if (changeObj.origin !== 'setValue') {\n emit('change', cm.getValue())\n }\n })\n\n editor.on('paste', (cm, event) => {\n handlePasteFromClipboard(event)\n })\n\n watch(isFocused, (currentValue, oldValue) => {\n if (currentValue === true && oldValue === false) {\n editor.focus()\n }\n })\n}\n\nconst bootstrap = (\n theTextarea,\n {\n emit,\n props,\n isEditable,\n isFocused,\n isFullScreen,\n filesCount,\n filesUploaded,\n unmountMarkdownEditor,\n }\n) => {\n const editor = CodeMirror.fromTextArea(theTextarea.value, {\n tabSize: 4,\n indentWithTabs: true,\n lineWrapping: true,\n mode: 'markdown',\n viewportMargin: Infinity,\n extraKeys: {\n Enter: 'newlineAndIndentContinueMarkdownList',\n },\n readOnly: props.readonly,\n })\n\n const doc = editor.getDoc()\n\n const commands = defineMarkdownCommands(editor, {\n props,\n emit,\n isFocused,\n filesCount,\n filesUploaded,\n })\n const actions = defineMarkdownActions(commands, { isEditable, isFullScreen })\n\n defineMarkdownKeyMaps(editor, actions)\n\n defineMarkdownEvents(editor, commands, { props, emit, isFocused })\n\n commands.refresh()\n\n return {\n editor,\n unmount: () => {\n editor.toTextArea()\n unmountMarkdownEditor()\n },\n actions: {\n ...commands,\n ...actions,\n handle(context, action) {\n if (!props.readonly) {\n isFocused.value = true\n actions[action].call(context)\n }\n },\n },\n }\n}\n\nexport function useMarkdownEditing(emit, props) {\n const isFullScreen = ref(false)\n const isFocused = ref(false)\n const previewContent = ref('')\n const visualMode = ref('write')\n const statusContent = ref(\n __('Attach files by dragging & dropping, selecting or pasting them.')\n )\n const filesCount = ref(0)\n const filesUploaded = ref(0)\n\n const isEditable = computed(\n () => props.readonly && visualMode.value == 'write'\n )\n\n const unmountMarkdownEditor = () => {\n isFullScreen.value = false\n isFocused.value = false\n visualMode.value = 'write'\n previewContent.value = ''\n filesCount.value = 0\n filesUploaded.value = 0\n }\n\n if (!isNil(props.uploader)) {\n watch(\n [filesUploaded, filesCount],\n ([currentFilesUploaded, currentFilesCount]) => {\n if (currentFilesCount > currentFilesUploaded) {\n statusContent.value = __('Uploading files... (:current/:total)', {\n current: currentFilesUploaded,\n total: currentFilesCount,\n })\n } else {\n statusContent.value = __(\n 'Attach files by dragging & dropping, selecting or pasting them.'\n )\n }\n }\n )\n }\n\n return {\n createMarkdownEditor: (context, theTextarea) => {\n return bootstrap.call(context, theTextarea, {\n emit,\n props,\n isEditable,\n isFocused,\n isFullScreen,\n filesCount,\n filesUploaded,\n unmountMarkdownEditor,\n })\n },\n isFullScreen,\n isFocused,\n isEditable,\n visualMode,\n previewContent,\n statusContent,\n }\n}\n","